其他分享
首页 > 其他分享> > Leetcode——257. 二叉树的所有路径(递归)

Leetcode——257. 二叉树的所有路径(递归)

作者:互联网

@目录

257. 二叉树的所有路径

https://leetcode-cn.com/problems/binary-tree-paths/

题目

给定一个二叉树,返回所有从根节点到叶子节点的路径。
说明: 叶子节点是指没有子节点的节点。
示例:
输入:
   1
 /   \
2     3
 \
  5
输出: ["1->2->5", "1->3"]
解释: 所有根节点到叶子节点的路径为: 1->2->5, 1->3

思想

输出二叉树的所有路径:
此处用的是字符串,如果都为整数,可以参考113. 路径总和 II 方法

List<List<Integer>> result = new ArrayList<>();//result存储各个路径
LinkedList<Integer> stack = new LinkedList<>();//链表数组stack来存储(便于增删)当前

路径
此处直接用字符串存储即可,另外注意输出格式

代码

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
/*
输出二叉树的所有路径:

*/

class Solution {
    public void Paths(TreeNode root, String path, List<String> res) {
        if(root == null){
            return;
        }
        path += Integer.toString(root.val);
        if(root.left == null && root.right == null){
            res.add(path);
        }
        else{
            path += "->";
            Paths(root.left, path, res);
            Paths(root.right, path, res);
        }
    }

    public List<String> binaryTreePaths(TreeNode root) {
        List<String> result = new ArrayList<>();
        Paths(root, "", result);
        return result;
    }
}

标签:TreeNode,路径,257,二叉树,path,root,Leetcode,节点
来源: https://www.cnblogs.com/leonode/p/13604865.html