假设我有一个名为Node
的抽象基类。
class Node
{
public:
Node() {
leftChild = NULL;
rightChild = NULL;
};
Node * leftChild, *rightChild;
void attach(Node * LC, Node * RC) {
leftChild = LC;
rightChild = RC;
};
};
我也有多个功能(为简单起见,我将包括两个功能,但实际上可以是任何数量)。
float add(float a, float b){return a+b;}
bool gt(float a, float b){return a>b;}
对于每个功能,都有一个关联的类。第一个如下。
class BinaryFunction1 : public Node
{
public:
BinaryFunction1() {
};
float(*)(float, float) addition(){
return add
};
}
第二个在下面。
class BinaryFunction2 : public Node
{
public:
BinaryFunction2() {
};
bool(*)(float, float) greaterthan(){
return gt
};
}
总的来说,我希望执行以下类似的操作,以创建链接列表,以期构建抽象的语法树。
BinaryFunction1 testBinaryFunction1();
BinaryFunction2 testBinaryFunction2();
testBinaryFunction1.attach(&testBinaryFunction2, &testBinaryFunction2);
dynamic_cast<BinaryFunction2 *>(testBinaryFunction1.leftChild)->greaterthan()(2.0, 4.0)
dynamic_cast
真的很丑,我看到它把我绊倒了。有没有办法避免这种情况并完全摆脱它。
据我所知Node * leftChild, * rightChild
确实是问题所在,因为我认为这是隐式向下转换的地方。如果不确定在编译时它们的类型,我不确定如何声明这些指针。
答案 0 :(得分:2)
我的方法如下:
using TypedValue = std::variant<int, float, bool>;
using BinaryFunc = std::function<TypedValue(TypedValue, TypedValue)>;
struct Node
{
public:
Node() {
leftChild = nullptr;
rightChild = nullptr;
};
virtual ~Node() = default;
Node * leftChild, *rightChild;
void attach(Node * LC, Node * RC) {
leftChild = LC;
rightChild = RC;
};
virtual TypedValue evaluate() = 0;
};
struct BinaryFuncNode : public Node
{
BinaryFuncNode(BinaryFunc func) : Node(), binaryFunc(func) {}
BinaryFunc binaryFunc;
TypedValue evaluate() override
{
return binaryFunc(leftChild->evaluate(), rightChild->evaluate());
}
};
struct ConstantNode : public Node
{
ConstantNode(TypedValue val) : Node(), value(val) {}
TypedValue value;
TypedValue evaluate() override
{
return value;
}
};
我不知道您想对当前要返回的函数指针执行什么操作,但这可能与对表达式的求值有关。该概念可以进入Node
接口,并且可以由每种具体类型的节点实现。不过,这需要指定返回类型,而这在Node
级别尚不清楚。实际上,通常在编译时它是未知的-无效的用户输入显然不会导致编译时错误,而必须导致运行时错误。 std::variant
在这里很合适(但是将您限制为一组编译时类型,这可能就足够了。)
然后我们可以定义例如
// Function that can only add integers (throws otherwise)
BinaryFunc addI = [](TypedValue lhs, TypedValue rhs)
{
return std::get<int>(lhs) + std::get<int>(rhs);
};
并像这样一起使用所有东西:
int main()
{
auto cnode = std::make_unique<ConstantNode>(10);
auto bfnode = std::make_unique<BinaryFuncNode>(addI);
bfnode->attach(cnode.get(), cnode.get());
return std::get<int>(bfnode->evaluate());
}
(请注意,多态需要指针或引用!)