首页 > 解决方案 > 在 C++ 中读取非文本文件

问题描述

我用记事本++(打开方式)错误地打开了mp3文件,并在记事本中以文本形式显示了整个文件,这太酷了。因为我又在学习 c++,所以我告诉自己让我们编写一个程序,在控制台中打开任何文件并在控制台上显示它们的内容,所以我开始我的代码是这样的:

int readAndWrite() {

    string filename(R"(path\to\a\file)");

    ifstream file(filename);



    string line;

    if (!file.is_open()) {
        cerr << "Could not open the file - '"
             << filename << "'" << endl;
        return EXIT_FAILURE;
    }

    while (getline(file, line)){
        cout << line;
    }

    return EXIT_SUCCESS;
}

但它只显示文件的 3 或 4 行,然后退出程序我再次检查我的记事本++,发现那里有大约 700,000 行。我告诉自己文件中可能有一个字符,所以我开始编写上面的代码并进行以下更改。而不是显示文件,让我们在文本文件中写入。

int readAndWrite() {

    string filename(R"(path\to\a\file)");
    string filename2(R"(path\to\a\file\copy)");

    ifstream file(filename);
    ofstream copy(filename2);


    string line;

    if (!file.is_open()) {
        cerr << "Could not open the file - '"
             << filename << "'" << endl;
        return EXIT_FAILURE;
    }

    while (getline(file, line)){
        copy << line;
    }

    return EXIT_SUCCESS;
}

同样的结果。下次尝试我放弃逐行读取文件,因此我开始使用此功能进行复制。

void copyStringNewFile(ifstream& file, ofstream& copy)
{
    copy << file.rdbuf();
}

他们的结果并没有改变。在这一点上,我告诉自己问题可能来自文件,这有点是因为当我使用简单的文本文件时,上述所有代码都有效。

标签: c++filec++14

解决方案


与所有其他非文本文件一样,mp3文件不包含,因此您不应使用std::getline. 使用istream::readostream::write。您可以使用istream::gcount来检查实际读取了多少个字符。

由于您正在处理非文本文件,因此也要以binary模式打开文件。

您还应该测试打开这两个文件是否有效 - 即输入和输出文件。

例子:

#include <cerrno>
#include <cstring>
#include <fstream>
#include <iostream>

int readAndWrite() {
    std::string filename(R"(path\to\a\file)");
    std::string filename2(R"(path\to\a\file_copy)");

    std::ifstream file(filename, std::ios::binary);
    if(!file) {
        std::cerr << '\'' << filename << "': " << std::strerror(errno) << '\n';
        return EXIT_FAILURE;
    }

    std::ofstream copy(filename2, std::ios::binary);
    if(!copy) {
        std::cerr << '\'' << filename2 << "': " << std::strerror(errno) << '\n';
        return EXIT_FAILURE;
    }

    char buf[1024];
    while(file) {
        file.read(buf, sizeof(buf));
        // write as many characters as was read above
        if(!copy.write(buf, file.gcount())) {
            // write failed, perhaps filesystem is full?
            std::cerr << '\'' << filename2 << "': " << std::strerror(errno) << '\n';
            return EXIT_FAILURE;
        }
    }

    return EXIT_SUCCESS;
}

int main() {
    return readAndWrite();
}

推荐阅读