|
50鱼币
本帖最后由 龙云宇 于 2020-12-29 23:01 编辑
我搞不懂这两个函数什么时候是以二进制模式保存,什么时候是文本模式保存。求知道的朋友说一下,50鱼币奉上。
小甲鱼的程序运行完,打开文件是以二进制模式保存的
而我的程序运行完,打开文件是以文本文件保存的
小甲鱼程序:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
struct Date
{
int year;
int month;
int day;
};
struct Book
{
char name[40];
char authon[40];
char publisher[40];
struct Date date;
};
void main(void)
{
FILE *fp;
struct Book *book_for_write, *book_for_read;
book_for_write = (struct Book *)malloc(sizeof(struct Book));
book_for_read = (struct Book *)malloc(sizeof(struct Book));
if(book_for_write == NULL || book_for_read == NULL)
{
printf("内存分配失败!");
exit(EXIT_FAILURE);
}
strcpy(book_for_write->name, "《带你学C带你飞》");
strcpy(book_for_write->authon, "小甲鱼");
strcpy(book_for_write->publisher, "清华大学出版社");
book_for_write->date.year = 2017;
book_for_write->date.month = 11;
book_for_write->date.day = 11;
if((fp = fopen("test.txt", "w")) == NULL)
{
printf("打开文件date失败!");
exit(EXIT_FAILURE);
}
fwrite(book_for_write, sizeof(struct Book), 1, fp);
fclose(fp);
if((fp = fopen("test.txt", "r")) == NULL)
{
printf("打开文件date失败!");
exit(EXIT_FAILURE);
}
fread(book_for_read, sizeof(struct Book), 1, fp);
printf("书名:%s\n", book_for_read->name);
printf("作者:%s\n", book_for_read->authon);
printf("出版社:%s\n", book_for_read->publisher);
printf("出版日期:%d-%d-%d\n", book_for_read->date.year, book_for_read->date.month, book_for_read->date.day);
free(book_for_write);
free(book_for_read);
fclose(fp);
}
我的程序:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <errno.h>
struct Jas{
char buf[100];
};
void main(void)
{
FILE *fp1;
struct Jas *jas;
jas = (struct Jas *)malloc(sizeof(struct Jas));
memset(jas, 0, 100);
if((fp1 = fopen("du.txt", "w")) == NULL)
{
perror("打开du.txt出错!");
exit(1);
}
strcpy(jas->buf, "啊实打\nasdas\nadasd\n实a");
fwrite(jas, sizeof(struct Jas), 1, fp1);
fclose(fp1);
}
文本文件通常用 fopen() 的 "r" 或 "w" 或 "r+" 等方式打开,用 fgets() 、fscanf() 等函数读取,用 fputs()、fprintf() 等函数写入,二进制文件通常用 fopen() 的 "rb" 或 "wb" 或 "rb+" 方式打开,用 fgetc()、fread() 等函数读取,用 fputc() 、fwrite() 等函数写入。
楼主的文件使用文本文件的方式打开,使用 fwrite() 写入结构数据,却发现,文件竟然是一个文本文件。之所以会这样,完全是一个巧合,是因为你的结构中只有字符串型的单一数据,不包括像整形数、浮点数等那样实质性的二进制数据,如果有,那就不可能是文本文件了。
|
最佳答案
查看完整内容
文本文件通常用 fopen() 的 "r" 或 "w" 或 "r+" 等方式打开,用 fgets() 、fscanf() 等函数读取,用 fputs()、fprintf() 等函数写入,二进制文件通常用 fopen() 的 "rb" 或 "wb" 或 "rb+" 方式打开,用 fgetc()、fread() 等函数读取,用 fputc() 、fwrite() 等函数写入。
楼主的文件使用文本文件的方式打开,使用 fwrite() 写入结构数据,却发现,文件竟然是一个文本文件。之所以会这样,完全是一个巧合,是因为你的 ...
|