Stringstream extract integer

后端 未结 4 502
小鲜肉
小鲜肉 2021-01-04 18:27

Why do I fail to extract an integer value into the Num variable?

#include 
#include 
#include 

usi         


        
相关标签:
4条回答
  • 2021-01-04 18:58

    Why are you reading into a temp string variable?

    You can just read from the stringstream into an int...

    int main()
    {
        string Digits("1 2 3");
        stringstream ss(Digits);
        int Temp;
        vector<int> Tokens;
    
        while(ss >> Temp)
            Tokens.push_back(Temp);
    }
    
    0 讨论(0)
  • 2021-01-04 18:58

    STL! :P

    stringstream ss("1 2 3");
    vector<int> Tokens;
    copy(istream_iterator<int>(ss), istream_iterator<int>(), back_inserter(Tokens));
    
    0 讨论(0)
  • 2021-01-04 19:08

    When the stream extracts the last of the 3 digist "1 2 3" the eof state will be set. This is not cleared by the str() member,you need to do it yourself. Change your code to:

    ss.clear();
    ss.str(Tokens[0]);
    
    0 讨论(0)
  • 2021-01-04 19:15

    You have to reset all status flags (eofbit) and bring the stream into a good state (goodbit):

    ss.clear(); // clear status flags
    ss.str(Tokens[0]);
    

    The reason is that if you keep extracting until the end, you will hit the end, and the eof flag will be set on that stream. After that, read operations will be canceled and you have to clear that flag out again. Anyway, after clearing and resetting the string, you can then go on extracting the integers.

    0 讨论(0)
提交回复
热议问题