linux系统编程实现ls -l 命令
时间: 2023-08-17 17:22:31 浏览: 182
实现ls -l命令的关键是要读取当前目录下的文件和文件夹的信息,并将其格式化输出。下面是一个简单的C语言程序,实现了类似于ls -l的功能:
```c
#include <stdio.h>
#include <stdlib.h>
#include <sys/types.h>
#include <dirent.h>
#include <sys/stat.h>
#include <unistd.h>
#include <pwd.h>
#include <grp.h>
#include <time.h>
int main(int argc, char *argv[])
{
DIR *dp;
struct dirent *entry;
struct stat statbuf;
struct passwd *pwd;
struct group *grp;
char date[20];
if ((dp = opendir(".")) == NULL) {
fprintf(stderr, "Cannot open directory.\n");
exit(1);
}
while ((entry = readdir(dp)) != NULL) {
if (entry->d_name[0] == '.') continue;
if (lstat(entry->d_name, &statbuf) < 0) continue;
printf((S_ISDIR(statbuf.st_mode)) ? "d" : "-");
printf((statbuf.st_mode & S_IRUSR) ? "r" : "-");
printf((statbuf.st_mode & S_IWUSR) ? "w" : "-");
printf((statbuf.st_mode & S_IXUSR) ? "x" : "-");
printf((statbuf.st_mode & S_IRGRP) ? "r" : "-");
printf((statbuf.st_mode & S_IWGRP) ? "w" : "-");
printf((statbuf.st_mode & S_IXGRP) ? "x" : "-");
printf((statbuf.st_mode & S_IROTH) ? "r" : "-");
printf((statbuf.st_mode & S_IWOTH) ? "w" : "-");
printf((statbuf.st_mode & S_IXOTH) ? "x" : "-");
printf(" %2lu", statbuf.st_nlink);
if ((pwd = getpwuid(statbuf.st_uid)) != NULL) {
printf(" %s", pwd->pw_name);
} else {
printf(" %d", statbuf.st_uid);
}
if ((grp = getgrgid(statbuf.st_gid)) != NULL) {
printf(" %s", grp->gr_name);
} else {
printf(" %d", statbuf.st_gid);
}
strftime(date, 20, "%b %d %H:%M", localtime(&statbuf.st_mtime));
printf(" %s", date);
printf(" %s\n", entry->d_name);
}
closedir(dp);
return 0;
}
```
这个程序使用了许多系统调用和库函数,比如opendir、readdir、lstat、getpwuid、getgrgid等等。它首先打开当前目录("."),然后循环读取目录下的每个文件和文件夹的信息,使用lstat函数获取文件的详细信息,再利用各种库函数将这些信息格式化输出。
阅读全文