如何在不使用 stdio.h 的情况下读取 txt 文件的最后 n 个字符?
How to read the last n characters of a txt file, without using stdio.h?
我试图在不使用 stdio.h 函数调用的情况下从文本文件中读取最后 n 位数字。我不确定如何执行此操作,因为我无法在不使用 stdio.h 的情况下使用 fseek,而且我不熟悉系统调用。任何帮助将不胜感激。
#include <unistd.h>
#include <sys/types.h>
#include<sys/stat.h>
#include <fcntl.h>
int main() {
int fd;
char buf[200];
fd = open("logfile.txt", O_RDONLY);
if (fd == -1){
fprintf(stderr, "Couldn't open the file.\n");
exit(1); }
read(fd, buf, 200);
close(fd);
}
您可以使用 lseek
。这是原型:
off_t lseek(int fd, off_t offset, int whence);
以下是将其集成到代码中的方法:
lseek(fd, -200, SEEK_END);
read(fd, buf, 200);
只是为了多样性:
struct stat sb;
int fd = open( filename, O_RDONLY );
fstat( fd, &sb );
pread( fd, buf, 200, sb.st_size - 200 );
请注意 lseek()
然后 read()
不是原子的,因此如果有多个线程正在访问文件描述符,就会出现竞争条件。 pread()
是原子的。
我试图在不使用 stdio.h 函数调用的情况下从文本文件中读取最后 n 位数字。我不确定如何执行此操作,因为我无法在不使用 stdio.h 的情况下使用 fseek,而且我不熟悉系统调用。任何帮助将不胜感激。
#include <unistd.h>
#include <sys/types.h>
#include<sys/stat.h>
#include <fcntl.h>
int main() {
int fd;
char buf[200];
fd = open("logfile.txt", O_RDONLY);
if (fd == -1){
fprintf(stderr, "Couldn't open the file.\n");
exit(1); }
read(fd, buf, 200);
close(fd);
}
您可以使用 lseek
。这是原型:
off_t lseek(int fd, off_t offset, int whence);
以下是将其集成到代码中的方法:
lseek(fd, -200, SEEK_END);
read(fd, buf, 200);
只是为了多样性:
struct stat sb;
int fd = open( filename, O_RDONLY );
fstat( fd, &sb );
pread( fd, buf, 200, sb.st_size - 200 );
请注意 lseek()
然后 read()
不是原子的,因此如果有多个线程正在访问文件描述符,就会出现竞争条件。 pread()
是原子的。