在C語言中,序列化和反序列化是將數據轉換為可以存儲或傳輸的格式,以及將存儲或傳輸的數據重新轉換為內存中的數據結構的過程。
序列化的實現通常包括將數據轉換為字節流,并將字節流寫入文件或發送到網絡。反序列化則是從文件或網絡接收字節流,將其轉換為數據結構。
以下是一個簡單的示例,演示如何在C語言中實現序列化和反序列化:
#include <stdio.h>
#include <stdlib.h>
typedef struct {
int id;
char name[50];
float score;
} Student;
void serialize(Student student, FILE* file) {
fwrite(&student, sizeof(Student), 1, file);
}
void deserialize(Student* student, FILE* file) {
fread(student, sizeof(Student), 1, file);
}
int main() {
Student s1 = {1, "Alice", 95.5};
Student s2;
FILE* file = fopen("data.bin", "wb");
if (file == NULL) {
fprintf(stderr, "Error opening file\n");
return 1;
}
// Serialize
serialize(s1, file);
fclose(file);
file = fopen("data.bin", "rb");
if (file == NULL) {
fprintf(stderr, "Error opening file\n");
return 1;
}
// Deserialize
deserialize(&s2, file);
printf("Deserialized student: %d %s %.1f\n", s2.id, s2.name, s2.score);
fclose(file);
return 0;
}
在上面的示例中,我們定義了一個名為Student的結構體,包含id、name和score字段。然后實現了一個serialize函數,將Student結構體寫入文件,并實現了一個deserialize函數,從文件中讀取Student結構體。
在main函數中,我們創建一個Student結構體s1,并將其序列化到文件"date.bin"中。然后從文件中讀取數據,并將其反序列化為另一個Student結構體s2,并打印出來。
這只是一個簡單的示例,實際應用中可能需要考慮更復雜的數據結構和序列化格式。