我正在维护一个非常古老(20 多年)且相当大(15 KLOC)的库,其中包含当前由整数标识的各种类型的对象。这提出了一个问题,即只给定整数我不知道它应该识别哪种类型的对象。在编译时这样做会非常好。
我想出的最小改动的解决方案是创建一个 ID 模板,然后为它为各种类型的对象 ID 创建 typedef。
我意识到我必须在模板中添加第三个参数,因为我认为两个完全不同的标识符可能具有相同的基础类型和范围。
我发现 C++ 不考虑
typedef int X;
typedef int Y;
作为完全不同的类型。
这是解决方案吗:-
A)合理(我知道它有效)
B)是否有另一种简单的方法来做到这一点 - 管理层害怕高 LOC 变化
仅使用示例运算符简化解决方案。
#include <iostream>
// Horrible old definition of current code
class OldObjectA
{
public:
int ident_; // int identifier
int uniq_; // another int identifier unique to OldObjectA's only
};
class OldObjectB
{
public:
int ident_;
int next_; // int of another OldObjectB ident_
int uniq_; // another int identifier unique to OldObjectB's only
int dq_; // int of yet anothera OldObjectB ident_
int com_; // int of ident_ of a OldObjectA
int ld_; // int of ident_ of a OldObjectC
};
class OldObjectC
{
public:
int indent_;
int next_; // int of another OldObjectC ident_
int com_; // int of ident_ of a OldObjectA
};
enum Type { TypeA, TypeAU, TypeB, TypeBU, TypeC };
template<class T, T maxval, Type type>
class ID
{
public:
friend bool operator==(const ID<T, maxval, type> &lhs, const ID<T, maxval, type> &rhs)
{
std::cout << __PRETTY_FUNCTION__ << std::endl;
return true;
}
};
typedef ID<int, 42, TypeA> ID_A;
typedef ID<int, 42, TypeAU> ID_UniqA;
typedef ID<int, 42, TypeB> ID_B;
typedef ID<int, 42, TypeBU> ID_UniqB;
typedef ID<int, 100, TypeC> ID_C;
// What I was thinking of doing
class NewObjectA
{
public:
ID_A ident_; // int identifier
ID_UniqA uniq_; // another int identifer
};
class NewObjectB
{
public:
ID_B ident_;
ID_B next_; // int of another OldObjectB ident_
ID_UniqB uniq_; // another int
ID_B dq_; // int of yet anothera OldObjectB ident_
ID_A com_; // int of ident_ of a OldObjectA
ID_C ld_; // int of ident_ of a OldObjectC
};
class NewObjectC
{
public:
ID_C indent_;
ID_C next_; // int of another OldObjectC ident_
ID_A com_; // int of ident_ of a OldObjectA
};
int main(int argc, char *argv[])
{
std::cout << "================================================================================\n";
ID_A a,a2;
ID_UniqA au,au2;
ID_B b,b2;
ID_UniqB bu,bu2;
ID_C c,c2;
a==a2;
au==au2;
b==b2;
bu==bu2;
c==c2;
// wanted and expected compile time fails
// a=au;
// a=b;
// a=bu;
// a=c;
// au=b;
// au=bu;
// au=c;
// b=bu;
// b=c;
std::cout << "================================================================================\n";
return 0;
}