linux下文本读写:面向二进制字节流方式

时间:2022-09-04 19:40:31

第一步:先创建并写入文字到文件中。

示例代码如下:write.c

#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <fcntl.h>
#include <string.h>

int main()
{
        int fd = open("data",O_RDWR|O_CREAT|O_TRUNC,0666);
        if(fd == -1)perror("open"),exit(0);
        typedef struct Employee
        {
                char name[100];
                int age;
                float salary;
        }EMP;
        EMP emp = {"my江",21,8000};
        char buf[1024] = {}; 
        sprintf(buf,"%s %d %f",emp.name,emp.age,emp.salary);//核心代码:合并三种类型格式成字符串
        if(write(fd,buf,strlen(buf)*sizeof(buf[0])) == -1)perror("write"),exit(0);//核心代码:将字符串写入文件中
        if(close(fd) == -1)perror("close"),exit(0);
    
        return 0;
}

第二步:打开并读取文件中的文本

示例代码如下:read.c

#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <fcntl.h>
#include <string.h>

int main()
{
        int fd = open("data",O_RDONLY,0444);
        if(fd == -1)perror("open"),exit(0);
        typedef struct Employee
        {
                char name[100];
                int age;
                float salary;
        }EMP;
        EMP emp = {}; 
        char buf[1024] = {}; 
        if(read(fd, buf, 1024) == -1)perror("read"),exit(0);//核心代码:将文件中的内核读取到字符串中
        sscanf(buf,"%s%d%f",emp.name,&emp.age,&emp.salary);//核心代码:将字符串分解格式成三种类型
        printf("%s,%d,%f\n",emp.name,emp.age,emp.salary);
        if(close(fd) == -1)perror("close"),exit(0);
        return 0;
}
总结:通过上面两个C文件和代码分析:完成文本读写的步骤总结起来就是几个关键字:

将不同类型合并到字符串中并写入文件,再将文件读取到字符串中,再解析成不同类型。

对应的代码关键词的内容就是这4个:sprintf,write(写的两大步骤),read,sscanf(读的两大步骤)。(请注意顺序,并把顺序记住。)