3

我有两个字符串,如下所示:

string text1 = "you,are,good";
string text2 = "1,2,3,4,5";
stringstream t1(text1);
stringstream t2(text2);

我正在使用以下代码将其解析为逗号分隔的数据

template <typename T>
std::istream &operator>>(std::istream &is, Array<T> &t)
{
    T i;
    while (is >> i)
    {
        t.push_back(i);

        if (is.peek() == ',')
            is.ignore();
    }
    return is;
}

其中“是”是 t1 或 t2。这将 text2 分开,但使用 text1 失败。你们能帮我解决这个问题并告诉我为什么它不适用于字符串吗?我需要一个可以解析字符串和数字的通用代码。

感谢您的任何努力:)

4

2 回答 2

3

如果您需要以逗号精确拆分字符串,我知道的最简单的方法是重新定义流空间的含义。这很容易更换std::ctype<char>刻面。这是我之前发布的版本...

#include <iostream>
#include <iterator>
#include <string>
#include <set>
#include <algorithm>

using namespace std;

typedef string T; // to simplify, always consider T as string

template<typename input_iterator>
void do_something(const input_iterator& first, const input_iterator& last) {
    const ostream_iterator<T> os(cout, "\n");
    const set<T> words(first, last);
    copy(words.begin(), words.end(), os);
}

#include <locale>
template <char S0, char S1>
struct commactype_base {
    commactype_base(): table_() {
        std::transform(std::ctype<char>::classic_table(),
                       std::ctype<char>::classic_table() + std::ctype<char>::table_size,
                       this->table_, 
                       [](std::ctype_base::mask m) -> std::ctype_base::mask {
                           return m & ~(std::ctype_base::space);
                       });
        this->table_[static_cast<unsigned char>(S0)] |= std::ctype_base::space;
        this->table_[static_cast<unsigned char>(S1)] |= std::ctype_base::space;
    }
    std::ctype<char>::mask table_[std::ctype<char>::table_size];
    static std::ctype_base::mask clear_space(std::ctype_base::mask m) {
        return m & ~(std::ctype_base::space);
    }
};
template <char S0, char S1 = S0>
struct ctype:
    commactype_base<S0, S1>,
    std::ctype<char>
{
    ctype(): std::ctype<char>(this->table_, false) {}
};

int main() {
    std::cin.imbue(std::locale(std::locale(), new ::ctype<',', '\n'>));
    const istream_iterator<T> is(cin), eof;
    do_something(is, eof);
    return 0;
}
于 2012-11-24T19:37:08.497 回答
3

istream>>运算符在应用于字符串时会丢弃最终的初始空格并读取到第一个“空格”。

它适用于任何类型(包括 int)。它在您的代码中有效,因为在“,”“int reader”失败,并假设以下是其他内容。

读取逗号分隔字符串的最简单方法是使用std::getline函数,将 a','作为分隔符。

在您的情况下,您的模板功能

template <typename T>
std::istream &operator>>(std::istream &is, Array<T> &t)
{ ...... }

仍然有效,但需要专业化

std::istream &operator>>(std::istream &is, Array<std::string> &t)
{
    std::string r;
    while(std::getline(is,r,','))
        t.push_back(r);
    return is;
}
于 2012-11-24T19:45:03.087 回答