我正在尝试使用二叉树评估表达式。树有以下特点:
- 每个节点有零个、一个或两个子节点。
- 只有包含运算符的节点才能有子节点。
- 所有叶子节点必须是数字。
- 为简单起见,唯一允许的运算符是
*
和+
像那些东西:
这是我的树类:
class ExpressionTree {
struct Node {
std::string data;
Node *leftChild, *rightChild;
Node(std::string d): data(d), leftChild(NULL), rightChild(NULL) {}
} *root;
uint tsize;
public:
ExpressionTree(): root(NULL), tsize(0) {}
Node* treeRoot() { return root; }
void insert(std::string s);
};
这是我的插入功能:
void insert(std::string s) {
if (root == NULL) {
root = new Node(s);
++tsize;
} else {
Node* current = root;
while (true) {
if (is_operator(current->data)) {
if (current->leftChild == NULL) {
current->leftChild = new Node(s);
++tsize;
return;
} else if (current->rightChild == NULL) {
current->rightChild = new Node(s);
++tsize;
return;
} else {
if (is_operator(current->leftChild->data)) {
current = current->leftChild;
continue;
} else if (is_operator(current->rightChild->data)) {
current = current->rightChild;
continue;
} else {
std::cout << "Error: only nodes who hold operators"
<< " can have children." << std::endl;
return;
}
}
}
}
}
}
问题出在这个函数上。我从一个在二叉搜索树中插入节点的函数开始编写它,但它不起作用。当我运行一个简单的 main (使用insert()
,一次添加第二棵树的节点)时,它崩溃而没有返回任何错误,只有一个要求检查在线解决方案的 windows 7 对话框。
我认为主要问题是它不检查树的所有元素,而只检查一个分支,因此它以非法方式附加新节点。不幸的是,我不知道如何解决这个问题。
我希望这个问题不要太具体。
注意:is_operator()
接受一个字符串,true
如果是+
or则返回*
,否则返回 false。