1.反转链表(JZ15)
1 | // 链表类 |
二叉树中和为target的路径(JZ24)
输入一颗二叉树的根节点和一个整数,按字典序打印出二叉树中结点值的和为输入整数的所有路径。路径定义为从树的根结点开始往下一直到叶结点所经过的结点形成一条路径。1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32// 二叉树类
class BinaryTree {
int val;
BinaryTree leftChild;
BinaryTree rightChild;
public BinaryTree(int val) {
this.val = val;
}
}
public class BinaryTreeRoad {
ArrayList<ArrayList<Integer>> list = new ArrayList<>();
ArrayList<Integer> path = new ArrayList<>();
public ArrayList<ArrayList<Integer>> findPath(BinaryTree root, int target) {
if (root == null) {
return list;
}
target -= root.val;
path.add(root.val);
if (target == 0 && root.leftChild == null && root.rightChild == null) {
list.add(new ArrayList<Integer>(path));
}
findPath(root.leftChild, target);
findPath(root.rightChild, target);
path.remove(path.size() - 1);
return list;
}
}
回文链表(LC234)
1 | public boolean isPalindrome(ListNode head) { |
寻找两个正数数组的中位数(LC4)
1 | public double findMedianSortedArrays(int[] nums1, int[] nums2) { |