PHP â Class Constants ”; Previous Next PHP allows an identifier in a class to be defined as a “class constant” with a constant value, the one that remains unchanged on a per class basis. To differentiate from a variable or property within class, the name of the constant is not prefixed with the usual “$” symbol and is defined with the “const” qualifier. Note that a PHP program can also have a global constant created using the define() function. The default visibility of a constant is public, although other modifiers may be used in the definition. The value of a constant must be an expression and not a variable, nor a function call/property. The value of a constant is accessed through the class name using the scope resolution operator. Inside a method though, it can be referred to through self variable. class SomeClass { const CONSTANT = ”constant value”; } echo SomeClass::CONSTANT; Constant names are case sensitive. Conventionally, the names of constants are in upper case. Example This example shows how a Class Constant is defined and accessed − <?php class square { const PI=M_PI; var $side=5; function area() { $area=$this->side**2*self::PI; return $area; } } $s1=new square(); echo “PI=”. square::PI . “n”; echo “area=” . $s1->area(); ?> It will produce the following output − PI=3.1415926535898 area=78.539816339745 Class Constant as Expression In this example, the class constant is assigned an expression − <?php const X = 22; const Y=7; class square { const PI=X/Y; var $side=5; function area() { $area=$this->side**2*self::PI; return $area; } } $s1=new square(); echo “PI=”. square::PI . “n”; echo “area=” . $s1->area(); ?> It will produce the following output − PI=3.1428571428571 area=78.571428571429 Class Constant Visibility Modifiers Take a look at the following example − <?php class example { const X=10; private const Y=20; } $s1=new example(); echo “public=”. example::X. “n”; echo “private=” . $s1->Y .”n”; echo “private=” . $example::Y .”n”; ?> It will produce the following output − public=10 PHP Notice: Undefined property: example::$Y in line 11 private= PHP Fatal error: Uncaught Error: Cannot access private const example::Y Print Page Previous Next Advertisements ”;
Category: php
PHP – Abstract Classes
PHP â Abstract Classes ”; Previous Next The list of reserved words in PHP includes the “abstract” keyword. When a class is defined with the “abstract” keyword, it cannot be instantiated, i.e., you cannot declare a new object of such a class. An abstract class can be extended by another class. abstract class myclass { // class body } As mentioned above, you cannot declare an object of this class. Hence, the following statement − $obj = new myclass; will result in an error message as shown below − PHP Fatal error: Uncaught Error: Cannot instantiate abstract class myclass An abstract class may include properties, constants or methods. The class members may be of public, private or protected type. One or more methods in a class may also be defined as abstract. If any method in a class is abstract, the class itself must be an abstract class. In other words, a normal class cannot have an abstract method defined in it. This will raise an error − class myclass { abstract function myabsmethod($arg1, $arg2); function mymethod() #this is a normal method { echo “Hello”; } } The error message will be shown as − PHP Fatal error: Class myclass contains 1 abstract method and must therefore be declared abstract You can use an abstract class as a parent and extend it with a child class. However, the child class must provide concrete implementation of each of the abstract methods in the parent class, otherwise an error will be encountered. Example In the following code, myclass is an abstract class with myabsmethod() as an abstract method. Its derived class is mynewclass, but it doesnât have the implementation of the abstract method in its parent. <?php abstract class myclass { abstract function myabsmethod($arg1, $arg2); function mymethod() { echo “Hello”; } } class newclass extends myclass { function newmethod() { echo “World”; } } $m1 = new newclass; $m1->mymethod(); ?> The error message in such a situation is − PHP Fatal error: Class newclass contains 1 abstract method and must therefore be declared abstract or implement the remaining methods (myclass::myabsmethod) It indicates that newclass should either implement the abstract method or it should be declared as an abstract class. Example In the following PHP script, we have marks as an abstract class with percent() being an abstract method in it. Another student class extends the marks class and implements its percent() method. <?php abstract class marks { protected int $m1, $m2, $m3; abstract public function percent(): float; } class student extends marks { public function __construct($x, $y, $z) { $this->m1 = $x; $this->m2 = $y; $this->m3 = $z; } public function percent(): float { return ($this->m1+$this->m2+$this->m3)*100/300; } } $s1 = new student(50, 60, 70); echo “Percentage of marks: “. $s1->percent() . PHP_EOL; ?> It will produce the following output − Percentage of marks: 60 Difference between Interface and Abstract Class in PHP The concept of abstract class in PHP is very similar to interface. However, there are a couple of differences between an interface and an abstract class. Abstract class Interface Use abstract keyword to define abstract class Use interface keyword to define interface Abstract class cannot be instantiated Interface cannot be instantiated. Abstract class may have normal and abstract methods Interface must declare the methods with arguments and return types only and not with any body. Abstract class is extended by child class which must implement all abstract methods Interface must be implemented by another class, which must provide functionality of all methods in the interface. Can have public, private or protected properties Properties cannot be declared in interface Print Page Previous Next Advertisements ”;
PHP – Variable Arguments
PHP – Variable Arguments ”; Previous Next In PHP, it is possible to write a function capable of accepting a list of arguments with variable number of elements. To declare a variable argument list, the name of the argument is prepended by the “…” (three dots) symbol. The values passed are collected into an array with the argument’s name. function myfunction(…$arg) { Statement1; Statement2; } To call such a function, put any number of comma-separated values in the parenthesis. myfunction(v1, v2, v3, . . . , vn); The formal argument declared in the function is an array of all the values passed. We van use any of the appropriate built_in array functions to perform the process. Example In the following example, the user defined function myfunction() is capable of receiving variable number of values and finds their average. <?php function myfunction(…$numbers) { $avg = array_sum($numbers)/count($numbers); return $avg; } $avg = myfunction(5, 12, 9, 23, 8); echo “average = $avg”; ?> It will produce the following output − average = 11.4 Try changing the size of the passed array and run the program again. You can use a foreach loop to traverse the array inside the function. The function may have any positional arguments before the variable length argument. From the received values, the positional arguments will be populated first, leaving others to be copied to the array. Example <?php function myfunction($x, …$numbers) { echo “First number: $x” . PHP_EOL; echo “Remaining numbers: “; foreach ($numbers as $n) { echo “$n “; } } myfunction(5, 12, 9, 23, 8, 41); ?> It will produce the following output − First number: 5 Remaining numbers: 12 9 23 8 41 Variadic Functions It is possible to process a variable number of arguments to a function, even without the “…” syntax. PHP has built_in functions like func_num_args(), func_get_arg() and func_get_args(), which can be used with similar result. func_num_args() − Returns the number of arguments passed to the function. func_get_arg() − Returns an item from the argument list func_get_args() − Returns an array comprising a function”s argument list Example The above example of variable arguments can be rewritten with these functions as below − <?php function myfunction() { $sum = 0; foreach (func_get_args() as $n) { $sum += $n; } return $sum; } echo myfunction(5, 12, 9, 23, 8, 41); ?> It will produce the following output − 98 Example This program prints all the numbers passed to the function − <?php function myfunction() { $len = func_num_args(); echo “Numbers : “; $i=0; for ($i=0; $i<$len; $i++) echo func_get_arg($i) . ” “; } myfunction(5, 12, 9, 23, 8, 41); ?> It will produce the following output − Numbers : 5 12 9 23 8 41 Print Page Previous Next Advertisements ”;
PHP – Interfaces
PHP â Interfaces ”; Previous Next Just as a class is a template for its objects, an interface in PHP can be called as a template for classes. We know that when a class is instantiated, the properties and methods defined in a class are available to it. Similarly, an interface in PHP declares the methods along with their arguments and return value. These methods do not have any body, i.e., no functionality is defined in the interface. A concrete class has to implement the methods in the interface. In other words, when a class implements an interface, it must provide the functionality for all methods in the interface. An interface is defined in the same way as a class is defined, except that the keyword “interface” is used in place of class. interface myinterface { public function myfunction(int $arg1, int $arg2); public function mymethod(string $arg1, int $arg2); } Note that the methods inside the interface have not been provided with any functionality. Definitions of these methods must be provided by the class that implements this interface. When we define a child class, we use the keyword “extends“. In this case, the class that must use the keyword “implements“. All the methods declared in the interface must be defined, with the same number and type of arguments and return value. class myclass implements myinterface { public function myfunction(int $arg1, int $arg2) { ## implementation of myfunction; } public function mymethod(string $arg1, int $arg2) { # implementation of mymethod; } } Note that all the methods declared in an interface must be public. Example Let us define an interface called shape. A shape has a certain area. You have shapes of different geometrical appearance, such as rectangle, circle etc., each having an area, calculated with different formula. Hence the shape interface declares a method area() that returns a float value. interface shape { public function area(): float; } Next, we shall define a circle class that implements shape interface, to implement, the class must provide a concrete implementation of the functions in the interface. Here, the area() function in circle class calculates the area of a circle of a given radius. class circle implements shape { var $radius; public function __construct($arg1) { $this->radius = $arg1; } public function area(): float { return pow($this->radius,2)*pi(); } } We can now declare an object of circle class, and call the area() method. $cir = new circle(5); echo “Radius : ” . $cir->radius . ” Area of Circle: ” . $cir->area(). PHP_EOL; An interface can be implemented by any number of classes (which may be unrelated to each other) provided the implementing class provides functionality of each method in the interface. Here is a Square class that implements shape. The area() method returns the square of the side property. class square implements shape { var $side; public function __construct($arg1) { $this->side = $arg1; } public function area(): float { return pow($this->side, 2); } } Similarly, create a Square object and call the area() method. Example Given below is the complete code for a shape interface, implemented by circle and Square classes − <?php interface shape { public function area(): float; } class square implements shape { var $side; public function __construct($arg1) { $this->side = $arg1; } public function area(): float { return pow($this->side, 2); } } class circle implements shape { var $radius; public function __construct($arg1) { $this->radius = $arg1; } public function area(): float { return pow($this->radius,2)*pi(); } } $sq = new square(5); echo “Side: ” . $sq->side . ” Area of Square: “. $sq->area() . PHP_EOL; $cir = new circle(5); echo “Radius: ” . $cir->radius . ” Area of Circle: ” . $cir->area(). PHP_EOL; ?> It will produce the following output − Side: 5 Area of Square: 25 Radius: 5 Area of Circle: 78.539816339745 Multiple Inheritance in PHP PHP doesnât have the provision to build a child class that extends two parent classes. In other words, the statement − class child extends parent1, parent2 is not accepted. However, PHP does support having a child class that extends one parent class, and implementing one or more interfaces. Let use look at the following example that shows a class that extends another and implements an interface. First, the parent class marks. It has three instance variables or properties $m1, $m2, $m3 representing the marks in three subjects. A constructor is provided to initialize the object. class marks { protected int $m1, $m2, $m3; public function __construct($x, $y, $z) { $this->m1 = $x; $this->m2 = $y; $this->m3 = $z; } } We now provide an interface called percent that declares a method percent(), which should return a float but doesnât have a function body. interface percent { public function percent(): float; } We now develop a class that extends marks class and provides implementation for percent() method in the interface. class student extends marks implements percent { public function percent(): float { return ($this->m1+$this->m2+$this->m3)*100/300; } } The student class inherits the parent constructor, but provides implementation of parent() method that returns the percentage of marks. Example The complete code is as follows − <?php class marks { protected int $m1, $m2, $m3; public function __construct($x, $y, $z) { $this->m1 = $x; $this->m2 = $y; $this->m3 = $z; } } interface percent { public function percent(): float; } class student extends marks implements percent { public function percent(): float { return ($this->m1+$this->m2+$this->m3)*100/300; } } $s1 = new student(50, 60, 70); echo “Percentage of marks: “. $s1->percent() . PHP_EOL; ?> It will produce the following output − Percentage of marks: 60 The interface in PHP defines a
PHP – Foreach Loop
PHP – Foreach Loop ”; Previous Next The foreach construct in PHP is specially meant for iterating over arrays. If you try to use it on a variable with a different data type, PHP raises an error. The foreach loop in PHP can be used with indexed array as well as associative array. There are two types of usage syntaxes available − foreach (array as $value) { statements } The above method is useful when you want to iterate an indexed array. The syntax below is more suitable for associative arrays. foreach (array as $key => $value) { statements } However, both these approaches work well with indexed array, because the index of an item in the array also acts as the key. Using “foreach” Loop with an Indexed Array The first type of syntax above shows a parenthesis in front of the foreach keyword. The name of the array to be traversed is then followed by the “as” keyword and then a variable. When the fist iteration starts, the first element in the array is assigned to the variable. After the looping block is over, the variable takes the value of the next element and repeats the statements in the loop body till the elements in the array are exhausted. A typical use of foreach loop is as follows − <?php $arr = array(10, 20, 30, 40, 50); foreach ($arr as $val) { echo “$val n”; } ?> Example PHP provides a very useful function in array_search() which returns the key of a given value. Since the index itself is the key in an indexed array, the array_search() for each $val returns the zero based index of each value. The following code demonstrates how it works − <?php $arr = array(10, 20, 30, 40, 50); foreach ($arr as $val) { $index = array_search($val, $arr); echo “Element at index $index is $val n”; } ?> It will produce the following output − Element at index 0 is 10 Element at index 1 is 20 Element at index 2 is 30 Element at index 3 is 40 Element at index 4 is 50 Example The second variation of foreach syntax unpacks each element in the array into two variables: one for the key and one for value. Since the index itself acts as the key in case of an indexed array, the $k variable successively takes the incrementing index of each element in the array. <?php $arr = array(10, 20, 30, 40, 50); foreach ($arr as $k=>$v) { echo “Key: $k => Val: $v n”; } ?> It will produce the following output − Key: 0 => Val: 10 Key: 1 => Val: 20 Key: 2 => Val: 30 Key: 3 => Val: 40 Key: 4 => Val: 50 Iterating an Associative Array using “foreach” Loop An associative array is a collection of key-value pairs. To iterate through an associative array, the second variation of foreach syntax is suitable. Each element in the array is unpacked in two variables each taking up the value of key and its value. Example Here is an example in which an array of states and their respective capitals is traversed using the foreach loop. <?php $capitals = array( “Maharashtra”=>”Mumbai”, “Telangana”=>”Hyderabad”, “UP”=>”Lucknow”, “Tamilnadu”=>”Chennai” ); foreach ($capitals as $k=>$v) { echo “Capital of $k is $v n”; } ?> It will produce the following output − Capital of Maharashtra is Mumbai Capital of Telangana is Hyderabad Capital of UP is Lucknow Capital of Tamilnadu is Chennai However, you can still use the first version of foreach statement, where only the value from each key-value pair in the array is stored in the variable. We then obtain the key corresponding to the value using the array_search() function that we had used before. <?php $capitals = array( “Maharashtra”=>”Mumbai”, “Telangana”=>”Hyderabad”, “UP”=>”Lucknow”, “Tamilnadu”=>”Chennai” ); foreach ($capitals as $pair) { $cap = array_search($pair, $capitals); echo “Capital of $cap is $capitals[$cap] n”; } ?> Iterating a 2D Array using “foreach” Loop It is possible to declare a multi-dimensional array in PHP, wherein each element in an array is another array itself. Note that both the outer array as well as the sub-arry may be an indexed array or an associative array. In the example below, we have a two-dimensional array, which can be called as an array or arrays. We need nested loops to traverse the nested array structure as follows − <?php $twoD = array( array(1,2,3,4), array(“one”, “two”, “three”, “four”), array(“one”=>1, “two”=>2, “three”=>3) ); foreach ($twoD as $idx=>$arr) { echo “Array no $idx n”; foreach ($arr as $k=>$v) { echo “$k => $v” . “n”; } echo “n”; } ?> It will produce the following output − Array no 0 0 => 1 1 => 2 2 => 3 3 => 4 Array no 1 0 => one 1 => two 2 => three 3 => four Array no 2 one => 1 two => 2 three => 3 Print Page Previous Next Advertisements ”;
PHP – Append File
PHP – Append File ”; Previous Next In PHP, the fopen() function returns the file pointer of a file used in different opening modes such as “w” for write mode, “r” read mode and “r+” or “r+” mode for simultaneous read/write operation, and “a” mode that stands for append mode. When a file is opened with “w” mode parameter, it always opens a new file. It means that if the file already exists, its content will be lost. The subsequent fwrite() function will put the data at the starting position of the file. Assuming that a file “new.txt” is present with the following contents − Hello World TutorialsPoint PHP Tutorial The following statement − $fp = fopen(“new.txt”, “w”); Erases all the existing data before new contents are written. Read/Write Mode Obviously, it is not possible to add new data if the file is opened with “r” mode. However, “r+” or “w+” mod opens the file in “r/w” mode, but still a fwrite() statement immediately after opening a file will overwrite the contents. Example Take a look at the following code − <?php $fp = fopen(“new.txt”, “r+”); fwrite($fp, “PHP-MySQL Tutorialn”); fclose($fp); ?> With this code, the contents of the “new.txt” file will now become − PHP-MySQL Tutorial lsPoint PHP Tutorial To ensure that the new content is added at the end of the existing file, we need to manually put the file pointer to the end, before write operation. (The initial file pointer position is at the 0th byte) The fseek() Function PHP’s fseek() function makes it possible to place the file pointer anywhere you want − fseek(resource $stream, int $offset, int $whence = SEEK_SET): int The $whence parameter is from where the offset is counted. Its values are − SEEK_SET − Set position equal to offset bytes. SEEK_CUR − Set position to current location plus offset. SEEK_END − Set position to end-of-file plus offset. Example So, we need to move the pointer to the end with the fseek() function as in the following code which adds the new content to the end. <?php $fp = fopen(“new.txt”, “r+”); fseek($fp, 0, SEEK_END); fwrite($fp, “nPHP-MySQL Tutorialn”); fclose($fp); ?> Now check the contents of “new.txt”. It will have the following text − Hello World TutorialsPoint PHP Tutorial PHP-MySQL Tutorial Append Mode Instead of manually moving the pointer to the end, the “a” parameter in fopen() function opens the file in append mode. Each fwrite() statement adds the content at the end of the existing contents, by automatically moving the pointer to SEEK_END position. <?php $fp = fopen(“new.txt”, “a”); fwrite($fp, “nPHP-MySQL Tutorialn”); fclose($fp); ?> One of the allowed modes for fopen() function is “r+” mode, with which the file performs read/append operation. To read data from any position, you can place the pointer to the desired byte by fseek(). But, every fwrite() operation writes new content at the end only. Example In the program below, the file is opened in “a+” mode. To read the first line, we shift the file position to 0the position from beginning. However, the fwrite() statement still adds new content to the end and doesn’t overwrite the following line as it would have if the opening mode “r+” mode. <?php $fp = fopen(“new.txt”, “a+”); fseek($fp, 0, SEEK_SET); $data = fread($fp, 12); echo $data; fwrite($fp, “PHP-File Handling”); fclose ($fp); ?> Thus, we can append data to an existing file if it is opened in “r+/w+” mode or “a/a+” mode Print Page Previous Next Advertisements ”;
PHP – Listing Files
PHP â Listing Files ”; Previous Next Windows command DIR and Linux command ls both display the list of files in the current directory. These commands can be operated with different switches to apply conditions on the list of files displayed. PHP provides a couple of options for programmatically listing files in a given directory. The readdir() Function The opendir() function in PHP is similar to fopen() function. It returns handles to the directory so that the contents of the directory can be read from in a serialized manner. opendir(string $directory, ?resource $context = null): resource|false This function opens up a directory handle to be used in the subsequent closedir(), readdir(), and rewinddir() calls. The readdir() function reads the next available entry from the stream handle returned by opendir() function. readdir(?resource $dir_handle = null): string|false Here, dir_handle is the directory handle previously opened with opendir().not specified, the last link opened by opendir() is assumed. The closedir() function is similar to fclose() function. It closes the directory handle. closedir(?resource $dir_handle = null): void The function closes the directory stream indicated by dir_handle. The stream must have previously been opened by opendir(). Example The following PHP code reads one file at a time from the currently logged directory. <?php $dir = getcwd(); // Open a known directory, and proceed to read its contents if (is_dir($dir)) { if ($dh = opendir($dir)) { while (($file = readdir($dh)) !== false) { echo “filename:” . $file . “n”; } closedir($dh); } } ?> The scandir() Function The scandir() function retrieves the files ans subdirectories inside a given directory. scandir(string $directory, int $sorting_order = SCANDIR_SORT_ASCENDING, ?resource $context = null): array|false The “sorting_order” by default is alphabetical in ascending order. If this optional parameter is set to SCANDIR_SORT_DESCENDING, then the sort order becomes alphabetical in descending order. If it is set to SCANDIR_SORT_NONE, then the result becomes unsorted. Example With the following PHP code, the scandir() function returns an array of files in the given directory. <?php $dir = “c:/xampp/php/mydir/”; $files = scandir($dir); var_dump($files); ?> It will produce the following output − array(4) { [0]=> string(1) “.” [1]=> string(2) “..” [2]=> string(5) “a.txt” [3]=> string(5) “b.txt” } You can use a foreach loop to traverse the array returned by the scandir() function. <?php $dir = “c:/xampp/php/mydir/”; $files = scandir($dir); foreach ($files as $file) echo $file . PHP_EOL; ?> It will produce the following output − . .. a.txt b.txt Print Page Previous Next Advertisements ”;
PHP – Delete File
PHP – Delete File ”; Previous Next PHP doesn’t have either a delete keyword or a delete() function. Instead, it provides the unlink() function, which when called, deletes a file from the filesystem. It is similar to Unix/C unlink function. If the delete operation could not be completed, PHP returns false and shows an E_WARNING message. unlink(string $filename, ?resource $context = null): bool The mandatory string parameter to unlink() function is a string that refers to the file to be deleted. Example The following code demonstrates a simple use of the unlink() function − <?php $file = “my_file.txt”; if (unlink($file)) { echo “The file was deleted successfully.”; } else { echo “The file could not be deleted.”; } ?> Deleting the Symlink to a File The unlink() function can also delete a symlink to a file. However, deleting a symlink doesn’t delete the original file. A symlink is a shortcut to an existing file. In Windows, open a command prompt with administrator privilege and use the mlink command with /h switch to create a symlink to a file. (/j switch is used for symlink to a folder) mklink /h hellolink.lnk hello.txt Hardlink created for hellolink.lnk <<===>> hello.txt In Ubuntu Linux, to create a symbolic link to a file, you would use the following command − ln -s /path/to/original_file /path/to/symlink To create a symbolic link to a directory, you would use the following command − ln -s /path/to/original_directory /path/to/symlink In PHP, there is also a symlink() function for the purpose. symlink(string $target, string $link): bool Example Create a symlink with the following code − <?php $target = ”hello.txt”; $link = ”hellolink.lnk”; symlink($target, $link); echo readlink($link); ?> Now delete the symlink created above − unlink(“hellolink.lnk”); If you check the current working directory, the symlink will be deleted, leaving the original file intact. How to Rename a File in PHP You can change the name of an existing file with the help of respective command from the console of an operating system. For example, the “mv command in Linux terminal or the “rename command” in Windows command prompt helps you to change the name of a file. However, to rename a file programmatically, PHP’s built-in library includes a rename() function. Here is the syntax of the rename() function − rename(string $from, string $to, ?resource $context = null): bool Both $from and $to strings are the names of files, existing and new respectively. The rename() function attempts to rename $from to $to, moving it between directories if necessary. If you are renaming a file and $to already exists, then it will be overwritten. If you are renaming a directory and $to exists, then this function will emit a warning. To change the name of “hello.txt” to “test.txt” − <?php rename(“hello.txt”, “test.txt”); ?> You can also employ a little indirect approach for renaming a file. Make a copy of an existing file and delete the original one. This also renames “hello.txt” to “test.txt” − copy(“hello.txt”, “test.txt”); unlink(“hello.txt”); Print Page Previous Next Advertisements ”;
PHP – Handle CSV File
PHP â Handle CSV File ”; Previous Next Popular spreadsheet programs use the CSV file format (which stands for Comma Separated Values) to export worksheet data in plain text. Each line in the file represents one row of the worksheet, with values in each column separated by commas. PHPâs filesystem function library provides two functions â fgetcsv() and fputcsv() â respectively to read data from a CSV file into an array and put the array elements in a CSV file. The fgetcsv() Function The getcsv() function reads the line from the file pointer, and parses it into CSV fields. fgetcsv( resource $stream, ?int $length = null, string $separator = “,”, string $enclosure = “””, string $escape = “\” ): array|false The $stream parameter is a handle to the file resource, opened in read mode. The default separator symbol to parse the fields is comma, you can specify any other symbol if required. The fgetcsv() function returns an indexed array containing the fields. If the function encounters any error, it returns false. To demonstrate the use of fgetcsv() function, store the following text as “hello.txt” in the current working directory. Name, Email, Post, Salary Ravishankar, [email protected], Manager, 40000 Kavita, [email protected], Assistant, 25000 Nandkumar, [email protected], Programmer, 30000 Example The following PHP code reads the CSV data from this file, and returns an array. The fields in the array are then rendered in a HTML table − <?php $filename = ”hello.csv”; $data = []; // open the file $f = fopen($filename, ”r”); if ($f === false) { die(”Cannot open the file ” . $filename); } // read each line in CSV file at a time while (($row = fgetcsv($f)) !== false) { $data[] = $row; } // close the file fclose($f); echo “<table border=1>”; foreach ($data as $row) { echo “<tr>”; foreach($row as $val) { echo “<td>$val</td>”; } echo “</tr>”; } echo “</table>”; ?> It will produce the following output − Name Email Post Salary Ravishankar [email protected] Manager 40000 Kavita [email protected] Assistant 25000 Nandkumar [email protected] Programmer 30000 The fputcsv() Function Te fputcsv() function puts an indexed array with its elements separated by commas, at the current file pointer position of a CSV file. fputcsv( resource $stream, array $fields, string $separator = “,”, string $enclosure = “””, string $escape = “\”, string $eol = “n” ): int|false The target file must be opened in write mode. The second mandatory parameter is an array consisting of comma separated fields. As in case of fgetcsv() function, the default separator is comma. Example In the following code, a two dimensional array of comma separated values is written into a CSV file. <?php $data = [ [“Name”, “Email”, “Post”, “Salary”], [“Ravishankar”, “[email protected]”, “Manager”, “40000”], [“Kavita”, “[email protected]”, “Assistant”, “25000”], [“Nandkumar”, “[email protected]”, “Programmer”, “30000”], ]; $filename = ”employee.csv”; // open csv file for writing $f = fopen($filename, ”w”); if ($f === false) { die(”Error opening the file ” . $filename); } // write each row at a time to a file foreach ($data as $row) { fputcsv($f, $row); } // close the file fclose($f); ?> The “employee.csv” file should be created in the current working directory, after the above program is executed. Print Page Previous Next Advertisements ”;
PHP – File Existence
PHP – File Existence ”; Previous Next It is often handy to check if the file you are trying to open really exists in the first place before performing any processing on it. Otherwise, the program is likely to raise a runtime exception. PHP’s built-in library provides some utility functions in this regard. Some of the functions we shall discuss in this chapter are − file_exists() − tests if the file exists is_file() − if the handle returned by the fopen() refers to a file or directory. is_readable() − test if the file you have opened allows reading data is_writable() − test if writing data in the file is allowed The file_exists() Function This function works with a file as well as a directory. It checks whether the given file or directory exists or not. file_exists(string $filename): bool The only parameter to this function is a string representing the file/directory with full path. The function returns true or false depending upon the file exists or not. Example The following program checks if the file “hello.txt” exists or not. <?php $filename = ”hello.txt”; if (file_exists($filename)) { $message = “The file $filename exists”; } else { $message = “The file $filename does not exist”; } echo $message; ?> If the file does exist in the current directory, the message is − The file hello.txt exists If not, the message is − The file hello.txt does not exist Example The string pointing to the file may have a relative or absolute path. Assuming that “hello.txt” file is available in a “hello” subdirectory which is inside the current directory. <?php $filename = ”hello/hello.txt”; if (file_exists($filename)) { $message = “The file $filename exists”; } else { $message = “The file $filename does not exist”; } echo $message; ?> It will produce the following output − The file hello/hello.txt exists Example Try giving the absolute path as below − <?php $filename = ”c:/xampp/htdocs/hello.txt”; if (file_exists($filename)) { $message = “The file $filename exists”; } else { $message = “The file $filename does not exist”; } echo $message; ?> It will produce the following output − The file c:/xampp/htdocs/hello.txt exists The is_file() Function The file_exists() function returns true for existing file as well as directory. The is_file() function helps you to determine if it’s a file. is_file ( string $filename ) : bool The following example shows how the is_file() function works − <?php $filename = ”hello.txt”; if (is_file($filename)) { $message = “$filename is a file”; } else { $message = “$filename is a not a file”; } echo $message; ?> The output tells that it is a file − hello.txt is a file Now, change the “$filename” to a directory, and see the result − <?php $filename = hello; if (is_file($filename)) { $message = “$filename is a file”; } else { $message = “$filename is a not a file”; } echo $message; ?> Now you will be told that “hello” is not a file. Note that The is_file() function accepts a $filename and returns true only if the $filename is a file and exists. The is_readable() Function Sometimes, you may want to check before hand if the file can be read from or not. The is_readable() function can ascertain this fact. is_readable ( string $filename ) : bool Example Given below is an example of how the is_readable() function works − <?php $filename = ”hello.txt”; if (is_readable($filename)) { $message = “$filename is readable”; } else { $message = “$filename is not readable”; } echo $message; ?> It will produce the following output − hello.txt is readable The is_writable() Function You can use the is_writable() function to can check if a file exists and if it is possible to perform write operation on the given file. is_writable ( string $filename ) : bool Example The following example shows how the is_writable() function works − <?php $filename = ”hello.txt”; if (is_writable($filename)) { $message = “$filename is writable”; } else { $message = “$filename is not writable”; } echo $message; ?> For a normal archived file, the program tells that it is writable. However, change its property to “read_only” and run the program. You now get − hello.txt is writable Print Page Previous Next Advertisements ”;