使用ifstream读取文件

时间:2009-10-25 00:33:04

标签: c++ file io ifstream

我正在尝试从文件中读取: 该文件是多行的,基本上我需要查看每个“单词”。词是任何非空间。

示例输入文件为:

  

示例文件:

     

测试2d
      字3.5       输入
      {

        测试13.5 12.3
        另一个{
         测试145.4
         }        }

所以我尝试过这样的事情:

ifstream inFile(fajl.c_str(), ifstream::in);

if(!inFile)
{
    cout << "Cannot open " << fajl << endl;
    exit(0);
}

string curr_str;
char curr_ch;
int curr_int;
float curr_float;

cout << "HERE\n";
inFile >> curr_str;

cout << "Read " << curr_str << endl;

问题是当它读取它刚刚挂起的新行时。我在测试13.5之前读了一切 但是一旦达到那条线,就什么也做不了。 谁能告诉我我做错了什么? 关于如何做到这一点的任何更好的建议???

我基本上需要浏览文件并在当时输入一个“单词”(非白色字符)。 我

由于

2 个答案:

答案 0 :(得分:3)

你打开一个文件'inFile'但是从'std :: cin'读取任何特殊原因?

/*
 * Open the file.
 */
std::ifstream   inFile(fajl.c_str());   // use input file stream don't.
                                        // Then you don't need explicitly specify
                                        // that input flag in second parameter
if (!inFile)   // Test for error.
{
    std::cerr << "Error opening file:\n";
    exit(1);
}

std::string   word;
while(inFile >> word)  // while reading a word succeeds. Note >> operator with string
{                      // Will read 1 space separated word.
    std::cout << "Word(" << word << ")\n";
}

答案 1 :(得分:1)

不确定iostream库的“精神”是怎样的,但你可以使用未格式化的输入来完成它。类似的东西:

char tempCharacter;
std::string currentWord;
while (file.get(tempCharacter))
{
    if (tempCharacter == '\t' || tempCharacter == '\n' || tempCharacter == '\r' || tempCharacter == ' ')
    {
        std::cout << "Current Word: " << currentWord << std::endl;
        currentWord.clear();
        continue;
    }
    currentWord.push_back(tempCharacter);
}

这有用吗?