php 텍스트를 읽는 방법은 무엇인가요?
php에서 파일 내용을 읽는 여러 가지 방법
1.fread
string fread ( int $handle , int $length )
fread( )은 핸들이 가리키는 파일에서 최대 길이 바이트를 읽습니다. 이 함수는 length 바이트까지 읽은 후, EOF에 도달한 경우, 또는 (네트워크 스트림의 경우) 패킷을 사용할 수 있는 경우 또는 (사용자 공간 스트림을 연 후) 8192바이트를 읽은 후 호출됩니다. 어떤 조건이 먼저 발생하는지에 따라 다릅니다.
권장 사항: "PHP Tutorial"
fread()는 읽은 문자열을 반환하고, 오류가 발생하면 FALSE를 반환합니다.
<?php $filename = "/usr/local/something.txt"; $handle = fopen($filename, "r");//读取二进制文件时,需要将第二个参数设置成'rb' //通过filesize获得文件大小,将整个文件一下子读到一个字符串中 $contents = fread($handle, filesize ($filename)); fclose($handle); ?>
읽어올 파일이 로컬 일반 파일이 아닌 원격 파일이나 스트림 파일인 경우에는 filesize로 해당 파일의 크기를 얻을 수 없으므로 이 방법을 사용할 수 없습니다. 이때 파일의 끝을 읽었는지 여부를 확인하려면 feof() 또는 fread()의 반환 값을 사용해야 합니다.
예:
<?php $handle = fopen('http://www.baidu.com', 'r'); $content = ''; while(!feof($handle)){ $content .= fread($handle, 8080); } echo $content; fclose($handle); ?>
또는
<?php $handle = fopen('http://www.baidu.com', 'r'); $content = ''; while(false != ($a = fread($handle, 8080))){//返回false表示已经读取到文件末尾 $content .= $a; } echo $content; fclose($handle); ?>
2.fgets
string fgets ( int $handle [, int $length ] )
<?php $handle = fopen('./file.txt', 'r'); while(!feof($handle)){ echo fgets($handle, 1024); } fclose($handle); ?>
string fgetss ( resource $handle [, int $length [, string $allowable_tags ]] )
<?php $handle = fopen('./file.txt', 'r'); while(!feof($handle)){ echo fgetss($handle, 1024, '<br>'); } fclose($handle); ?>
array file ( string $filename [, int $use_include_path [, resource $context ]] )
<?php $a = file('./file.txt'); foreach($a as $line => $content){ echo 'line '.($line + 1).':'.$content; } ?>
int readfile ( string $filename [, bool $use_include_path [, resource $context ]] )
<?php $size = readfile('./file.txt'); echo $size; ?>
string file_get_contents ( string $filename [, bool $use_include_path [, resource $context [, int $offset [, int $maxlen ]]]] )
<?php $ctx = stream_context_create(array( 'http' => array( 'timeout' => 1 //设置超时 ) ) ); echo file_get_contents("http://www.baidu.com/", 0, $ctx); ?>
int fpassthru ( resource $handle )
<?php header("Content-Type:text/html;charset=utf-8"); $handle = fopen('./test2.php', 'r'); fseek($handle, 1024);//将指针定位到1024字节处 fpassthru($handle); ?>
위 내용은 PHP에서 텍스트를 읽는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!