头文件:
1
2
3
|
#include <sys/types.h>
#include <unistd.h>
|
函数原型:
off_t lseek(int fd, off_t offset, int whence);//打开一个文件的下一次读写的开始位置
参数:
fd 表示要操作的文件描述符
offset是相对于whence(基准)的偏移量
whence 可以是SEEK_SET(文件指针开始),SEEK_CUR(文件指针当前位置) ,SEEK_END为文件指针尾
返回值:
文件读写指针距文件开头的字节大小,出错,返回-1
lsee的作用是打开文件下一次读写的开始位置,因此还有以下两个作用
1.拓展文件,不过一定要一次写的操作。迅雷等下载工具在下载文件时候先扩展一个空间,然后再下载的。
2.获取文件大小。
lseek()函数会重新定位被打开文件的位移量,根据参数offset以及whence的组合来决定:
SEEK_SET:从文件头部开始偏移offset个字节。
SEEK_CUR:从文件当前读写的指针位置开始,增加offset个字节的偏移量。
SEEK_END:文件偏移量设置为文件的大小加上偏移量字节。
获取文件大小
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
|
#include<stdio.h>
#include<stdlib.h>
#include<sys/types.h>
#include<unistd.h>
#include <sys/stat.h>
#include <fcntl.h>
void main()
{
int fd=open( "test.txt" ,O_RDWR);
if (fd<0)
{
perror ( "open test.txt" );
exit (-1);
}
printf ( "file size:%d \n" ,lseek(fd,0,SEEK_END));
close(fd);
}
|
拓展一个文件,一定要有一次写操作
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
|
#include<stdio.h>
#include<stdlib.h>
#include<sys/types.h>
#include<unistd.h>
#include <sys/stat.h>
#include <fcntl.h>
int main( void )
{
int fd=open( "test.txt" ,O_RDWR);
if (fd<0)
{
perror ( "open test.txt" );
exit (-1);
}
lseek(fd,0x1000,SEEK_SET);
write(fd, "a" ,1);
close(fd);
return 0;
}
|
到此这篇关于C语言lseek()函数详解的文章就介绍到这了,更多相关C语言lseek()内容请搜索服务器之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持服务器之家!
原文链接:https://blog.csdn.net/FML7169/article/details/101712588