leetcode || 94、Binary Tree Inorder Traversal

problem:
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?
confused what  "{1,#,2,3}"  means? > read more on how binary tree is serialized on OJ.
Hide Tags
 
Tree Hash Table Stack
제목: 두 갈래 나무의 중서 두루 훑어보기
thinking:
(1) 두 갈래 나무의 중서가 두루 돌아다니며 귀속법과 비귀속법 두 가지를 제시한다.
(2) 귀속법의 사고방식은 현재 결점에 방문한 왼쪽 아이를 먼저 귀속시키고 현재 결점의 값을 인쇄한 다음에 현재 결점에 방문한 오른쪽 아이를 귀속시키는 것이다.
(3) 비귀속법은 창고를 빌려 이루어진 것이다. 사고방식도 먼저 모든 왼쪽 아이 노드를 창고에 넣고 왼쪽 아이가 NULL일 때 창고의 정점 결점을 인쇄하고 창고에서 나와 오른쪽 아이를 방문한다.만약 오른쪽 아이의 왼쪽 아이가 NULL이 아니라면 상술한 과정을 반복합니다.
code:
비귀속법:
class Solution {
public:
    vector<int> inorderTraversal(TreeNode *root) {
           vector<int> ret;
           stack<TreeNode*> _stack;
           TreeNode *tmp=root;
           while(tmp!=NULL || !_stack.empty())
           {
               if(tmp!=NULL)
               {
                   _stack.push(tmp);
                   tmp=tmp->left;
               }
               else
               {
                   tmp=_stack.top();
                   _stack.pop();
                   ret.push_back(tmp->val);
                   tmp=tmp->right;
               }
           }
         return ret;   
    }
};

귀속법:
class Solution {
private:
    vector<int> ret;
public:
    vector<int> inorderTraversal(TreeNode *root) {
       
            inorder(root);
            return ret;        
        
    }
protected:
    void inorder(TreeNode *node)
    {
        if(node!=NULL)
        {
            inorder(node->left);
            ret.push_back(node->val);
            inorder(node->right);
        }
    }
};

좋은 웹페이지 즐겨찾기