Струнный поток к вектору <int> - PullRequest
4 голосов
/ 04 февраля 2012

Мне интересно, как лучше записать 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, потому что это не число.

В идеале, я хочу получить значение #, а затем просто пропустить все символы до следующего пробела. Это возможно с флагами или что-то?

Спасибо.

Ответы [ 4 ]

5 голосов
/ 04 февраля 2012
#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 голос
/ 04 февраля 2012

Вам нужно проверить, есть ли у вас номер или нет.используйте ответ отсюда:

Как определить, является ли строка числом с 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 2337

Также, важный недостатки использования лексических приведений, подобных этому, описаны здесь: Как проанализировать строку в int в C ++? , где альтернатива *Дается 1014 *.

Например, 04hello становится 4, а 7.4e55 становится 7. Есть также ужасные проблемы с недостаточным и недостаточным объемом.Чистое решение Андре Карона преобразует

25 10000000000 77 0 0

в

25 0 0 

в моей системе.Обратите внимание, что также отсутствует 77

0 голосов
/ 30 сентября 2018

Я думаю, что лучший способ будет

#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";
}
0 голосов
/ 04 февраля 2012

Версия без петель:

#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;
}
...