PHP提供了從檔案讀取資料的各種功能(函式)。 可使用不同的函式來讀取所有檔案資料,逐行讀取資料和字元讀取資料。
下面給出了可用的幾種PHP檔案讀取函式。
PHP fread()
函式用於讀取檔案的資料。 它需要兩個引數:檔案資源($handle
)和檔案大小($length
)。
語法
string fread (resource $handle , int $length )
$handle
表示由fopen()
函式建立的檔案指標。$length
表示要讀取的位元組長度。
範例
<?php
$filename = "c:\\file1.txt";
$fp = fopen($filename, "r");//open file in read mode
$contents = fread($fp, filesize($filename));//read file
echo "<pre>$contents</pre>";//printing data of file
fclose($fp);//close file
?>
上面程式碼執行結果如下 -
this is first line
this is another line
this is third line
PHP fgets()
函式用於從檔案中讀取單行資料內容。
語法
string fgets ( resource $handle [, int $length ] )
範例
<?php
$fp = fopen("c:\\file1.txt", "r");//open file in read mode
echo fgets($fp);
fclose($fp);
?>
上面程式碼輸出結果如下 -
this is first line
PHP fgetc()
函式用於從檔案中讀取單個字元。 要使用fgetc()
函式獲取所有資料,請在while
迴圈中使用!feof()
函式作為條件。
語法
string fgetc ( resource $handle )
範例
<?php
$fp = fopen("c:\\file1.txt", "r");//open file in read mode
while(!feof($fp)) {
echo fgetc($fp);
}
fclose($fp);
?>
上面程式碼輸出結果如下 -
this is first line this is another line this is third line