作为我的一个类(class)分配的一部分,我必须用C编写一个程序来复制ls -al命令的结果。我已经阅读了必要的 Material ,但仍无法获得正确的输出。到目前为止,这是我的代码,仅应打印出文件大小和文件名,但打印的文件大小不正确。
码:
#include <sys/types.h>
#include <sys/stat.h>
#include <unistd.h>
#include <stdio.h>
#include <stdlib.h>
#include <dirent.h>
int main(int argc, char* argv[])
{
DIR *mydir;
struct dirent *myfile;
struct stat mystat;
mydir = opendir(argv[1]);
while((myfile = readdir(mydir)) != NULL)
{
stat(myfile->d_name, &mystat);
printf("%d",mystat.st_size);
printf(" %s\n", myfile->d_name);
}
closedir(mydir);
}
这些是执行代码后的结果:
[root@localhost ~]# ./a.out Downloads
4096 ..
4096 hw22.c
4096 ankur.txt
4096 .
4096 destination.txt
这是正确的尺寸:
[root@localhost ~]# ls -al Downloads
total 20
drwxr-xr-x. 2 root root 4096 Nov 26 01:35 .
dr-xr-x---. 24 root root 4096 Nov 26 01:29 ..
-rw-r--r--. 1 root root 27 Nov 21 06:32 ankur.txt
-rw-r--r--. 1 root root 38 Nov 21 06:50 destination.txt
-rw-r--r--. 1 root root 1139 Nov 25 23:38 hw22.c
谁能指出我的错误。
谢谢,
安库尔
最佳答案
myfile->d_name
是文件名而不是路径,因此,如果它不是工作目录,则需要先将文件名追加到目录"Downloads/file.txt"
中:
char buf[512];
while((myfile = readdir(mydir)) != NULL)
{
sprintf(buf, "%s/%s", argv[1], myfile->d_name);
stat(buf, &mystat);
....
关于为什么要打印
4096
的原因,它是最后一次调用.
时链接..
和stat()
的大小。注意:您应该分配一个足够大的缓冲区来容纳目录名,文件名
NULL
字节和分隔符,类似这样strlen(argv[1]) + NAME_MAX + 2;
关于c - 在C中实现ls -al命令,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13554150/