在C語言中,lseek函數是用于設置文件指針位置的函數。其原型如下:
#include <unistd.h>
off_t lseek(int fd, off_t offset, int whence);
參數說明:
fd:文件描述符,用于標識要操作的文件。
offset:偏移量,可以是正數、負數或零。
whence:參考位置,可以是以下值之一:
SEEK_SET:從文件起始位置開始計算偏移量。
SEEK_CUR:從當前位置開始計算偏移量。
SEEK_END:從文件末尾位置開始計算偏移量。
返回值:返回當前文件指針的位置,失敗時返回-1。
使用示例:
#include <stdio.h>
#include <unistd.h>
#include <fcntl.h>
int main() {
int fd = open("test.txt", O_RDWR); // 打開文件
if (fd == -1) {
perror("open");
return 1;
}
off_t pos = lseek(fd, 0, SEEK_SET); // 設置文件指針位置為文件起始位置
if (pos == -1) {
perror("lseek");
return 1;
}
char buf[100];
ssize_t n = read(fd, buf, sizeof(buf)); // 讀取文件內容
if (n == -1) {
perror("read");
return 1;
}
printf("Read: %s\n", buf);
close(fd); // 關閉文件
return 0;
}
上述示例中,首先使用open函數打開文件,并將返回的文件描述符保存到fd變量中。然后,使用lseek函數將文件指針位置設置為文件的起始位置。接著,使用read函數讀取文件內容,并將讀取的內容打印出來。最后,使用close函數關閉文件。