istream打开.txt文件,但实际上并未收集文件中的文本

时间:2019-03-20 19:08:12

标签: c++ xcode istream

编辑:已解决。将ins >> val移动到循环之前,然后将ins.fail()作为条件。我不完全确定为什么这样做有帮助,但确实有帮助,我很乐意前进。

原始帖子:

我的以下代码有问题。由于某种原因,它读入file.txt并返回正常,但istream正在读取输入,就好像文件是空白的一样。作为参考,我正在使用Xcode。我已经尝试过该计划,但似乎没有任何效果。我只是不明白它是如何成功读取文件的(我在某些...代码中进行了检查,并说文件已成功打开),但没有提取任何输入。 / p>

#include <iostream>
#include <fstream>
using namespace std;

int main() {  
    ifstream inFile;
    inFile.open("file.txt");

    // There exists a class called Position that isn't important for
    // this but just clarifying
    Position pos;
    pos.read(inFile);

    return 0;
}

void read(istream& ins) {
    int val;
    char discard;
    while (!(ins >> val)) {
        ins.clear();
        ins >> discard;
    }
}

我对此还比较陌生,现在才编码大约6个月。我将不胜感激任何解释。谢谢大家!

edit:此代码的目的是以int形式从文件中提取输入。如果输入不是int,则循环将重置为良好状态,并以char的形式返回非整数。我不太关心文件的实际文本似乎消失的事实。该代码主要是为一些上下文提供的。

很抱歉,我不熟悉Stack!

edit2:如果我这样运行循环:

while (!(ins >> val)) {
    ins.clear();
    ins >> discard;
    cout << discard;
}

由于没有文件输入,因此进入无限循环。 不能完全确定我将如何显示I / O,因为问题是没有任何输入,因此也没有输出。当我测试时,它会一直运行,直到我停止它为止。实际的.txt文件并非为空,但会以某种方式被视作它。

edit3:添加几行内容,以弄清到底发生了什么。

再次感谢!

1 个答案:

答案 0 :(得分:0)

这是一个简短的示例,显示:

  • 如何读取文件中的行
  • 如何检查文件结尾
  • 如何写入文件
  • 如何附加到已经存在的文件中

我希望它能使事情澄清。直接回答这个问题有点困难,因为您从不解释ins是什么。

#include <fstream>
#include <iostream>
#include <vector>
#include <string>

using std::string; 
using std::ifstream; 
using std::ofstream; 
using std::vector; 

void append_to_file(string const& filename, string const& text) 
{
    // Open the file in append mode
    ofstream file(filename, std::ios_base::app);
    // Write the text to the file
    file << text; 
}
void write_to_file(string const& filename, string const& text) 
{
    // Clear the file and open it
    ofstream file(filename); 
    file << text; 
}

// Read all the lines in the file
vector<string> read_all_lines(string const& filename)
{
    ifstream file(filename); 

    vector<string> lines;
    while(not file.eof() && not file.fail()) {
        // Get the line
        std::string line;
        std::getline(file, line);
        // Add the line into the vector
        lines.push_back(std::move(line)); 
    }
    return lines; 
}
int main() 
{
    string filename = "test-file.txt"; 

    // Clear the file and write 
    write_to_file(filename, "This is a sentence.\n"); 

    // Append some additional text to the file: 
    append_to_file(filename, "This is some additional text"); 

    // Read all the lines in the file we wrote: 
    vector<string> lines = read_all_lines(filename); 

    // Print the lines we read: 
    for(auto& line : lines) {
        std::cout << line << '\n'; 
    }
}