- 论坛徽章:
- 0
|
- #define MAX_LINE 80
- typedef struct
- {
- int id;
- float x_coord;
- float y_coord;
- char name[MAX_LINE+1];
- } MY_TYPE_T;
复制代码
先说一下是怎么文件是如何进行存储的吧,这样才能理解需要如何读。
在32位系统上,int 类型占4个字节,float占4个字节,char类型占一个字节,上面定义的结构,总共占有的存储空间是sizeof(MY_TYPE_T)个字节,当然,这样考虑到字节对齐等因素。
那么它如何以二进制方式存储到磁盘上呢?可以这么说,存盘上存储的数据是内存里的数据的映射,是一一对应的。假定有一个整数255, 他的16进制形式是0xFF,在磁盘上他的存储形是就是连续的四个字节的存储空间,其值为255。具体的情况,你可以编程进行测试。给出下面一个例子,
- #include <stdio.h>
-
- #define MAX_LINE 40
-
- #define FILENAME "myfile.bin"
-
- typedef struct
- {
- int id;
- float x_coord;
- float y_coord;
- char name[MAX_LINE+1];
- } MY_TYPE_T;
- #define MAX_OBJECTS 3
- MY_TYPE_T objects[MAX_OBJECTS]=
- {
- { 0, 1.5, 8.4, "First-object" },
- { 1, 9.2, 7.4, "Second-object" },
- { 2, 4.1, 5.6, "Final-object" }
- };
- int main()
- {
- int i;
- FILE *fout;
- /* Open the output file */
- fout = fopen( FILENAME, "wb" );
- if (fout == (FILE *)0)
- exit(-1);
- /* Write out the entire object’s structure */
- fwrite( (void *)objects, sizeof(MY_TYPE_T), 3, fout );
- fclose( fout );
- return 0;
- }
复制代码
然后,再以普通的ascii方式输出到一个文件,比较一下。在windows底下的话,可以用ultra edit,linux底下用hexdump hexedit都可以。看一下,二进制方式是如何存储的。 |
|