如何使用读取系统调用写入文件?以及如何决定缓冲区大小?

How to write to a file using read system call ? and how to decide the buffer size?

我正在编写一个从一个文件读取并写入另一个文件的代码,我在决定缓冲区大小时遇到​​了问题,因为我不知道,它可以是任何文件,也不知道如何使用 while 循环读取文件? :

这里我打开了第一个文件:

  int fd1 = open(args[1], O_RDONLY);
  if(fd1 == -1){
        perror("error");
        return;
  }

我在这里打开了第二个文件:

int fd2 = open(args[2], O_WRONLY|O_TRUNC);
          if (fd2 == -1) {                // if we couldn't open the file then create a new one (not sure if we supposed to this ?)
            fd2 = open(args[2], O_WRONLY|O_CREAT, 0666);
            if (fd2 == -1) {
                perror("error");
                return;
            }
          }

这是我尝试阅读的方式:

char* buff;
 int count = read(fd1, buff, 1);  /// read from the file fd1 into fd2
              while (count != -1) {
                  if (!count) {
                      break;
                  }
                  if (write(fd2, buff, 1) == -1) {
                      perror("smash error: write failed");
                      return;
                  }
                  read_res = read(fd1, buff, 1);
                  if (read_res == -1) {
                      perror("smash error: read failed");
                      return;
                  }
              }
              cout <<"file1 was coppiesd to file 2" << endl ;

你应该仔细阅读指针。读取函数需要一个指针来使用。 传统的解决方案看起来像

#SIZE 255
char buff[SIZE]
int count = read(fd1, buff, SIZE)
//add logic to deal reading less then SIZE

那是因为数组名是指向数组第一个元素的指针。

如果你只想一次读取一个字节,我建议做我在下面所做的,并将 buff 更改为 char(而不是 ptr 到 char),并简单地使用 &[ 传递 buff 的地址=12=]

 char buff;
 int count = read(fd1, &buff, 1);  /// priming read
              while (count != -1) {
                  if (!count) {
                      break;
                  }
                  if (write(fd2, &buff, 1) == -1) {
                      perror("smash error: write failed");
                      return;
                  }
                  read_res = read(fd1, &buff, 1);
                  if (read_res == -1) {
                      perror("smash error: read failed");
                      return;
                  }
              }
              cout <<"file1 was coppiesd to file 2" << endl ;

如果这不起作用请告诉我