类似于C ++中java的string.split(“”)的函数

时间:2013-04-29 18:54:25

标签: java c++ string split

我正在寻找C ++中与string.split(delimiter)类似的函数。它确实返回由指定分隔符剪切的字符串数组。

http://docs.oracle.com/javase/6/docs/api/java/lang/String.html#split(java.lang.String)

但是有一个好的答案,但作者删除了它。

vector<string> split(string str, string sep){
    char* cstr=const_cast<char*>(str.c_str());
    char* current;
    vector<std::string> arr;
    current=strtok(cstr,sep.c_str());
    while(current != NULL){
        arr.push_back(current);
        current=strtok(NULL, sep.c_str());
    }
    return arr;
}

2 个答案:

答案 0 :(得分:4)

你可以使用strtok。 http://www.cplusplus.com/reference/cstring/strtok/

#include <string>
#include <vector>
#include <string.h>
#include <stdio.h>
std::vector<std::string> split(std::string str,std::string sep){
    char* cstr=const_cast<char*>(str.c_str());
    char* current;
    std::vector<std::string> arr;
    current=strtok(cstr,sep.c_str());
    while(current!=NULL){
        arr.push_back(current);
        current=strtok(NULL,sep.c_str());
    }
    return arr;
}
int main(){
    std::vector<std::string> arr;
    arr=split("This--is--split","--");
    for(size_t i=0;i<arr.size();i++)
        printf("%s\n",arr[i].c_str());
    return 0;
}

答案 1 :(得分:1)

我认为其他堆栈溢出问题可能会回答这个问题:

Split a string in C++?

总之,没有像Java那样的内置方法,但其中一个用户编写了这个非常相似的方法:

https://stackoverflow.com/a/236803/1739039