6

我有一个字符串 currentLine="12 23 45"

我需要在不使用 Boost 库的情况下从该字符串中提取 12、23、45。因为我使用的是字符串,所以 strtok 对我来说失败了。我尝试了很多事情仍然没有成功。

这是我的最后一次尝试

while(!inputFile.eof())
    while(getline(inputFile,currentLine))
        {
            int countVar=0;
            int inputArray[10];
            char* tokStr;
            tokStr=(char*)strtok(currentLine.c_str()," ");

            while(tokstr!=NULL)
            {
            inputArray[countVar]=(int)tokstr;
            countVar++;
            tokstr=strtok(NULL," ");
            }
        }
}

没有strtok的那个

string currentLine;
while(!inputFile.eof())
    while(getline(inputFile,currentLine))
        {
            cout<<atoi(currentLine.c_str())<<" "<<endl;
            int b=0,c=0;
            for(int i=1;i<currentLine.length();i++)
                {
                    bool lockOpen=false;
                    if((currentLine[i]==' ') && (lockOpen==false))
                        {
                        b=i;
                        lockOpen=true;
                        continue;
                        }
                    if((currentLine[i]==' ') && (lockOpen==true))
                        {
                        c=i;
                        break;
                        }
                }
            cout<<b<<"b is"<<" "<<c;    
        }
4

4 回答 4

9

试试这个:

#include <sstream>

std::string str = "12 34 56";
int a,b,c;

std::istringstream stream(str);
stream >> a >> b >> c;

在此处阅读有关 c++ 流的大量信息:http ://www.cplusplus.com/reference/iostream/

于 2012-04-17T10:29:56.707 回答
5
std::istringstream istr(your_string);

std::vector<int> numbers;
int number;
while (istr >> number)
    numbers.push_back(number);

或者,更简单(虽然不是真的更短):

std::vector<int> numbers;
std::copy(
    std::istream_iterator<int>(istr),
    std::istream_iterator<int>(),
    std::back_inserter(numbers));

(需要标准标题<sstream>和。)<algorithm><iterator>

于 2012-04-17T10:28:36.020 回答
0

您也可以选择 Boost tokenizer ......

#include <iostream>
#include <string>
#include <boost/foreach.hpp>
#include <boost/tokenizer.hpp>
using namespace std;
using namespace boost;

int main(int argc, char** argv)
{
    string str= "India, gold   was dear";
    char_separator<char> sep(", ");
    tokenizer< char_separator<char> > tokens(str, sep);
    BOOST_FOREACH(string t, tokens)
    {
        cout << t << "." << endl;
    }
}
于 2012-04-17T10:35:28.050 回答
0

stringstream并且boost::tokenizer是两种可能。string::find这是使用and的更明确的解决方案string::substr

std::list<std::string>
tokenize(
  std::string const& str,
  char const token[])
{
  std::list<std::string> results;
  std::string::size_type j = 0;
  while (j < str.length())
  {
    std::string::size_type k = str.find(token, j);
    if (k == std::string::npos)
      k = str.length();

    results.push_back(str.substr(j, k-j));
    j = k + 1;
  }
  return results;
}

希望这可以帮助。您可以轻松地将其转换为将令牌写入任意容器或采用处理令牌的函数句柄的算法。

于 2012-04-17T10:47:07.460 回答