C ++从函数返回字符串数组

时间:2013-04-03 18:46:58

标签: c++ csv explode

我正在开发一个简单的CSV解析器。

从我的csv文件中我得到第一行作为字符串,让我们说:

"117;'Tom';'Sawyer';";

我想要实现的是一个将我的字符串分解成碎片的函数,类似于PHP的爆炸:

$string = "117;'Tom';'Sawyer';";
$row = explode(";", $string);
echo $row[0];

我需要一个能在行变量中返回字符串数组的函数。

我是C ++的新手,所以我不确定要寻找或使用的内容。

2 个答案:

答案 0 :(得分:0)

这是一个非常常见的问题,如果您搜索过它,可以相对轻松地找到它。这可能会有所帮助:

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

答案 1 :(得分:0)

看起来你正在寻找一个使用一些指定的分隔符拆分字符串并将它们放在一个顺序容器中的函数。

这是一个执行此操作的函数:

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

/// Splits the string using provided delimiters and puts the pieces into a container.
/// The container must provide push_back and clear methods.
/// @param a The contaner to put the resulting substrings into
/// @param str The string to operate on
/// @param delims Characters that are to be treated as delimiters
/// @param compress_delims If set to true, will treat mutiple sequential delimiters as a single one
template<class StringType, class ContainerType>
void split_string(ContainerType& a, const StringType& str, const StringType& delims, bool compress_delims = true)
{
        typename StringType::size_type search_from = 0; // Place to start looking for delimiters
        typename StringType::size_type next_delim;      // Location of the next delimiter

        a.clear(); // Wipe out previous contents of the output container (it must be empty if the input string is empty)

        // Find the first delim after search_from,
        // add the substring between search_from and delimiter location to container,
        // update search_from to delimiter location + 1 so that next time we search,
        // we encounter the next delimiter. Repeat until we find the last delimiter.
        while((next_delim = str.find_first_of(delims, search_from)) != StringType::npos) {
                // If we encounter multiple delimiters in a row and compress_delims is true
                // treat it as a single delim.
                if(!(compress_delims && next_delim - search_from <= 1)){
                        StringType token = str.substr(search_from, next_delim - search_from);
                        a.push_back(token);
                }
                search_from = next_delim + 1;
        }

        // If we found the last delimiter and there are still some chars after it,
        // just add them to the container.
        if(search_from < str.length())
                a.push_back(str.substr(search_from));
}

int main()
{
        std::vector<std::string> container;
        std::string str = " hello so long    good  bye hurray    ";
        split_string(container, str, std::string(" "));
        std::copy(container.begin(), container.end(), std::ostream_iterator<std::string>(std::cout, ","));
        std::cout <<  " (" << container.size() << ")" << std::endl;
        return 0;
}

但是,如果可以在项目中使用Boost,我建议你这样做。使用boost.string_algo library,其中包含split function用于特定目的(example usage)。