4

我正在尝试将二维数组中的数据写入二进制文件。我只写入值大于0的数据。因此,如果数据为0,则不会写入文件。数据如下:

Level       0   1   2   3   4   5

Row 0       4   3   1   0   2   4
Row 1       0   2   4   5   0   0 
Row 2       3   2   1   5   2   0
Row 3       1   3   0   1   2   0

void { 

    // This is what i have for writing to file.

    ofstream outBinFile; 
    ifstream inBinFile; 
    int row; 
    int column; 

    outBinFile.open("BINFILE.BIN", ios::out | ios::binary);

    for (row = 0; row < MAX_ROW; row++){

        for (column = 0; column < MAX_LEVEL; column++){

          if (Array[row][column] != 0){

             outBinFile.write (reinterpret_cast<char*> (&Array[row][column]), sizeof(int)
          }
        }
    } 

    outBinFile.close(); 

    // Reading to file. 

    inBinFile.open("BINFILE.BIN", ios::in | ios::binary);

    for (row = 0; row < MAX_ROW; row++){

        for (column = 0; column < MAX_LEVEL; column++){

          if (Array[row][column] != 0){

             inBinFile.read (reinterpret_cast<char*> (&Array[row][column]), sizeof(int)
          }
        }
    } 

    inBinFile.close();  
}

正在读取的所有数据都被插入到第一行,当我退出程序时如何让数据加载?

4

2 回答 2

2

您仅在数据不等于零时读取,这意味着它被第一个零锁定。一旦达到零,它就会停止读取。

在“if 命令”之前将文件读取到其他变量,然后在 if (variable != 0) Array[row][column] = variable.

如果你的数组是用数据初始化的,也许看看你的阅读设置位置。所以要设置好我有零,接下来我应该从另一个位置读取。

于 2013-04-14T18:33:52.507 回答
0

二进制文件采用简单的内存转储。我在 Mac 上,所以我必须找到一种方法来计算数组的大小,因为 sizeof(array name) 由于某种原因(macintosh、netbeans IDE、xCode 编译器)不返回数组的内存大小。我不得不使用的解决方法是:编写文件:

fstream fil;
fil.open("filename.xxx", ios::out | ios::binary);
fil.write(reinterpret_cast<char *>(&name), (rows*COLS)*sizeof(int));
fil.close();
//note: since using a 2D array &name can be replaced with just the array name
//this will write the entire array to the file at once

读书也是一样。由于我使用的 Gaddis 书中的示例在 Macintosh 上无法正常工作,因此我必须找到一种不同的方法来完成此操作。不得不使用以下代码片段

fstream fil;
fil.open("filename.xxx", ios::in | ios::binary);
fil.read(reinterpret_cast<char *>(&name), (rows*COLS)*sizeof(int));
fil.close();
//note: since using a 2D array &name can be replaced with just the array name
//this will write the entire array to the file at once

除了获取整个数组的大小之外,您还需要通过将二维数组的行*列相乘然后将其乘以数据类型的大小来计算整个数组的大小(因为我使用整数数组,所以它是 int这个案例)。

于 2017-04-16T20:39:22.710 回答