与空间有关的问题

时间:2016-02-02 21:40:53

标签: c++ string cin

所以我试图从cin和空格中读取一些东西, 例如,如果我有

AA 3 4 5
111 222 33

来自cin,我想将它们存储在一个字符串数组中。 到目前为止,我的代码是

string temp;
int x = 0;
string array[256];
while(!cin.eof())
{
    cin >> temp;
    array[x] = temp;
    x += 1;
}

然后程序崩溃了。 然后我添加了cout试图找出temp中的内容并显示:

AA345

那么如何将输入存储到带有空格的数组中呢?

1 个答案:

答案 0 :(得分:1)

这里有一种方法可以处理来自cin的输入,条目之间有任意数量的空格,并使用boost库将数据存储在向量中:

#include <iostream>
#include <string>
#include <vector>
#include <boost/algorithm/string.hpp>
int main() {
  std::string temp;
  std::vector<std::string> entries;
  while(std::getline(std::cin,temp)) {  
      boost::split(entries, temp, boost::is_any_of(" "), boost::token_compress_on);
      std::cout << "number of entries: " << entries.size() << std::endl;
      for (int i = 0; i < entries.size(); ++i) 
        std::cout << "entry number " << i <<" is "<< entries[i] << std::endl;                  
    }  
  return 0;
}

修改

可以在不使用令人敬畏的增强库的情况下获得相同的结果,例如,以下列方式:

#include <iostream>
#include <string>
#include <vector>
#include <sstream>
int main() {
  std::string temp;
  std::vector<std::string> entries;
  while(std::getline(std::cin,temp)) {    
      std::istringstream iss(temp);
      while(!iss.eof()){ 
        iss >> temp;
        entries.push_back(temp);    
      }
      std::cout << "number of entries: " << entries.size() << std::endl;
      for (int i = 0; i < entries.size(); ++i)  
        std::cout<< "entry number " << i <<" is "<< entries[i] << std::endl;
      entries.erase(entries.begin(),entries.end()); 
    }
  return 0;
}

示例

输入:

AA 12  6789     K7

输出:

number of entries: 4
entry number 0 is AA
entry number 1 is 12
entry number 2 is 6789
entry number 3 is K7

希望这有帮助。