1》stat: 查看一个文件的属性
#include <sys/types.h>
#include <sys/stat.h>
#include <unistd.h>
int stat(const char *pathname, struct stat *statbuf);
形参:pathname 文件名
statbuf:获取到的文件属性存放的位置
返回值:成功返回0,失败返回-1
struct stat {
dev_t st_dev; /*如果是设备,返回文件使用的设备号,否则为 0*/
ino_t st_ino; /* 索引节点号 (i节点)*/
mode_t st_mode; /* 文件类型,权限 */
nlink_t st_nlink; /* 文件的硬连接数,如果是目录文件,表示一级子目录个数 */
uid_t st_uid; /* 所有者用户识别号*/
gid_t st_gid; /* 组识别号 */
dev_t st_rdev; /* 设备类型*/
off_t st_size; /* 文件大小,字节表示 */
blksize_t st_blksize; /* 系统每次按块Io操作时块的大小(一般是512或1024)*/
blkcnt_t st_blocks; /*块的索引号 */
time_t st_atime; /* 最后访问时间,如read*/
time_t st_mtime; /* 最后修改时间*/
time_t st_ctime; /* 创建时间 */
};
st_mode & 下面的宏 !=0 说明有该权限
2》lstat:
int lstat(const char *pathname, struct stat *statbuf);
形参:pathname 文件名
statbuf:获取到的文件属性存放的位置
如果当前文件是链接文件,stat获取的是链接文件原文件的属性;
如果当前文件是链接文件,lstat获取的是链接文件(l),自己的属性;
#include "stdio.h"
#include <sys/types.h>
#include <sys/stat.h>
#include <unistd.h>
#include "string.h"
#include <dirent.h>
#include "time.h"
char Fun(mode_t ch);
char *Func(mode_t ch);
int main(int argc,char *argv[])
{
struct dirent *q;
struct stat p;
char path[128] = {0};
time_t t = time(NULL);
struct tm *w = localtime(&t);
if(argc < 2)
{
strcpy(path,".");
}
else
{
strcpy(path,argv[1]);
}
DIR *dir = opendir(path);
if(dir == NULL)
{
perror("opendir");
return -1;
}
while(q = readdir(dir))
{
if(q->d_name[0] == '.')
continue;
printf("%ld ",q->d_ino);
int a = lstat(q->d_name,&p);
if(a == -1)
{
perror("lstat");
return -1;
}
printf("%c%s ",Fun(p.st_mode),Func(p.st_mode));
printf("%ld %ld ",p.st_nlink,p.st_size);
printf("%d月 %d ",w->tm_mon+1,w->tm_mday);
printf("%d:%d ",w->tm_hour,w->tm_min);
printf("%s\n",q->d_name);
}
// printf("\n");
closedir(dir);
return 0;
}
char Fun(mode_t ch)
{
char a = 0;
switch (ch & S_IFMT)
{
case S_IFBLK: a = 'b';break;
case S_IFCHR: a = 'c';break;
case S_IFDIR: a = 'd'; break;
case S_IFIFO: a = 'p';break;
case S_IFLNK: a = 'l';break;
case S_IFREG: a = '-';break;
case S_IFSOCK:a = 's';break;
}
return a;
}
char *Func(mode_t ch)
{
static char buf[10] = {0};
strcpy(buf,"---------");
if(ch & S_IRUSR)
{
buf[0] = 'r';
}
if(ch & S_IWUSR)
{
buf[1] = 'w';
}
if(ch & S_IXUSR)
{
buf[2] = 'x';
}
if(ch & S_IRGRP)
{
buf[3] = 'r';
}
if(ch & S_IWGRP)
{
buf[4] = 'w';
}
if(ch & S_IXGRP)
{
buf[5] = 'x';
}
if(ch & S_IROTH)
{
buf[6] = 'r';
}
if(ch & S_IWOTH)
{
buf[7] = 'w';
}
if(ch & S_IXOTH)
{
buf[8] = 'x';
}
return buf;
}