我认为以下C代码会列出根目录中的内容。为什么它会永远循环?
#define _GNU_SOURCE
#define _POSIX_C_SOURCE 200809L
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <unistd.h>
#include <sys/syscall.h>
#include <stddef.h>
#include <stdlib.h>
#include <stdio.h>
typedef struct linux_dirent {
unsigned long d_ino;
unsigned long d_off;
unsigned short d_reclen;
char d_name[];
} linux_dirent;
extern int getdents(unsigned int fd, struct linux_dirent *dirp, unsigned int count)
{
return syscall(SYS_getdents, fd, dirp, count);
}
int main(void)
{
linux_dirent* entryPtr = malloc(20000000);
linux_dirent* buffer = entryPtr;
int fd = open("/", O_RDONLY | O_DIRECTORY);
int numentries = getdents((unsigned int)fd, entryPtr, 20000000);
close(fd);
for(;(entryPtr - buffer) < numentries; entryPtr += entryPtr->d_reclen)
{
puts(entryPtr->d_name);
}
}
答案 0 :(得分:3)
(entryPtr - buffer)将返回(指针之间的差异)/(sizeof(linux_dirent)),而numentries以字节为单位。如果您使用char ptr并将其转换为entry_ptr,它可能会起作用 - 即
int main(void)
{
char *entryPtr = malloc(20000000);
char* buffer = entryPtr;
int fd = open("/", O_RDONLY | O_DIRECTORY);
int numentries = getdents((unsigned int)fd, (linux_dirent *)entryPtr, 20000000);
close(fd);
for(;(entryPtr - buffer) < numentries; entryPtr += ((linux_dirent *)entryPtr)->d_reclen)
{
puts(((linux_dirent *)entryPtr)->d_name);
}
}
它可能会奏效。但是,我同意你应该使用readdir,而不是getdents。
答案 1 :(得分:0)
应该是
for(;
(entryPtr - buffer) < numentries;
entryPtr = (char*)((entryPtr+1)+entryPtr->d_reclen+2)
)
{
puts(entryPtr->d_name);
}
+2用于填充字节和d_type
字段
因为根据getdents(2),条目是可变长度的。
但你真的想使用readdir(3)。 getdents
仅对那些实施readdir
的用户有用,例如来自readdir.c的MUSL libc。