0

在这里,我正在尝试使用open readwrite系统调用将一个文件的内容复制到其他(unix)中,但由于某种原因,代码运行了无限时间......我没有收到错误,所以如果你能帮助我! !

#include<unistd.h>
#include<stdio.h>
#include<sys/types.h>
#include<fcntl.h>
#include<stdlib.h>
#include<string.h>
int main(int args,char *ar[])
{
char *source=ar[1];
char *dest="def.txt";
char *buf=(char *)malloc(sizeof(char)*120);
int fd1,fd2;
fd1=open(source,O_CREAT,0744);
fd2=open(dest,O_CREAT,0744);
while(read(fd1,buf,120)!=-1)
{
printf("%s",buf);
//printf("Processing\n");
write(fd2,buf,120);
}
printf("Process Done");
close(fd1);
close(fd2);
}

提前谢谢...

4

1 回答 1

0

您的代码中有很多问题。

  • 第一个也是最明显的一点是,您永远不会检查错误(malloc, open, close)。如果您想知道:是的,您确实需要检查close.
  • 那么您的open调用不正确,因为您没有指定文件访问模式。引用man 2 openThe argument flags must include one of the following access modes: O_RDONLY, O_WRONLY, or O_RDWR.您在这里调用未定义的行为。
  • 您对返回值的处理read也是错误的。您只检查错误,但如果没有发生错误,您的程序将无限循环。请注意,文件结尾不被视为错误。而是read返回读取的字节数(您不检查)。在文件结束时,返回值为 0。
  • 您的 main 函数不返回值。尝试运行gccclang使用-Wall -Wextra以查看此类问题。
  • 顺便说一下,强制转换的返回值malloc被认为是有害的。
于 2013-07-31T18:48:13.293 回答