LintCode - 두 갈래 나무의 톱날 모양 계층(중간)

1892 단어
판권 성명: 본고는 블로거의 오리지널 문장으로 블로거의 허락 없이 전재할 수 없습니다.
난이도: 중간
요구 사항:
두 갈래 나무를 제시하고 노드 값을 되돌려주는 톱날 모양의 차원을 반복한다(먼저 왼쪽에서 오른쪽으로, 다음 층에서 다시 오른쪽에서 왼쪽으로, 층과 층 사이를 교체한다)
예:
  {3,9,20,#,#,15,7},
    3
   / \
  9  20
    /  \
   15   7

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

구현:
/**
 * Definition of TreeNode:
 * public class TreeNode {
 *     public int val;
 *     public TreeNode left, right;
 *     public TreeNode(int val) {
 *         this.val = val;
 *         this.left = this.right = null;
 *     }
 * }
 */

public class Solution {
    /*
     * @param root: A Tree
     * @return: A list of lists of integer include the zigzag level order traversal of its nodes' values.
     */
    public List> zigzagLevelOrder(TreeNode root) {

        List> ret = new ArrayList>();
        if (root == null) {
            return ret;
        }

        List cell = new ArrayList();
        TreeNode last = root;
        TreeNode nLast = root;

        LinkedList queue = new LinkedList();
        queue.add(root);

        // 
        boolean flag = true;

        while (!queue.isEmpty()) {
            TreeNode node = queue.pop();
            if (flag) {
                cell.add(node.val);
            } else {
                cell.add(0, node.val);
            }

            if (node.left != null) {
                queue.add(node.left);
                nLast = node.left;
            }

            if (node.right != null) {
                queue.add(node.right);
                nLast = node.right;
            }

            // 
            if (node == last) {
                last = nLast;
                ret.add(cell);
                cell = new ArrayList();
                flag = !flag;
            }
        }
        return ret;
    }
}

좋은 웹페이지 즐겨찾기