我有3个班级:
class A
{
//
};
class B
{
//
};
class C
{
//
};
如何定义类型等于其中一个类的变量q并使其成为全局变量?
例如,我将这样定义,q将不是全局的。
if (a == 1) {
A q;
} else
if (a == 2) {
B q;
} else
if (a == 3) {
C q;
} else
答案 0 :(得分:5)
您可能希望为A,B,C提供公共基类,并使用工厂设计模式。
class A : public Base
{
};
class B : public Base
{
};
class C : public Base
{
};
class ABCFactory
{
public:
static Base* Create(int index)
{
switch (index)
{
case 1:
return new A;
case 2:
return new B;
case 3:
return new C;
};
}
};
//example usage:
std::unique_ptr<Base> p = ABCFactory::Create(1);
答案 1 :(得分:1)
如何定义类型等于其中一个类的变量q并使其成为全局变量?
- 我只需要一个实例而且只需要一次。
- 所有这些类都有方法set()和search(),它们对每个类都有不同的作用。
在这种情况下,您可以考虑使用预处理器通过程序的编译时配置实现此目的
#define CHOOSE_CLASS 1 // Or use -D option for the compiler in the build system
#if (CHOOSE_CLASS == 1)
A q;
#else
#if (CHOOSE_CLASS == 2)
B q;
#else
#if (CHOOSE_CLASS == 3)
C q;
#endif
#endif
#endif
或模板类包装器来选择其中一个
class A;
class B;
class C;
enum TypeSelector {
CLASS_A ,
CLASS_B ,
CLASS_C ,
};
template <TypeSelector selection>
struct SelectFinal {
typedef void FinalType;
};
template<>
SelectFinal<CLASS_A> {
typedef A FinalType;
};
template<>
SelectFinal<CLASS_B> {
typedef B FinalType;
};
template<>
SelectFinal<CLASS_C> {
typedef C FinalType;
};
SelectFinal<CLASS_A>::FinalType q;
如果需要在运行时选择类类型,则需要按照其他答案中的说明选择工厂模式。也许稍作修改:
class ABCFactory {
public:
static std::shared_ptr<Base> Create(int index) {
static std::shared_ptr<Base> theInstance;
if(!theInstance.get()) {
switch (index) {
case 1:
theInstance = std::make_shared<A>();
break;
case 2:
theInstance = std::make_shared<B>();
break;
case 3:
theInstance = std::make_shared<C>();
break;
}
}
return theInstance;
}
};