为的std :: string语言环境有关的排序(locale-dependent ordering

2019-07-04 03:53发布

我想比较std::string的区域依赖性秒。

对于普通的C风格的字符串,我发现strcoll ,这不正是我想要什么,后做std::setlocale

#include <iostream>
#include <locale>
#include <cstring>

bool cmp(const char* a, const char* b)
{
    return strcoll(a, b) < 0;
}

int main()
{
    const char* s1 = "z", *s2 = "å", *s3 = "ä", *s4 = "ö";

    std::cout << (cmp(s1,s2) && cmp(s2,s3) && cmp(s3,s4)) << "\n"; //Outputs 0
    std::setlocale(LC_ALL, "sv_SE.UTF-8");
    std::cout << (cmp(s1,s2) && cmp(s2,s3) && cmp(s3,s4)) << "\n"; //Outputs 1, like it should

    return 0;
}

不过,我想有这种行为std::string为好。 我可以超载operator<像做

bool operator<(const std::string& a, const std::string& b)
{
    return strcoll(a.c_str(), b.c_str());
}

但后来我不得不用担心代码std::lessstd::string::compare ,所以它不适合我。

有没有一种方法,使这种字符串整理工作以无缝的方式?

Answer 1:

的std ::场所的经营者()是你正在寻找什么。 为了得到当前的全球区域,只使用默认的构造函数。



Answer 2:

在C ++库提供了整理方面做具体的语言环境的排序规则。



Answer 3:

有点周围搜索后,我意识到,做这件事可能是超载std::basic_string模板来创建一个新的,局部的string类。

有可能是在这一个极大的错误,但作为一个概念证明:

#include <iostream>
#include <locale>
#include <string>

struct localed_traits: public std::char_traits<wchar_t>
{
    static bool lt(wchar_t a, wchar_t b)
    {
        const std::collate<wchar_t>& coll =
            std::use_facet< std::collate<wchar_t> >(std::locale());
        return coll.compare(&a, &a+1, &b, &b+1) < 0;
    }

    static int compare(const wchar_t* a, const wchar_t* b, size_t n)
    {
        const std::collate<wchar_t>& coll =
            std::use_facet< std::collate<wchar_t> >(std::locale());
        return coll.compare(a, a+n, b, b+n);
    }
};

typedef std::basic_string<wchar_t, localed_traits> localed_string;

int main()
{
    localed_string s1 = L"z", s2 = L"å", s3 = L"ä", s4 = L"ö";

    std::cout << (s1 < s2 && s2 < s3 && s3 < s4 ) << "\n"; //Outputs 0
    std::locale::global(std::locale("sv_SE.UTF-8"));
    std::cout << (s1 < s2 && s2 < s3 && s3 < s4 ) << "\n"; //Outputs 1

    return 0;
}

Howerver,它似乎不一样,如果它的基础上工作的char ,而不是wchar_t ,我不知道为什么?



Answer 4:

在C ++中,你需要使用标准的整理方面。 检查出来 。



文章来源: locale-dependent ordering for std::string