1.文件的属性信息获取
首先文件具有类型,在linux下边,有block(块设备,如磁盘分区、CD-ROM)、char(以字符为输入的设备,如键盘、打印机)、dir(目录类型,目录也是文件的一种)、fifo(命名管道,解释是将信息从一个进程传到另一个进程)、file(普通的文件)、link(链接,类似win下边的快捷方式)、unknow(未知类型)7大类,在win下边,只有3类:file、dir和unknown。Linux渣表示一定要好好搞一下Linux-_-,人家完全是为Linux而生。
关于类型的获取有这么几个函数:filetype:获取类型; is_file:判断为是否是正常文件; is_link:判断是否是链接。
关于属性的获取有这么几个函数:
file_exists:判断文件或目录是否存在;
filesize:获取文件大小;
is_readable、is_writable、is_executable :是否可读、可写、可执行;
filectime、filemtime、fileatime:获取文件的创建时间(create)、修改时间(modify)、访问时间(access),均返回时间戳;
stat:获取文件的一些基本信息,返回一个索引与关联混合数组。
比如,可以这样判断文件类型:
复制代码
<php
function getFileType($path){ // 获取文件类型
switch(filetype($path)){
case 'file': return 'ordinary file';
case 'dir': return 'directory';
case 'block': return 'block device file';
case 'char': return 'transfer device base on char';
case 'fifo': return 'named pipes';
case 'link': return 'symbol link';
default: return 'unknown type';
}
}
复制代码
filesize返回的是以字节为单位的数据,如果是大文件数字或很大,可以对数字先处理一下,代码如下
复制代码
<?php
// 处理文件大小
function getSize($path = '', $size = -1){
if($path !== null && $size == -1){ // 只传路径就计算大小,也可以使之只处理数字
$size = filesize($path);
}
if($size >= pow(2, 40)){
return round($size/pow(2, 40), 2).'TB';
}
else if($size >= pow(2, 30)){
return round($size/pow(2, 30), 2).'GB';
}
else if($size >= pow(2, 20)){
return round($size/pow(2, 20), 2).'MB';
}
else if($size >= pow(2, 10)){
return round($size/pow(2, 10), 2).'KB';
}
else{
return round($size, 2).'Byte';
}
}
复制代码
现在综合来获取一下文件信息,代码如下:
复制代码
<?php
function getFileInfo($path){
if(!file_exists($path)){ // 判断文件是否存在
echo 'file not exists!<br>';
return;
}
if(is_file($path)){ // 是文件,打印基础文件名
echo basename($path).' is a file<br>';
}
if(is_dir($path)){ // 是目录 ,返回目录
echo dirname($path).' is a directory<br>';
}
echo 'file type:'.getFileType($path).'<br>'; // 获取文件类型
echo 'file size:'.getSize($path).'<br>'; // 获取文件大小
if(is_readable($path)){ // 是否可读
echo basename($path).' is readable<br>';
}
if(is_writeable($path)){ // 是否可写
echo basename($path).' is writeable<br>';
}
if(is_executable($path)){ // 是否可执行
echo basename($path).' is executable<br>';
}
// touch函数可以修改这些时间
echo 'file create time: '.date('Y-m-d H:i:s', filectime($path)).'<br>'; // 创建时间
echo 'file modify time: '.date('Y-m-d H:i:s', filemtime($path)).'<br>'; // 修改时间
echo 'last access time: '.date('Y-m-d H:i:s', fileatime($path)).'<br>'; // 上次访问时间
echo 'file owner: '.fileowner($path).'<br>'; // 文件拥有者
echo 'file permission: '.substr(sprintf('%o', (fileperms($path))), -4).'<br>'; // 文件权限,八进制输出
echo 'file group: '.filegroup($path).'<br>'; // 文件所在的组
}