1. 程式人生 > >fsetpos()與fgetpos()詳解

fsetpos()與fgetpos()詳解

程序 col ont perror 博客 地址 ria err his

轉載自新浪博客:http://blog.sina.com.cn/s/blog_695e489c01012us3.html

fsetpos()詳解

函數原型:int fsetpos(FILE *fp, const fpos_t *pos);

頭文件:#include <stdio.h>

是否是標準函數:是

函數功能:將文件指針定位在pos指定的位置上。該函數的功能與前面提到的fgetpos相反,是將文件指針fp按照pos指定的位置在文件中定位。pos值以內部格式存儲,僅由fgetpos和fsetpos使用。

返回值:成功返回0,否則返回非0。

例程如下 應用fsetpos函數定位文件指針。

#include <stdio.h>

void main( void )

{

FILE *fp;

fpos_t pos;

char buffer[50];

if( (fp = fopen( "test.txt", "rb" )) == NULL )

printf( "Trouble opening file/n" );

else

{

pos = 10;

if( fsetpos( fp, &pos ) != 0 )

perror( "fsetpos error" );

else

{

fread( buffer, sizeof( char ), 16, fp );

printf( "16 bytes at byte %ld: %.16s/n", pos, buffer );

}

}

fclose( fp );

}

例程說明:

1)首先,程序以只讀方式打開名為test.txt的文件。在這裏,test.txt文件中已存入字符串This is a test for testing the function of fsetpos.

2)將pos設置為10。應用fsetpos函數將文件指針fp按照pos指定的位置在文件中定位。這樣文件指針fp指向字符串中test的字母t。

3)再從新定位的文件指針開始讀取16個字符到buffer緩沖區,也就是說讀取字符串"test for testing"到緩沖區buffer。

4)最後顯示結果:16 bytes at byte 10: test for testing 。

fgetpos:取得當前文件的句柄函數

函數原型:int fgetpos( FILE *stream, fpos_t *pos );

頭文件:#include <stdio.h>

是否是標準函數:是

函數功能:取得當前文件的指針所指的位置,並把該指針所指的位置數存放到pos所指的對象中。pos值以內部格式存儲,僅由fgetpos和fsetpos使用。其中fsetpos的功能與fgetpos相反,為了詳細介紹,將在後節給與說明。

返回值:成功返回0,失敗返回非0,並設置errno。

例程如下:應用fgetpos函數取得當前文件的指針所指的位置。

#include <string.h>

#include <stdio.h>

int main(void)

{

FILE *fp;

char string[] = "This is a test";

fpos_t pos;

fp = fopen("test.txt", "w+");

fwrite(string, strlen(string), 1, fp);

fgetpos(fp, &pos);

printf("The file pointer is at byte %ld/n", pos);

fseek(fp,3,0);

fgetpos(fp, &pos);

printf("The file pointer is at byte %ld/n", pos);

fclose(fp);

return 0;

}

例程說明:

1)首先,程序以讀寫方式打開一個名為test.txt的文件,並把字符串"This is a test"寫入文件。註意:字符串共14個字節,地址為0~13。用fwrite函數寫入後,文件指針自動指向文件最後一個字節的下一個位置。即這時的fp的值應該是14。

2)再用fgetpos函數取得指針位置並存入&pos所指向的對象,此時, pos中的內容為14。然後在屏幕上顯示出The file pointer is at byte 14。

3)再用fseek函數重設文件指針的位置,讓fp的值為3,即指向文件中第4個字節。再次取得指針位置並存入&pos所指向的對象。然後在屏幕上顯示出The file pointer is at byte 3。

fsetpos()與fgetpos()詳解