5

我可以

locale loc(""); // use default locale
cout.imbue( loc );
cout << << "i: " << int(123456) << " f: " << float(3.14) << "\n";

它会输出:

i: 123.456 f: 3,14

在我的系统上。(德国窗户)

我想避免获得整数的千位分隔符——我该怎么做?

(我只想要用户默认设置,但没有任何千位分隔符。)

(我发现的只是如何使用刻面读取千位分隔符......但我该如何更改它呢?)use_facetnumpunct

4

1 回答 1

10

只需创建并灌输您自己的numpunct方面:

struct no_separator : std::numpunct<char> {
protected:
    virtual string_type do_grouping() const 
        { return "\000"; } // groups of 0 (disable)
};

int main() {
    locale loc("");
    // imbue loc and add your own facet:
    cout.imbue( locale(loc, new no_separator()) );
    cout << "i: " << int(123456) << " f: " << float(3.14) << "\n";
}

如果您必须创建一个特定的输出供另一个应用程序读取,您可能还需要覆盖virtual char_type numpunct::do_decimal_point() const;.

如果您想使用特定的语言环境作为基础,您可以从_byname方面派生:

template <class charT>
struct no_separator : public std::numpunct_byname<charT> {
    explicit no_separator(const char* name, size_t refs=0)
        : std::numpunct_byname<charT>(name,refs) {}
protected:
    virtual string_type do_grouping() const
        { return "\000"; } // groups of 0 (disable)
};

int main() {
    cout.imbue( locale(std::locale(""),  // use default locale
        // create no_separator facet based on german locale
        new no_separator<char>("German_germany")) );
    cout << "i: " << int(123456) << " f: " << float(3.14) << "\n";
}
于 2012-11-16T19:58:26.273 回答