我正在尝试实现一个名为displaycontent的命令,该命令将文本文件名作为参数并显示其内容。我将在Linux中使用open()
,read()
,write()
和close()
系统调用来执行此操作。它应该像UNIX cat
命令一样用于显示文件内容。
这是我到目前为止所做的:
#include <stdio.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <string.h>
#include <errno.h>
#include <unistd.h>
int main(int argc, char *argv[])
{
int fd;
char content[fd];
errno = 0;
fd = open(argv[1], O_RDONLY);
if(fd < 0)
{
printf("File could not be opened.\n");
perror("open");
return 1;
}
else
{
read(fd, content, sizeof(content)-1);
write(1, content, sizeof(content)-1);
}
return 0;
}
我有一个名为hello2.txt的文件,其中有文字:hellooooooooooooooo
当我./displaycontent hello2.txt
时,我得到:
user@user-VirtualBox:~/Desktop/Csc332/csc332lab$ ./displaycontent hello2.txt
hellooooooooooooooo
����>k���[`�s�b��user@user-VirtualBox:~/Desktop/Csc332/csc332lab$
文件内容后面有奇怪的符号和内容。我不确定有什么问题,任何帮助都将不胜感激。谢谢。
答案 0 :(得分:4)
使用
bytes = read (fd,content,sizeof(content)-1);
来捕获数字 读取的字节数。然后使用write(1,content,bytes);
中的字节来仅写入 读取的字节数。 - user3121023
答案 1 :(得分:3)
fd
未初始化,因此未确定content
的大小。
无论如何,你不应该使用fd。如果这只是一个练习,你可以使用一个大的固定数字。否则,您希望获得文件大小并使用它。
要获取文件长度,您可以按照以下示例:
#include <unistd.h>
#include <fcntl.h>
#include <sys/types.h>
int main()
{
int fd = open( "testfile.txt", O_RDONLY );
if ( fd < 0 )
return 1;
off_t fileLength = lseek( fd, 0, SEEK_END ); // goes to end of file
if ( fileLength < 0 )
return 1;
// Use lseek() again (with SEEK_SET) to go to beginning for read() call to follow.
close( fd );
return 0;
}
(我今天没有编译过,而且只是从记忆中读出来的。如果有拼写错误,它们应该是次要的)