我想知道从std::stringstream
写入vector<int>
的最佳方法是什么。
以下是stringstream
中的内容示例:
"31 #00 532 53 803 33 534 23 37"
这就是我所拥有的:
int buffer = 0;
vector<int> analogueReadings;
stringstream output;
while(output >> buffer)
analogueReadings.push_back(buffer);
然而,似乎发生的事情是,它首先读取,然后它到达#00
并返回0
,因为它不是数字。
理想情况下,我想要的是,它到达#
然后只是跳过所有字符直到下一个空格。这可能是旗帜还是什么?
感谢。
答案 0 :(得分:5)
#include <iostream>
#include <sstream>
#include <vector>
int main ( int, char ** )
{
std::istringstream reader("31 #00 532 53 803 33 534 23 37");
std::vector<int> numbers;
do
{
// read as many numbers as possible.
for (int number; reader >> number;) {
numbers.push_back(number);
}
// consume and discard token from stream.
if (reader.fail())
{
reader.clear();
std::string token;
reader >> token;
}
}
while (!reader.eof());
for (std::size_t i=0; i < numbers.size(); ++i) {
std::cout << numbers[i] << std::endl;
}
}
答案 1 :(得分:1)
你需要测试你是否有一个号码。使用这里的答案:
How to determine if a string is a number with C++?
#include <iostream>
#include <sstream>
#include <vector>
using namespace std;
bool is_number(const std::string& s){
std::string::const_iterator it = s.begin();
while (it != s.end() && std::isdigit(*it)) ++it;
return !s.empty() && it == s.end();
}
int main ()
{
vector<int> analogueReadings;
std::istringstream output("31 #00 532 04hello 099 53 803 33 534 23 37");
std::string tmpbuff;
while(output >> tmpbuff){
if (is_number(tmpbuff)){
int num;
stringstream(tmpbuff)>>num;
analogueReadings.push_back(num);
}
}
}
结果是31 532 99 53 803 33 534 23 37
此处描述了使用像这样的词法强制转换的重要缺点:
How to parse a string to an int in C++?,其中提供了tringstream(tmpbuff)>>num
的替代方案。
例如04hello变为4而7.4e55变为7.下溢和下溢也存在严重问题。 AndréCaron的清洁解决方案转换
25 10000000000 77 0 0
到
25 0 0
在我的系统上。请注意,还缺少77个!
答案 2 :(得分:0)
没有循环版本:
#include <iostream>
#include <vector>
#include <iterator>
#include <algorithm>
#include <sstream>
using namespace std;
class IntegerFiller
{
vector<int> &m_vec;
public:
IntegerFiller(vector<int> &vec): m_vec(vec) {}
void operator()(const std::string &str)
{
stringstream ss(str);
int n;
ss >> n;
if ( !ss.fail() )
m_vec.push_back(n);
}
};
int main()
{
vector<int> numbers;
IntegerFiller filler(numbers);
for_each(istream_iterator<string>(cin), istream_iterator<string>(), filler);
copy(numbers.begin(), numbers.end(), ostream_iterator<int>(cout, " "));
return 0;
}
答案 3 :(得分:0)
我认为最好的方法是
#include <string>
#include <sstream>
#include <vector>
using namespace std;
int main()
{
string numbers = "23,24,27,28";
vector<int> integers;
stringstream s(numbers);
char ch;
int a;
while(s>>a>>ch) integers.push_back(a); //s >> reads int char pair
s>>a; // reads the last int
integers.push_back(a);
for(int i = 0; i < integers.size(); i++) cout << integers[i] << "\n";
}