在 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();
}

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

泰德·林格莫

与所有其他非文本文件一样,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();
}

本文收集自互联网,转载请注明来源。

如有侵权,请联系 [email protected] 删除。

编辑于
0

我来说两句

0 条评论
登录 后参与评论

相关文章