C语言文件系统应用举例
文件操作在程序设计中是非常重要的技术,文件的数据格式不同,决定了对文件操作方 式的不同。 [例8-10] 我们需要同时处理三个文件。文件a d d r. t x t记录了某些人的姓名和地址;文件 t e l . t x t记录了顺序不同的上述人的姓名与电话号码。希望通过对比两个文件,将同一人的姓名、 地址和电话号码记录到第三个文件a d d r t e l . t x t。首先看一下前两个文件的内容: type addr.txt h e j i e t i a n j i n g l i y i n g s h a n g h a i l i m i n g c h e n g d u w a n g p i n c h o n g q i n g type tel.txt¿ l i y i n g 1 2 3 4 5 h e j i e 8 7 6 4 w a n g p i n 8 7 6 4 3 l i m i n g 7 6 5 4 3 2 2 这两个文件格式基本一致,姓名字段占1 4个字符,家庭住址或电话号码长度不超过1 4个 字符,并以回车结束。文件结束的最后一行只有回车符,也可以说是长度为0的串。在两个文 件中,由于存放的是同一批人的资料,则文件的记录数是相等的,但存放顺序不同。我们可 以任一文件记录为基准,在另一文件中顺序查找相同姓名的记录,若找到,则合并记录存入第三个文件,将查找文件的指针移到文件头,以备下一次顺序查找。 #include <stdio.h> #include <stdlib.h> #include <conio.h> #include <string.h> m a i n ( ) { FILE *fptr1,*fptr2,*fptr3; / * 定义文件指针* / char temp[15],temp1[15],temp2[15]; if ((fptr1=fopen("addr.txt","r"))==NULL)/ *打开文件* / { printf("cannot open file"); e x i t ( 0 ) ; } if ((fptr2=fopen("tel.txt","r"))==NULL) { printf("cannot open file"); e x i t ( 0 ) ; } if ((fptr3=fopen("addrtel.txt","w"))==NULL) { printf("cannot open file"); e x i t ( 0 ) ; } c l r s c r ( ) ; / *清屏幕* / while(strlen(fgets(temp1,15,fptr1))>1) 读 /回*的姓名字段长度大于1* / { f g e t s ( t e m p 2 , 1 5 , f p t r 1 ) ; / * 读地址* / f p u t s ( t e m p 1 , f p t r 3 ) ; / * 写入姓名到合并文件* / f p u t s ( t e m p 2 , f p t r 3 ) ; / * 写入地址到合并文件* / s t r c p y ( t e m p , t e m p 1 ) ; / * 保存姓名字段* / do /*查找姓名相同的记录* / { f g e t s ( t e m p 1 , 1 5 , f p t r 2 ) ; f g e t s ( t e m p 2 , 1 5 , f p t r 2 ) ; } while (strcmp(temp,temp1)!=0); r e w i n d ( f p t r 2 ) ; / * 将文件指针移到文件头,以备下次查找* / f p u t s ( t e m p 2 , f p t r 3 ) ; / * 将电话号码写入合并文件* / } f c l o s e ( f p t r 1 ) ; / *关闭文件* / f c l o s e ( f p t r 2 ) ; f c l o s e ( f p t r 3 ) ; } 程序运行后,我们来看一下合并后的文件a d d r t e l . t x t的内容: type addrtel.txt hejie tianjing 8 7 6 4 liying shanghai 1 2 3 4 5 liming chengdu 7 6 5 4 3 2 2 wangpin chongqing 8 7 6 4 3
|