流的刷新
int fflush(FILE *fp);
成功时返回0;出错时返回EOF
将流缓冲区中的数据写入实际的文件
Linux下只能刷新输出缓冲区,输入缓冲区丢弃
如果输出到屏幕使用fflush(stdout)
#include <stdio.h>
#include <unistd.h>
int main(int argc,char *argv[]){
// printf("abcdefg");
// fflush(stdout);
FILE *fp;
fp=fopen("1.txt","w");
if(fp==NULL){
perror("fopen");
return 0;
}
fwrite("abcdef",7,1,fp);
fflush(fp);
while(1){
sleep(1);
}
}
流的定位:
long ftell(FILE *stream);
long fseek(FILE *stream, long offset, int whence);
void rewind(FILE *stream);
fseek 参数whence参数:SEEK_SET/SEEK_CUR/SEEK_END
SEEK_SET 从距文件开头 offset 位移量为新的读写位置
SEEK_CUR:以目前的读写位置往后增加 offset 个位移量
SEEK_END:将读写位置指向文件尾后再增加 offset 个位移量
offset参数:偏移量,可正可负
注意事项:
1.文件的打开使用a模式 fseek无效
2.rewind(fp) 相当于 fseek(fp,0,SEEK_SET);
3.这三个函数只适用2G以下的文件
编译告警错误:
ffseek_t.c:13:11: warning: format ‘%d’ expects argument of type ‘int’, but argument 2 has type ‘long int’ [-Wformat=]
printf("current fp=%d\n",ftell(fp));
表示参数类型不匹配
#include <stdio.h>
int main(int argc,char *argv[]){
FILE *fp;
fp=fopen("1.txt","w");
if(fp==NULL){
perror("fopen");
return 0;
}
fwrite("abcdef",6,1,fp);
printf("current fp=%d\n",(int)ftell(fp));
// fseek(fp,3,SEEK_SET);
rewind(fp);
printf("After rewind fp=%d\n",(int)ftell(fp));
fwrite("vvv",3,1,fp);
}