1

我有一个小问题。我有一个只包含英文单词的文本文件。我只想显示文件中的单词,忽略空格。这是代码:

#include<iostream.h>
#include<conio.h>
#include<fstream.h>
#include<stdio.h>
#define max 50
void main()
{
    clrscr();
    char output;
    FILE *p;
    char a[max];
    int i=0;
    p=fopen("thisfile.txt","r");
        while(1)
        {
            char ch=fgetc(p);
            if(ch==EOF)
            {
                break;
            }
            else if(ch==' ')
            {
                cout<<a;
                delete [] a;
                            i=0;
            }
            else
            {
                a[i++]=ch;
            }
        }
    fclose(p);
    getch();
}

现在我在输出中得到了一些意想不到的字符。你能说说问题出在哪里吗?

4

5 回答 5

3

这是一个非常简单的解决方案:

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

int main()
{
    std::ifstream infile("thisfile.txt");

    for (std::string word; infile >> word; )
    {
        std::cout << "Got one word: " << word << std::endl;
    }
}
于 2012-10-28T16:32:10.730 回答
1

这是您可以遍历单词的一种方法:

#include <fstream>
#include <iostream>
#include <ostream>
#include <iterator>
#include <string>

int main()
{
  std::ifstream file("test.txt");
  std::istream_iterator<std::string> begin(file), end;
  for(; begin!= end; ++ begin)
    std::cout<< *begin<< '\n';
}
于 2012-10-28T16:35:54.823 回答
0

我喜欢简洁明了:

#include <iostream>
#include <iterator>
#include <fstream>
#include <algorithm>

int main() {
   std::copy(std::istream_iterator<std::string>(std::ifstream("test.txt") >> std::ws),
             std::istream_iterator<std::string>(),
             std::ostream_iterator<std::string>(std::cout));
}

当然,您可能想在单词之间打印一些东西......

于 2012-10-28T16:49:32.983 回答
0

你为什么不试试这个:

#include <iostream>
#include <fstream>
#include <string>
#include <conio.h>

using namespace std;

int main() {
   clrscr();
   string s;
   ifstream in("file.txt");

   while(in >> s) {
     cout << s << endl;
   }

   in.close();

   return 0;
}
于 2012-10-28T16:37:57.437 回答
0

您的某些变量未初始化。(顺便说一句,fgetc返回一个int,对 进行测试很重要EOF)标准C中更简单的解决方案:

#include <stdio.h>

int c;

while ((c = getchar()) != EOF) {
     if (c == ' ')
         putchar('\n');
     else
         putchar(c);
}
于 2012-10-28T16:32:51.520 回答