fprintf()
函式用於將一組字元寫入檔案。它將格式化的輸出傳送到流。
fprintf()
函式的語法如下:
int fprintf(FILE *stream, const char *format [, argument, ...])
範例:
建立一個原始檔:fprintf-write-file.c,其程式碼如下 -
#include <stdio.h>
main() {
FILE *fp;
fp = fopen("file.txt", "w");//opening file
fprintf(fp, "Hello file by fprintf...\n");//writing data into file
fclose(fp);//closing file
printf("Write to file : file.txt finished.");
}
執行上面範例程式碼,得到以下結果 -
Write to file : file.txt finished.
開啟filehadling 目錄下,應該會看到一個檔案:file.txt 。
fscanf()
函式用於從檔案中讀取一組字元。它從檔案讀取一個單詞,並在檔案結尾返回EOF
。
fscanf()
函式的語法如下:
int fscanf(FILE *stream, const char *format [, argument, ...])
範例:
建立一個原始檔:fscanf-read-file.c,其程式碼如下 -
#include <stdio.h>
main(){
FILE *fp;
char buff[255];//creating char array to store data of file
fp = fopen("file.txt", "r");
while(fscanf(fp, "%s", buff)!=EOF){
printf("%s ", buff );
}
fclose(fp);
}
執行上面範例程式碼,得到以下結果 -
Hello file by fprintf...
檔案存取範例:儲存員工資訊
下面來看看一個檔案處理範例來儲存從控制台輸入的員工資訊。要儲存僱員的資訊有:身份ID,姓名和工資。
範例:
建立一個原始檔:storing-employee.c,其程式碼如下 -
#include <stdio.h>
void main()
{
FILE *fptr;
int id;
char name[30];
float salary;
fptr = fopen("emp.txt", "w+");/* open for writing */
if (fptr == NULL)
{
printf("File does not exists \n");
return;
}
printf("Enter the Emp ID:");
scanf("%d", &id);
fprintf(fptr, "Id= %d\n", id);
printf("Enter the name: ");
scanf("%s", name);
fprintf(fptr, "Name= %s\n", name);
printf("Enter the salary: ");
scanf("%f", &salary);
fprintf(fptr, "Salary= %.2f\n", salary);
fclose(fptr);
}
執行上面範例程式碼,得到以下結果 -
Enter the Emp ID:10010
Enter the name: Maxsu
Enter the salary: 15000
現在從當前目錄開啟檔案。將看到有一個emp.txt檔案,其內容如下 -
emp.txt
Id= 10010
Name= Maxsu
Salary= 15000.00