LeetCode 94 Binary Tree Inorder Traversal(두 갈래 나무의 중서 반복)+(두 갈래 나무, 교체)

번역하다

 , 。

 :
  {1#, 2, 3}
   1
    \
     2
    /
   3
  [1, 3, 2]

 : , ?

원문

Given a binary tree, return the inorder traversal of its nodes' values.

For example:
Given binary tree {1,#,2,3},
   1
    \
     2
    /
   3
return [1,3,2].

Note: Recursive solution is trivial, could you do it iteratively?

분석


비록 남의 제목이 모두 귀속은 보잘것없다고 말하지만, 우리 우선 귀속으로 한 번 쓰자.
/** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) {} * }; */
class Solution {
public:
    vector<int> v;

    vector<int> inorderTraversal(TreeNode* root) {
        if (root != NULL) {
            inorderTraversal(root->left);
            v.push_back(root->val);
            inorderTraversal(root->right);
        }
        return v;
    }
};

다음 번갈아 쓸 때가 됐어요.
struct TreeNode {
    int val;
    TreeNode *left;
    TreeNode *right;
    TreeNode(int x) : val(x), left(NULL), right(NULL) {}
};

class Solution {
public:
    vector<int> inorderTraversal(TreeNode* root) {
        vector<int> result;
        stack<TreeNode*> tempStack;
        while (!tempStack.empty() || root != NULL) {
            if (root != NULL) {
                tempStack.push(root);
                root = root->left;
            }
            else {
                root = tempStack.top();
                result.push_back((tempStack.top())->val);
                tempStack.pop();
                root = root->right;
            }
        }
        return result;
    }
};

또 다른 두 가지 유사한 제목이 있다.
LeetCode 144 Binary Tree Preorder Traversal(두 갈래 나무의 앞 순서 반복)+(두 갈래 나무, 교체)
LeetCode 145 Binary Tree Postorder Traversal(두 갈래 나무의 후속 반복)+(두 갈래 나무, 교체)

좋은 웹페이지 즐겨찾기