LeetCode 알고리즘 문제 103: 두 갈래 나무의 톱니형 차원 반복 해석

두 갈래 나무를 정해서 노드 값을 되돌려주는 톱날 모양의 차원을 두루 훑어본다.(즉, 먼저 왼쪽에서 오른쪽으로, 다시 오른쪽에서 왼쪽으로 다음 층을 훑어보며, 이와 같이 층과 층 사이를 교체하여 진행한다.)
예를 들어 두 갈래 나무[3,9,20,null,null,15,7],
    3
   / \
  9  20
    /  \
   15   7
 :

[
  [3],
  [20,9],
  [15,7]
]

이 제목은 일반적인 차원 반복 사상과 큰 차이가 없다. 이것은 여기에 두 개의 방향이 필요하다. 모든 설정은 두 개의 창고나 대열을 사용한다. 여기는 창고를 사용하고 각 창고는 한 층의 노드를 저장한 다음에 한 방향에서 출력하고 다른 창고는 다른 층의 노드를 저장한다. 보존할 때 반대로 저장한 다음에 다른 방향에서 출력한다.
C++ 소스 코드:
/**
 * 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<vector<int>> zigzagLevelOrder(TreeNode* root) {
        vector<vector<int>> res;
        if (!root) return res;
        vector<int> out;
        stack<TreeNode*> s1;
        stack<TreeNode*> s2;
        s1.push(root);
        while(!s1.empty() || !s2.empty()){
            while(!s1.empty()){
                TreeNode *tmp = s1.top();
                s1.pop();
                out.push_back(tmp->val);
                if(tmp->left) s2.push(tmp->left);
                if(tmp->right) s2.push(tmp->right);
            }
            if(!out.empty()) res.push_back(out);
            out.clear();
            while(!s2.empty()){
                TreeNode *tmp = s2.top();
                s2.pop();
                out.push_back(tmp->val);
                if(tmp->right) s1.push(tmp->right);
                if(tmp->left) s1.push(tmp->left);
            }
            if(!out.empty()) res.push_back(out);
            out.clear();
        }
        return res;
    }
};

python3 소스 코드:
# Definition for a binary tree node.
# class TreeNode:
#     def __init__(self, x):
#         self.val = x
#         self.left = None
#         self.right = None

class Solution:
    def zigzagLevelOrder(self, root: 'TreeNode') -> 'List[List[int]]':
        res = []
        if root==None: return res
        out = []
        s1 = [root]
        s2 = []
        while len(s1)!=0 or len(s2)!=0:
            while len(s1)!=0:
                tmp = s1.pop()
                out.append(tmp.val)
                if tmp.left: s2.append(tmp.left)
                if tmp.right: s2.append(tmp.right)
            if len(out)!=0: res.append(out)
            out = []
            while len(s2)!=0:
                tmp = s2.pop()
                out.append(tmp.val)
                if tmp.right: s1.append(tmp.right)
                if tmp.left: s1.append(tmp.left)
            if len(out)!=0: res.append(out)
            out = []
        return res
        

좋은 웹페이지 즐겨찾기