LeetCode 노트: 257.Binary Tree Paths

2905 단어 LeetCode

질문:


Given a binary tree, return all root-to-leaf paths.
For example, given the following binary tree:
1 /\ 2 3 \ 5
All root-to-leaf paths are:
[“1->2->5”, “1->3”]

대의:


두 갈래 나무를 제시하여 뿌리 노드에서 잎 노드까지의 모든 경로를 되돌려줍니다.
예를 들어 아래의 이 두 갈래 나무를 제시한다.
1 /\ 2 3 \ 5
루트 노드에서 잎 노드까지의 모든 경로는 다음과 같습니다.
[“1->2->5”, “1->3”]

생각:


이 문제는 귀속을 사용하기에 적합하다. 순서대로 좌우 잎사귀 노드가 있는지 판단하고 각각 귀속을 한다. 귀속에서 만나는 노드 값을 경로 문자열의 마지막에 연결하고'->'라는 내용을 붙여야 한다. 좌우 자노드가 없을 때까지 잎사귀 노드에 도착했다고 표시하면 끝낼 수 있다. 이 경로의 문자열을 결과에 추가해야 한다.

코드:

/** * Definition for a binary tree node. * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode(int x) { val = x; } * } */
public class Solution {
    public List<String> binaryTreePaths(TreeNode root) {
        List<String> result = new ArrayList<String>();
        if (root == null) return result;

        String path = String.valueOf(root.val);
        findPath(result, root, path);
        return result;
    }

    public void findPath(List<String> list, TreeNode root, String path) {
        if (root.left == null && root.right == null) {
            list.add(path);
            return;
        }
        if (root.left != null) {
            StringBuffer pathBuffer = new StringBuffer(path);
            pathBuffer.append("->");
            pathBuffer.append(String.valueOf(root.left.val));
            findPath(list, root.left, pathBuffer.toString());
        } 
        if (root.right != null) {
            StringBuffer pathBuffer = new StringBuffer(path);
            pathBuffer.append("->");
            pathBuffer.append(String.valueOf(root.right.val));
            findPath(list, root.right, pathBuffer.toString());
        }
    }
}

집합:https://github.com/Cloudox/LeetCode-Record저작권 소유:http://blog.csdn.net/cloudox_

좋은 웹페이지 즐겨찾기