2

我正在制作一个 C++ 程序,以便能够打开 .bmp 图像,然后能够将其放入 2D 数组中。现在我有这样的代码:

#include <iostream>
#include <fstream>
#include <sstream>
#include <string>
#include "Image.h"
using namespace std;

struct colour{
    int red;
    int green;
    int blue;
};

Image::Image(string location){

    fstream stream;
    string tempStr;

    stringstream strstr;
    stream.open(location);

    string completeStr;

    while(!stream.eof()){
        getline(stream, tempStr);
        completeStr.append(tempStr);
    }
    cout << endl << completeStr;

    Image::length = completeStr[0x13]*256 + completeStr[0x12];
    Image::width = completeStr[0x17]*256 + completeStr[0x16];
    cout << Image::length;
    cout << Image::width;
    cout << completeStr.length();

    int hexInt;
    int x = 0x36;
    while(x < completeStr.length()){
        strstr << noskipws << completeStr[x];
        cout << x << ": ";
        hexInt = strstr.get();
        cout << hex << hexInt << " ";
        if((x + 1)%3 == 0){
            cout << endl;
        }
        x++;
    }
}

现在,如果我在我的 256x256 测试文件上运行它,它会打印得很好,直到它到达 0x36E,它给出一个错误/不会更进一步。发生这种情况是因为completeStr字符串没有接收到 bmp 文件中的所有数据。为什么无法读取 bmp 文件中的所有行?

4

2 回答 2

9

您的代码存在许多问题。主要的(可能是您的问题的原因)是您以文本模式打开文件。从技术上讲,这意味着如果文件包含除可打印字符和一些特定控制字符(如 '\t')之外的任何内容,则您的行为未定义。实际上,在 Windows 下,这意味着 0x0D、0x0A 的序列将被转换为单个'\n',并且 0x1A 将被解释为文件的结尾。在读取二进制数据时并不是真正想要的。std::ios_base::binary您应该以二进制模式 ( )打开流。

fstream 不是一个严重的错误,但是如果您只是要读取文件,则不应真正使用 an 。事实上,使用 an fstream应该很少见:你应该使用ifstream or ofstream。同样的事情也适用(但我在读取二进制文件时stringstream看不到任何作用)。stringstream

另外(这是一个真正的错误),您正在使用结果 getline而不检查是否成功。阅读行的通常成语是:

while ( std::getline( source, ling ) ) ...

但是stringstream,您不想getline在二进制流上使用;它将删除所有'\n'(已经从 CRLF 映射的)。

如果您想要内存中的所有数据,最简单的解决方案是:

std::ifstream source( location.c_str(), std::ios_base::binary );
if ( !source.is_open() ) {
    //  error handling...
}
std::vector<char> image( (std::istreambuf_iterator<char>( source ) ),
                         (std::istreambuf_iterator<char>()) );
于 2013-04-05T18:16:21.567 回答
2

std::getline读入一行文本。

它对二进制文件没有用。

以二进制模式打开文件并使用未格式化的输入操作(如read)。

于 2013-04-05T17:40:26.713 回答