背景:
有一张16GB SD卡,插入开发板SD卡插槽,通过二进制方式向里面写入数据,在通过lseek()函数定位时返回-1,(本意是通过lseek()获取SD卡大小)代码如下:
large_sd.c
#include <sys/types.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <fcntl.h>
int main(int argc, char *argv[])
{
long max_seek = 0;
int fd = open("/dev/mmcblk0",O_RDWR);
if(fd < 0)
{
printf("open file error.\n");
return -1;
}
max_seek = lseek(fd,0,SEEK_END);
printf("MAX SEEK = %ld\n",max_seek);
return 0;
}
在开发板上执行,打印结果:
MAX SEEK = -1
后来通过搜索发现,原来是lseek()溢出所致,修改代码如下:
#include <sys/types.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <fcntl.h>
int main(int argc, char *argv[])
{
long long max_seek = 0;
int fd = open("/dev/mmcblk0",O_RDWR);
if(fd < 0)
{
printf("open file error.\n");
return -1;
}
max_seek = lseek(fd,0,SEEK_END);
printf("MAX SEEK = %lld\n",max_seek);
return 0;
}
编译: powerpc-linux-gcc -D_FILE_OFFSET_BITS=64 -o large_sd large_sd.c
再次在开发板上执行:
MAX SEEK = 15707668480
成功。
总结:
1.如果通过lseek()定位大文件,返回值需要使用long long型变量接收,以防止溢出。
2.编译时要加选项-D_FILE_OFFSET_BITS=64来定义_FILE_OFFSET_BITS为64
3.printf使用%lld来打印long long int 型。