PHP函数glob:扫描目录文件更好的方式

PHP函数glob:扫描目录文件更好的方式

如果想要扫描一个目录下的文件,以及目录,应该怎么做呢。大家第一印象,可能是 scandir ,这个函数用来扫描给定路径下的文件列表,用法示例如下:

array scandir ( string $directory [, int $sorting_order [, resource $context ]] )

返回一个 array,包含有 directory 中的文件和目录。
用法举例:

$dir    = '/tmp';
$files1 = scandir($dir);
$files2 = scandir($dir, 1);
print_r($files1);
print_r($files2);

返回结果:

Array
    [0] => .
    [1] => ..
    [2] => bar.php
    [3] => foo.txt
    [4] => somedir
Array
    [0] => somedir
    [1] => foo.txt
    [2] => bar.php
    [3] => ..
    [4] => .

如果,仅仅要搜索给定路径下,.jpg .txt .php后缀的文件,有没有可以不用遍历的方法,模式匹配呢。那就是今天所要介绍的 glob 函数了。

array glob ( string $pattern [, int $flags = 0 ] )
// glob() 函数依照 libc glob() 函数使用的规则寻找所有与 pattern 匹配的文件路径,
// 类似于一般 shells 所用的规则一样。不进行缩写扩展或参数替代。 

返回一个包含有匹配文件/目录的数组。如果出错返回 FALSE

应用举例:

foreach (glob("*.txt") as $filename) {
    echo "$filename size " . filesize($filename) . "\n";

使用glob可以方便取代 opendir (<PHP4.3) 和scandir函数。且更为灵活。

glob函数第二个位置,接收一个定义常量参数,用于指定匹配方式:

  • GLOB_MARK - 在每个返回的项目中加一个斜线
  • GLOB_NOSORT - 按照文件在目录中出现的原始顺序返回(不排序)
  • GLOB_NOCHECK - 如果没有文件匹配则返回用于搜索的模式
  • GLOB_NOESCAPE - 反斜线不转义元字符
  • GLOB_BRACE - 扩充 {a,b,c} 来匹配 'a','b' 或 'c'
  • GLOB_ONLYDIR - 仅返回与模式匹配的目录项
  • GLOB_ERR - 停止并读取错误信息(比如说不可读的目录),默认的情况下忽略所有错误

再举例子:

// get all php files
$files = glob('*.php');
print_r($files);
/* output looks like:
Array
    [0] => phptest.php
    [1] => pi.php
    [2] => post_output.php
    [3] => test.php

使用flag参数:

// get all php files AND txt files
$files = glob('*.{php,txt}', GLOB_BRACE);
print_r($files);
/* output looks like:
Array
    [0] => phptest.php
    [1] => pi.php
    [2] => post_output.php
    [3] => test.php
    [4] => log.txt
    [5] => test.txt

如果要获取完整绝对路径,则可以这样用:

$files = glob('../images/a*.jpg');
// applies the function to each array element
$files = array_map('realpath',$files);
print_r($files);
/* output looks like:
Array