从整数数组到文件的奇怪输出

时间:2019-06-20 19:45:01

标签: c system-calls

嗨,我正在编写一个生成随机整数的程序,将它们放入数组中并将其保存到文件中。一切似乎都正常,但是打开此文件后,它具有以下奇怪的内容:^ K ^ @ ^ @ ^ S ^ @ ^ @ ^ @ ^ [^ @ 我做错了什么?

#include <stdio.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <stdlib.h>
#include <time.h>

int main(int argc, char *argv[]) {
    int tab[10];
    int fd;
    srand(time(0));
    int i;
    for(i = 0; i < 10; i++)
        tab[i] = rand() % 50;
    if(argc != 2 || strcmp(argv[1], "--help") == 0)
    {
        .......
    }
    fd = open(argv[1], O_RDWR | O_CREAT | O_TRUNC, 0644);
    write(fd, tab, 10);
    close(fd);
    return 0;
}

1 个答案:

答案 0 :(得分:3)

内容很奇怪,因为您正在编写 binary 值,从0到50的随机字符代码。但是信息就可以了(嗯,您必须写sizeof(int)次尽管有更多数据可以存储所有数据,但由于缺少O_BINARY,并且在某些位置可能会插入一些回车符,因此在Window上可能会损坏该数据……):

fd = open(argv[1], O_RDWR | O_CREAT | O_TRUNC, 0644); // add | O_BINARY if you use windows
write(fd, tab, 10 * sizeof(int));  // you can use (fd,tab,sizeof(tab)) too as it's an array, not a pointer

使用十六进制编辑器,您将看到值(带有很多零,因为您可以将值编码为字节)。但是不能使用文本编辑器。

如果要将格式化的整数写为字符串,请在文本文件(而不是二进制文件)中的值上使用fopenfprintf。快速又脏(也未经测试:)):

FILE *f = fopen(argv[1], "w");  // #include <stdio.h> for this
if (f != NULL)
{
    int i;
    for (i = 0; i < 10; i++)
    {
       fprintf(f,"%d ",tab[i]);
    }
    fclose(f);
}