leetcode —— 39. 조합 총계
11169 단어 차례로 돌아가다거슬러 올라가다LeetCode 알고리즘 문제
설명:
예 1:
입력: candidates = [2,3,6,7], target = 7, 구해집: [[7],[2,2,3]]
문제 풀이 사고방식: 귀속+거슬러 올라가서 조합이 중복되는 것을 피하기 위해 예시 1의 중복조합[2,2,3]과[3,2,2]을 사용하면 입력 candidates를 정렬한 다음에 귀속할 때temp를 현재 조합으로 설정하고 다음에temp에 넣을 수 있는 수는temp[-1]보다 크다.
Python3 코드는 다음과 같습니다.
# Python3
class Solution:
def __init__(self):
self.ans = []
def combinationSum(self, candidates: List[int], target: int) -> List[List[int]]:
if not candidates:
return []
def combSums(candidates,target,temp,sums):
if target == sums: #
self.ans.append(temp[:])
return
for n in candidates: #
if sums + n > target: # sums target, break
break
if temp and n < temp[-1]: # temp[-1] continue
continue
temp.append(n)
combSums(candidates,target,temp,sums+n)
temp.pop() #
candidates.sort() #
combSums(candidates,target,[],0)
return self.ans
C++ 코드는 다음과 같습니다.
# C++
class Solution {
private:
vector<vector<int>> num;
vector<int> sum;
int i = 0;
public:
vector<vector<int>> combinationSum(vector<int>& candidates, int target)
{
sort(candidates.begin(),candidates.end());
function(candidates,target,sum,i);
return num;
}
void function(vector<int>& candidate, int target,vector<int> sum,int i)
{
if(target==0)
{
num.push_back(sum);
}
for(;i<candidate.size();++i) # candidates
{
if(candidate[i]<=target)
{
sum.push_back(candidate[i]);
function(candidate,target-candidate[i],sum,i);
sum.pop_back();
}
}
}
};
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
java 백엔드에서 데이터를 트리로 변환하고 맵은 json 트리를 생성하여 백엔드로 되돌려줍니다. (백엔드 변환)java 백엔드, 데이터를 트리로 변환하고,map는 json 트리를 생성하여 전방으로 되돌려줍니다(백엔드 변환) 1. 왜 이런 블로그를 쓰나요? 2.java 백엔드 코드 3. 전환된 데이터는 다음과 유사한 형식으로 ...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.