力扣77题如下:
给定两个整数 n
和 k
,返回范围 [1, n]
中所有可能的 k
个数的组合。
你可以按 任何顺序 返回答案。
示例 1:
输入:n = 4, k = 2 输出: [ [2,4], [3,4], [2,3], [1,2], [1,3], [1,4], ]
示例 2:
输入:n = 1, k = 1 输出:[[1]]
提示:
1 <= n <= 20
1 <= k <= n
答案如下:
class Solution {
List<List<Integer>> result = new ArrayList<>();
LinkedList<Integer> path = new LinkedList<>();
public List<List<Integer>> combine(int n, int k) {
backTracking(n, k ,1);
return result;
}
public void backTracking(int n, int k,int startIndex) {
if (path.size() == k) {
result.add(new LinkedList<>(path));
return;
}
for (int i = startIndex; i <= n-(k-path.size())+1; i++) {
path.add(i);
backTracking(n, k ,i+1);
path.removeLast();
}
}
}
其中,若将 result.add(new LinkedList<>(path))改成result.add(path),那么result当中最终存的都是空的List。
比如示例1的结果将会变为:
[ [], [], [], [], [], [] ]
原因如下:
1.result.add(path)是浅拷贝,将result尾部指向了path地址,后续path内容的变化会导致result的变化(由于回溯path.removeLast()的原因,path最终为空)。
2.result.add(new LinkedList<>(path)) 是深拷贝,开辟一个独立地址(空间),地址中存放的是和当前path内容一样的另一个新链表,后续path的变化不会影响到result中该链表的变化。