0

我在 c 中有这段代码来打开文件并将其内容写入另一个文件,但是当我运行它时结果错误并且某些行只复制并进入无限循环:

#include <stdio.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <unistd.h>
#include <errno.h>


//static int    read_cnt;
//static char   *read_ptr;
//static char   read_buf[1024];


int main(int argc, char **argv)
{
    //i have a variable size which is an int and is the byte size of the file
    //i got the byte size of file from stat
    int fileread = open("/tmp/des.py",'r');
    char buffer[1024];



    while((fileread = read(fileread, buffer, sizeof(buffer))>0));
    {
        if(fileread < 0) 
              printf("error write");
    }


    int filewrite = open("/tmp/original.txt", O_WRONLY|O_CREAT);

    while ((filewrite = write(filewrite, buffer, sizeof(buffer))>0))
    {
        if(filewrite < 0)
              printf("error write");
    }


    close(filewrite);
    close(fileread);

    return 0;
}

那么如何解决这个问题

4

3 回答 3

2

OP 试图复制全部内容,但有 2 个不相交的 while 循环。第一个将所有数据读入同一个小缓冲区。然后缓冲区的最后内容用于无休止地写入该缓冲区。

只需要 1 个 while 循环。写缓冲区需要使用读取的数据长度,而不是sizeof buffer.

int fileread = open("/tmp/des.py", O_RDONLY);
int filewrite = open("/tmp/original.txt", O_WRONLY|O_CREAT);
// After successfully opening ...
char buffer[1024];
ssize_t inlen;
ssize_t outlen;
while((inlen = read(fileread, buffer, sizeof buffer)) > 0) {
  outlen = write(filewrite, buffer, inlen);  // Note use of inlen
  if (inlen != outlen) {
    handle_error();
  }
}
if (inlen < 0) {
  handle_error();
}
close(filewrite);
close(fileread);
于 2013-10-22T10:27:45.963 回答
1

在这份声明中

    while(   (fileread=read(fileread,buffer,sizeof(buffer))>0));

您用读取的字节数覆盖 的值fileread,这是一个文件句柄。代码应该是

    int bytesRead = 0;
    while(   (bytesRead=read(fileread,buffer,sizeof(buffer))>0));

写入部分相同

于 2013-10-22T07:18:31.867 回答
0

你需要

size_t bytesRead = 0;
while((bytesRead=read(fileread,buffer,sizeof(buffer))>0));

您需要这个,因为read返回读取了多少符号,所以在您的情况下,您只是覆盖了文件句柄。

于 2013-10-22T09:05:19.140 回答