LeetCode 94. 二叉树的中序遍历
Posted Blocking The Sky
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode 94. 二叉树的中序遍历相关的知识,希望对你有一定的参考价值。
给定一个二叉树的根节点 root ,返回它的 中序 遍历。
1、递归
class Solution {
public:
vector<int> result;
void InOrder(TreeNode* root){
if(root){
InOrder(root->left);
result.push_back(root->val);
InOrder(root->right);
}
}
vector<int> inorderTraversal(TreeNode* root) {
InOrder(root);
return result;
}
};
2、用栈非递归实现
class Solution {
public:
vector<int> result;
vector<int> inorderTraversal(TreeNode* root) {
stack<TreeNode*> s;
while(root||!s.empty()){
if(root){
s.push(root);
root=root->left;
}
else{
root=s.top();
s.pop();
result.push_back(root->val);
root=root->right;
}
}
return result;
}
};
以上是关于LeetCode 94. 二叉树的中序遍历的主要内容,如果未能解决你的问题,请参考以下文章