0

我必须使用strok使用 C++ 的函数拆分示例字符串。示例字符串是:"This|is||a||sample||string|",而使用strok正常拆分它。

#include <stdio.h>
#include <string>
#include <string.h>
using namespace std;

int main()
{   
string  str="This||a||sample||string|";

string a;

str=strtok ((char *)str.c_str(),"|");

while (str.c_str() != NULL)
{
    printf ("str:%s\n",str.c_str());

    str = strtok (NULL, "|");

}

return 0;
}

结果:

str:This

str:a
str:sample

str:string

虽然将相同的字符串更改为"This| |a| |sample| |string|"给出了预期的结果:

str:This

str: 

str:a

str: 

str:sample

str: 

str:string

如何在不更改字符串的情况下获得预期结果?

4

3 回答 3

4

使用std::strtokonstd::string将产生未定义的行为,因为std::strtok具有破坏性(提示:std::string::c_str()返回const char*)。

相反,使用std::string::findandstd::string::substr多次:

#include <iostream>
#include <string>
#include <iterator>

template <class OutputIt>
OutputIt safe_tokenizer(const std::string & s, char token, OutputIt out){
  std::string::size_type pos = 0, f;  
  while((f = s.find(token, pos)) != std::string::npos){    
    *out++ = s.substr(pos, f - pos);
    pos = f + 1;
  }
  if(pos < s.size())
    *out++ = s.substr(pos);
  return out;
}

int main(){
  const std::string str = "Hello|World|How|Are|You";
  safe_tokenizer(str, '|', std::ostream_iterator<std::string>(std::cout, "\n"));
  return 0;
}
于 2013-10-26T11:04:53.963 回答
1

printf? strtok? 您仍在使用 C 进行编码。而 C 库(大多数时候)并不是用 C++ 做事的好方法。

在 C++ 中,我们倾向于避免使用裸指针、C 数组和 C 字符串进行操作,而是使用 STL 或 Boost 工具。

检查此线程以获取“在真正的 C++ 中”的完整示例

编辑:这是另一个线程,甚至更好。

Edit2:如果您查看此页面的右侧,您可以找到“相关”列,其中包含许多关于您的主题的有用链接 =)

于 2013-10-26T11:08:13.573 回答
0

试试 strtok 函数

char * TOKEN;
char * mystrtok( char * string,
    const char * control)
{
    char * str=NULL;
    if(string == NULL)
    {
        str = TOKEN;
        if(*str == 0)
        return NULL;
    }
    else
        str = string;

    string = str;
    for ( ; *str ; str++ )
    {
        if(*str == *control)
        {   
            *str++ = '\0';
            break;
        }

    }

    TOKEN = str;
    return string;

}
于 2013-10-26T11:40:05.653 回答