使用枚举来确定 return 结果的类型(使用 Macro 的 hack)

Use enum to determine type of return result ( a hack using Macro )

我有很多类型的游戏对象,它们在某些方面是相关的。
所有关系都由Map<K1,K2>实现。

#include <vector>
using namespace std;

template<class K1,class K2> class Map{ //N:N relation
     public: std::vector<K2*> getK2(K1* k1){/* some code */return std::vector<K2*>();} 
     public: std::vector<K1*> getK1(K2* k2){/* some code */return std::vector<K1*>();}
     //... various function ...
};

这里是hubclassGameRelation方便所有关系查询:-
(仅举个例子,无需关注所有细节)

class Human{};   class House{};    class Dog{};
class GameRelation{
    public:
    #define RELATION(A,B,EnumName) Map<A,B> Map##EnumName;  \
    enum EnumName##Enum{EnumName};   \
    std::vector<B*> getAllRight(EnumName##Enum e,A* a){  \
        return Map##EnumName.getK2(a);  \
    }
    //... various function ...
    RELATION(Human,House,Own) 
    //I can insert any relation that I want
};

上面的宏扩展成类似:-

Map<Human,House> MapOwn; 
enum OwnEnum{Own};   
std::vector<House*> getAllRight(OwnEnum e,Human* a){  
    return MapOwn.getK2(a);  
}

使用方法如下 (full demo):-

int main() {
    GameRelation gameRelation;
    std::vector<House*> houses=gameRelation.getAllRight(GameRelation::Own,new Human()); 
    //get all "House" that is "Own" by a "Human" 
    return 0;
}

经过一些测试,效果很好。每个人都对神奇的结果感到满意。

然而,我的意识告诉我这是一个 hack。
它对内容辅助(例如智能感知)和自动重构也有点不利。
如果我想将它们的实现移动到 .cpp.

,我还需要 awesome hacking X-MACRO

问题:

struct GameRelation{
    template <typename A, typename B>
    struct Relation {
        std::vector<B*> getAllRight(A* a) {
            return map.getK2(a);
        }

    private:
        Map<A, B> map;
    };

    Relation<Human, House> own;
};

int main() {
    GameRelation gameRelation;
    std::vector<House*> houses = gameRelation.own.getAllRight(new Human()); 
}