php 文件读取与读取文件输出内容例子

php读取文件有很多的方法了,我们下文来为各位介绍一些常用的文件读取与输入读取文件内容的例子.

一,读取文件

先解释一下,什么是读取文件本身,什么叫读取文件输入内容,举个例子test.php里面的内容<?php echo "test"; ?>

1,读取文件本身就是读取文件内所有内容,读取后就能得到<?php echo "test"; ?>

2,读取文件输出内容是读取文件所表现出来的东西,读取后得到test

二,fopen方法

1,读取文件本身,代码如下:

  1. <?php
  2. $filename = "test.php";
  3. $handle = fopen($filename, "r");
  4. $contents = fread($handle, filesize ($filename));
  5. fclose($handle);
  6. echo strlen($contents);
  7. ?>

2,读取文件输出内容,代码如下:

  1. <?php
  2. $filename = "http://localhost/test/test.php";
  3. $handle = fopen($filename, "r");
  4. $contents = "";
  5. while (!feof($handle)) {
  6. $contents .= fread($handle, 8192);
  7. }
  8. fclose($handle);
  9. echo strlen($contents);
  10. ?>

上面二个读取的文件是同一个,但是为什么会不一样呢,http://localhost/test/test.php,在这里test.php文件被解释了,fopen只是得到这个脚本所输入的内容,看看php官方网站的解释吧.

fopen() 将 filename 指定的名字资源绑定到一个流上,如果 filename 是 "scheme://..." 的格式,则被当成一个 URL,PHP 将搜索协议处理器,也被称为封装协议,来处理此模式,如果该协议尚未注册封装协议,PHP 将发出一条消息来帮助检查脚本中潜在的问题并将 filename 当成一个普通的文件名继续执行下去.

三,file方法

1,读取文件本身,代码如下:

  1. <?php
  2. $filename = "test.php";
  3. $content = file($filename); //得到数组
  4. print_r($content);
  5. ?>

2,读取文件显示输出内容,代码如下:

  1. <?php
  2. $filename = "http://localhost/test/test.php";
  3. $content = file($filename);
  4. print_r($content);
  5. ?>

四,file_get_contents方法

1,读取文件本身,代码如下:

  1. <?php
  2. $filename = "test.php";
  3. $content = file_get_contents($filename); //得到字符串
  4. echo strlen($content); //开源软件:phpfensi.com
  5. ?>

2,读取文件显示输出内容,代码如下:

  1. <?php
  2. $filename = "http://localhost/test/test.php";
  3. $content = file_get_contents($filename);
  4. echo strlen($content);
  5. ?>

五,readfile方法

1,读取文件本身,代码如下:

  1. <?php
  2. $filename = "test.php";
  3. $num = readfile($filename); //返回字节数
  4. echo $num;
  5. ?>

2,读取文件显示输出内容,代码如下:

  1. <?php
  2. $filename = "http://localhost/test/test.php";
  3. $num = readfile($filename); //返回字节数
  4. echo $num;
  5. ?>

六,ob_get_contents方法

1,读取文件显示输出内容,代码如下:

  1. <?php
  2. ob_start();
  3. require_once('bbb.php');
  4. $content = ob_get_contents();
  5. ob_end_clean();
  6. echo strlen($content);
  7. ?>

总结:php读取文件的方法很多,读取url的方法也很多,个人总结了一下,如有不对请大家指正,如果有不足请大家补充.