1. 程式人生 > >linux下文字讀寫:面向二進位制位元組流方式

linux下文字讀寫:面向二進位制位元組流方式

第一步:先建立並寫入文字到檔案中。

示例程式碼如下: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(讀的兩大步驟)。(請注意順序,並把順序記住。)