解题思路:
第一次提到回溯
前序遍历
中左右
中是处理过程
左右是递归过程
注意递归三部曲的第二部,确定终止条件,这里就是遍历完叶子节点就停止,而不是遍历到空节点
class Solution {
List<String> res = new ArrayList<>();
List<Integer> paths = new ArrayList<>();
public List<String> binaryTreePaths(TreeNode root) {
recur(root);
return res;
}
public void recur(TreeNode root) {
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) {
recur(root.left);
paths.remove(paths.size() - 1);
}
if (root.right != null) {
recur(root.right);
paths.remove(paths.size() - 1);
}
}
}