LintCode - 두 갈래 트리 경로 및 (일반)

2158 단어
판권 성명: 본고는 블로거의 오리지널 문장으로 블로거의 허락 없이 전재할 수 없습니다.
난이도: 일반
요구 사항:
두 갈래 트리를 지정하고 모든 경로에서 각 노드가 합쳐져 목표 값을 지정하는 경로를 찾아냅니다.유효한 경로는 루트 노드에서 잎 노드까지의 경로를 가리킨다.
예:
두 갈래 트리와 목표치 = 5:
     1
    / \
   2   4
  / \
 2   3

 :

[
  [1, 2, 2],
  [1, 4]
]

생각:
차례로 두루 다니다
/**
 * 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 the root of binary tree
     * @param target an integer
     * @return all valid paths
     */
    public List> binaryTreePathSum(TreeNode root, int target) {
        List> result = new ArrayList>();

        // 
        List list = new ArrayList();
        if(root != null){
            addPath(root,String.valueOf(root.val), list);
        }

        // 
        for(String path : list){
            String[] paths = path.split(",");
            
            int num = 0;
            for(String val : paths){
                num += Integer.parseInt(val);
            }

            if(target == num){
                List data = new ArrayList();
                for(String val : paths ){
                    data.add(Integer.parseInt(val));
                }
                result.add(data);
            }
        }
        return result;
    }
    
    /**
     *   
     */
    private void addPath(TreeNode node,String path,List list){
       if(node == null){
            return;
        }
        
        if(node.left == null && node.right == null){
            list.add(path);
        }
        
        if(node.left != null){
            addPath(node.left,path + "," + String.valueOf(node.left.val),list);
        }
        
        if(node.right != null){
            addPath(node.right,path + "," + String.valueOf(node.right.val),list);
        }
    }
}

좋은 웹페이지 즐겨찾기