19

C++ 没有办法获取枚举的字符串表示形式。人们通过编写包含大量样板代码的自定义函数来解决这个问题
switch问题case XYZ return "XYZ";

这当然需要枚举的用户知道自定义函数的名称。

所以我想我可以添加一个专业化来std::to_string使用户能够to_string在我的枚举上使用。像这样的东西:

//
#include <iostream>
#include <string>
#include <cassert>
#define TEST
class Car
{
public:
    enum class Color
    {
        Red,
        Blue,
        White
    };
};
#ifdef TEST
#include <string>
namespace std
{
    std::string to_string (Car::Color c)
    {
        switch (c)
        {
        case Car::Color::Red:
            return "Red";
        case Car::Color::Blue:
            return "Blue";
        case Car::Color::White:
            return "White";
        default:
            {
                assert(0);
                return "";
            }
        }
    }

}
#endif
int main()
{
    std::cout << std::to_string(Car::Color::White) << std::endl;

}

这个解决方案有什么问题吗?

4

1 回答 1

23

这不是“覆盖”(适用于virtual函数),并且您还没有添加“专业化”(适用于模板),您添加了重载,它将新函数的声明和定义添加到命名空间std,这就是禁止:

17.6.4.2.1 命名空间 std [namespace.std]
如果 C++ 程序向命名空间std或命名空间内的命名空间添加声明或定义,则其行为未定义,std除非另有说明。只有当声明依赖于用户定义的类型并且特化满足原始模板的标准库要求并且没有明确禁止时,程序才能将任何标准库模板的模板特化添加到命名空间 std。

更好的解决方案是在您自己的命名空间中重载它,并调用to_string(c)而不是std::to_string(c). 这将找到正确的功能,您无需添加任何内容std

于 2013-06-16T18:55:41.643 回答