LeetCode 257二叉树的所有路径
给定一个二叉树,返回所有从根节点到叶子节点的路径。
说明: 叶子节点是指没有子节点的节点。
示例:
思路:
终止逻辑:走到叶子节点,所以原本终止条件cur=null改为
root.left == null && root.right == null
由于到叶子节点才进行回溯,所以中的逻辑要写在终止逻辑之前。
paths.add(root.val); 把当前加点加入到path
如果终止条件触发,输出path里的内容
如果不触发,当前节点加入到path,然后继续执行左右的递归,递归到不能递归进行回溯。
//解法一 class Solution { /** * 递归法 */ public List<String> binaryTreePaths(TreeNode root) { List<String> res = new ArrayList<>(); if (root == null) { return res; } List<Integer> paths = new ArrayList<>(); traversal(root, paths, res); return res; } private void traversal(TreeNode root, List<Integer> paths, List<String> res) { paths.add(root.val); // 叶子结点 if (root.left == null && root.right == null) { // 输出 StringBuilder sb = new StringBuilder(); for (int i = 0; i < paths.size() - 1; i++) { sb.append(paths.get(i)).append("->"); } sb.append(paths.get(paths.size() - 1)); res.add(sb.toString()); return; } if (root.left != null) {
traversal(root.left, paths, res); paths.remove(paths.size() - 1);// 回溯 } if (root.right != null) { traversal(root.right, paths, res); paths.remove(paths.size() - 1);// 回溯 } } } // 解法2 class Solution { /** * 迭代法 */ public List<String> binaryTreePaths(TreeNode root) { List<String> result = new ArrayList<>(); if (root == null) return result; Stack<Object> stack = new Stack<>(); // 节点和路径同时入栈 stack.push(root); stack.push(root.val + ""); while (!stack.isEmpty()) { // 节点和路径同时出栈 String path = (String) stack.pop(); TreeNode node = (TreeNode) stack.pop(); // 若找到叶子节点 if (node.left == null && node.right == null) { result.add(path); } //右子节点不为空 if (node.right != null) { stack.push(node.right); stack.push(path + "->" + node.right.val); } //左子节点不为空 if (node.left != null) { stack.push(node.left); stack.push(path + "->" + node.left.val); } } return result; } }
标签:node,paths,Day24,代码,随想录,节点,null,root,stack From: https://www.cnblogs.com/dwj-ngu/p/16894132.html