組合
題目描述:給定兩個整數
n
和k
,返回範圍[1, n]
中所有可能的k
個數的組合。你可以按 任何順序 返回答案。
示例說明請見LeetCode官網。
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/probl...
著作權歸領釦網路所有。商業轉載請聯絡官方授權,非商業轉載請註明出處。
解法一:dfs(深度優先遍歷)
宣告2個全域性變數分別為結果集(result)和當前路徑(path),新增一個深度優先遍歷的方法,該方法具體邏輯如下:
- 當
k=0
時,即當前路徑已經有k個數了,說明當前路徑符合條件,新增到結果集中;- 然後遍歷從1開始的數,遞迴呼叫dfs方法,呼叫完之後將當前路徑的最後一個數從路徑中去掉。
最後,返回結果集即為所有符合條件的組合。
import java.util.ArrayList;
import java.util.List;
public class LeetCode_077 {
/**
* 結果集
*/
private static List<List<Integer>> result = new ArrayList<>();
/**
* 當前的路徑
*/
private static List<Integer> path = new ArrayList<>();
/**
* dfs
*
* @param n 總共有n個數
* @param k k個數的組合
* @return
*/
public static List<List<Integer>> combine(int n, int k) {
// 遞迴方法入口
dfs(1, n, k);
// 返回結果集
return result;
}
/**
* 深度優先搜尋
*
* @param u 路徑的起點
* @param n 總共有n個數
* @param k 還剩多少個值達到原定的k個數
*/
private static void dfs(int u, int n, int k) {
if (k == 0) {
/**
* 當k等於0時,表示已經有k個數了,滿足條件放入結果集中
*/
result.add(new ArrayList<>(path));
return;
}
for (int i = u; i <= n - k + 1; i++) {
/**
* 將當前的數新增到路徑中
*/
path.add(i);
dfs(i + 1, n, k - 1);
path.remove(path.size() - 1);
}
}
public static void main(String[] args) {
for (List<Integer> integers : combine(4, 2)) {
for (Integer integer : integers) {
System.out.print(integer + " ");
}
System.out.println();
}
}
}
【每日寄語】 別害怕顧慮,想到就去做,這世界就是這樣,當你把不敢去實現夢想的時候夢想就會離你越來越遠,當你勇敢地去追夢的時候,全世界都會來幫你。