2

我第一次学习 C 中的低级 I/O,我正在尝试编写一个向后打印文件的程序,但似乎这个 while 循环不起作用。为什么会这样?

#include <stdio.h>
#include <errno.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#define BUFFSIZE 4096

int main(){
    int n;
    int buf[BUFFSIZE];
    off_t currpos;

    int fd;
    if((fd = open("fileprova", O_RDWR)) < 0)
        perror("open error");

    if(lseek(fd, -1, SEEK_END) == -1)
        perror("seek error");

    while((n = read(fd, buf, 1)) > 0){
        if(write(STDOUT_FILENO, buf, n) != n)
            perror("write error");

        if(lseek(fd, -1, SEEK_CUR) == -1)
            perror("seek error");

        currpos = lseek(fd, 0, SEEK_CUR);
        printf("Current pos: %ld\n", currpos);
    }

    if(n < 0)
        perror("read error");

    return 0;

}
4

1 回答 1

3

如果调用read(fd, buf, 1)成功,将读取一个字节的数据,然后将文件指针向前移动一个字节!然后调用lseek(fd, -1, SEEK_CUR)会将文件指针向后移动一个字节!

最终结果:您的while循环将永远继续读取相同的字节!

解决方案:在您的while循环内使用以下内容设置文件指针以读取前一个字节:lseek(fd, -2, SEEK_CUR)-break当该调用返回时退出循环-1

于 2019-12-15T13:11:24.130 回答