[leetcode-39]Combination Sum(java)

2592 단어 leetcode
문제 설명: 후보 번호 (C) 와 대상 번호 (T) 의 집합 을 감안 할 때, 후보 번호 가 T 로 합 쳐 지 는 C 의 모든 고유 한 조합 을 찾 습 니 다.
The same repeated number may be chosen from C unlimited number of times.
Note: All numbers (including target) will be positive integers. Elements in a combination (a1, a2, … , ak) must be in non-descending order. (ie, a1 ≤ a2 ≤ … ≤ ak). The solution set must not contain duplicate combinations. For example, given candidate set 2,3,6,7 and target 7, A solution set is: [7] [2, 2, 3]
분석: 이 문 제 는 DFS 를 사용 하지 않 으 면 재 귀 + 가지치기 가 필요 하지 않 으 면 많은 세부 사항 을 고려 해 야 합 니 다. 저 는 예전 에 재 귀 가 자원 을 너무 소모 한다 고 생각 했 기 때문에 직접 하고 싶 지만 생각 을 정리 하지 못 했 습 니 다.그리고 재 귀 하 는 방법 은 이미 정식 인 것 처럼 일정한 모델 에 따라 하면 정 답 으로 돌아 갈 수 있다.
코드 는 다음 과 같 습 니 다: 344 ms
public class Solution {
    private void solve(List> res,int currentIndex,int count,List tmp,int[] candidates,int target){
        if(count>=target) {
            if(count==target)
                res.add(new LinkedList<>(tmp));
            return;
        }

        for(int i = currentIndex;iif(count+candidates[i]>target){
                break;
            }
            tmp.add(candidates[i]);
            solve(res,i,count+candidates[i],tmp,candidates,target);
            tmp.remove(tmp.size()-1);
        }
    }
    public List> combinationSum(int[] candidates, int target) {
        List> res = new LinkedList>();
        List tmp = new LinkedList<>();
        Arrays.sort(candidates);

        solve(res,0,0,tmp,candidates,target);
        return res;
    }
}

좋은 웹페이지 즐겨찾기