2

假设我有这个简化的例子:
我有一些代码对类进行序列化和反序列化......第一个字节是编码类类型的枚举(它们都继承自同一个基)......例如。

    Color* c;
    auto classType == read_byte(buffer);
    switch (classType)
    case eBlue:
    {
       c = new Blue(buffer);
    }
    case eGray:
    {
       c = new Gray(buffer)
    }

//...

有没有办法从枚举到类型的映射,所以我可以替换开关

c = new enum2Type(buffer);

编辑 ofc 我永远不会使用原始 ptr IRL。:)

4

2 回答 2

3
template<typename T>
T* makeColor(Buffer const& buffer)
{
    return new T(buffer);
}

...

std::map<ColerEnum, Color* (*)(Buffer const&)> m;
m[grayEnum] = makeColor<Gray>;

...

Color* c = m[typeByte](buffer);
于 2013-05-22T12:49:30.553 回答
1

您可以用带有缓冲区参数的函子映射或数组替换您的开关盒,返回一个(智能)指针Color

enum EnumType { blueEnum, grayEnum };
struct Buffer { .... };
struct Color { .... };

template <typename T>
Color* make_stuff(const Buffer& b) { return new T(b); }

然后

#include <functional>
#include <map>
...

// if you are sure enum values start at 0 and increase withoug jumps, 
// you could use a plain array
std::map<EnumType, std::function<Color*(const Buffer&)>> m;

m[grayEnum] = make_stuff<Gray>;
m[blueEnum] = make_stuff<Blue>;

Color* c = m.at(classType);
于 2013-05-22T12:14:26.423 回答