题目描述
给定一个二叉树,返回它的中序 遍历。
样例
输入: [1,null,2,3]
1
\
2
/
3
输出: [1,3,2]
算法1
(递归) $O(n)$
时间复杂度
遍历所有节点,时间复杂度$O(n)$。
参考文献
C++ 代码
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode() : val(0), left(nullptr), right(nullptr) {}
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
* TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
* };
*/
class Solution {
private:
vector<int> res;
public:
vector<int> inorderTraversal(TreeNode* root) {
if (!root) return {};
dfs(root);
return res;
}
void dfs(TreeNode *root){
if (!root) return;
dfs(root->left);
res.push_back(root->val);
dfs(root->right);
}
};
算法2
(迭代) $O(n)$
时间复杂度
遍历所有节点,时间复杂度$O(n)$。
参考文献
C++ 代码
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode() : val(0), left(nullptr), right(nullptr) {}
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
* TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
* };
*/
class Solution {
public:
vector<int> inorderTraversal(TreeNode* root) {
if (!root) return {};
vector<int> res;
stack<TreeNode *> stk;
while (true){
while (root){
stk.push(root);
root = root->left;
}
if (stk.empty()) break;
root = stk.top(); stk.pop();
res.push_back(root->val);
root = root->right;
}
return res;
}
};