这一小节会用到上面两张图的红色框里面的变量
任务:
模拟实现 ls -l 指令
-rw-rw-r-- 1 nowcoder nowcoder 12 12月 3 15:48 a.txt
cpp
#include <stdio.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <unistd.h>
#include <pwd.h>
#include <grp.h>
#include <time.h>
#include <string.h>
// 模拟实现 ls -l 指令
// -rw-rw-r-- 1 nowcoder nowcoder 12 12月 3 15:48 a.txt
int main(int argc, char * argv[]) {
// 判断输入的参数是否正确
if(argc < 2) {
printf("%s filename\n", argv[0]);
return -1;
}
// 通过stat函数获取用户传入的文件的信息
struct stat st;
int ret = stat(argv[1], &st);
if(ret == -1) {
perror("stat");
return -1;
}
// 获取文件类型和文件权限
char perms[11] = {0}; // 用于保存文件类型和文件权限的字符串
//(st_mode & S_IFMT) == S_IFREG
switch(st.st_mode & S_IFMT) { //S_IFMT:掩码
case S_IFLNK: // S_IFLNK:符号链接(软链接)
perms[0] = 'l';
break;
case S_IFDIR: // S_IFDIR:目录
perms[0] = 'd';
break;
case S_IFREG: // S_IFREG:符号链接
perms[0] = '-';
break;
case S_IFBLK: // S_IFBLK:块设备
perms[0] = 'b';
break;
case S_IFCHR: // S_IFCHR:字符设备
perms[0] = 'c';
break;
case S_IFSOCK: // S_IFSOCK:套接字
perms[0] = 's';
break;
case S_IFIFO: // S_IFIFO:管道
perms[0] = 'p';
break;
default:
perms[0] = '?';
break;
}
// 判断文件的访问权限
// 文件所有者 User
perms[1] = (st.st_mode & S_IRUSR) ? 'r' : '-';//st.st_mode文件的类型和存取的权限
perms[2] = (st.st_mode & S_IWUSR) ? 'w' : '-';
perms[3] = (st.st_mode & S_IXUSR) ? 'x' : '-';
// 文件所在组 Group
perms[4] = (st.st_mode & S_IRGRP) ? 'r' : '-';
perms[5] = (st.st_mode & S_IWGRP) ? 'w' : '-';
perms[6] = (st.st_mode & S_IXGRP) ? 'x' : '-';
// 其他人 Others
perms[7] = (st.st_mode & S_IROTH) ? 'r' : '-';
perms[8] = (st.st_mode & S_IWOTH) ? 'w' : '-';
perms[9] = (st.st_mode & S_IXOTH) ? 'x' : '-';
// 硬连接数
int linkNum = st.st_nlink;//st_nlink 连到该文件的硬连接数目
// 文件所有者
char * fileUser = getpwuid(st.st_uid)->pw_name;//st_uid 用户ID
// 文件所在组
char * fileGrp = getgrgid(st.st_gid)->gr_name;//st_gid 组ID
// 文件大小
long int fileSize = st.st_size;//st.st_size 文件字节数(文件大小)
// 获取修改的时间
char * time = ctime(&st.st_mtime);//st.st_mtime最后一次修改事件
//去除换行符
char mtime[512] = {0};
strncpy(mtime, time, strlen(time) - 1);
char buf[1024];
sprintf(buf, "%s %d %s %s %ld %s %s", perms, linkNum, fileUser, fileGrp, fileSize, mtime, argv[1]);
printf("%s\n", buf);
return 0;
}