👀 문제
https://leetcode.com/problems/subsets/
👊 도전
1. 설계
- 조합을 구하면 된다. 이때 길이가 0~nums.length까지 모두 구한다.
2. 구현
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
/**
*
* @author HEESOO
*
*/
class Solution {
List<List<Integer>> result;
public List<List<Integer>> subsets(int[] nums) {
result=new ArrayList<>();
for(int i=0;i<=nums.length;i++){ // 조합 길이 지정
combination(0, i, new ArrayList<Integer>(), nums);
}
return result;
}
public void combination(int start, int n, ArrayList<Integer> list, int[] nums){
if(list.size()==n){ // 조합 생성 완료
result.add(new ArrayList<>(list));
return;
}
for(int i=start;i<nums.length;i++){ // 조합 생성
list.add(nums[i]); // i를 선택하고 재귀 호출
combination(i+1, n, list, nums);
list.remove(list.size()-1); // i를 선택하지 않는 경우
}
}
}
3. 결과
🤟 성공 🤟
4. 설명
- 조합을 만든다
- Output에는 길이가 0부터 nums.length까지 조합을 찾으면 된다.
- for문 i를 0~nums.length로 하여 길이를 지정한 후, combination()을 호출한다.
- combination()의 파라미터 start는 탐색을 시작할 인덱스, n은 만들 조합의 길이, list는 선택된 값을 저장하는 변수이다.
- 조합 생성을 위해 for문에서 i를 0부터 설정하면 중복이 허용되므로 start로 시작점을 줘야 한다.
- nums[i]를 선택하면, 그 다음 확인해야할 인덱스를 start로 넘겨서 재귀를 호출한다.
- 재귀가 끝나고 돌아오면 list에서 i를 지워 i를 선택하지 않는 경우를 탐색한다.