You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
This file contains ambiguous Unicode characters that may be confused with others in your current locale. If your use case is intentional and legitimate, you can safely ignore this warning. Use the Escape button to highlight these characters.
/* *
* F i l e : s u b s e t _ s u m _ i _ n a i v e . s w i f t
* C r e a t e d T i m e : 2 0 2 3 - 0 7 - 0 2
* A u t h o r : n u o m i 1 ( n u o m i 1 @ q q . c o m )
*/
/* 回 溯 演 算 法 : 子 集 和 I */
func backtrack ( state : inout [ Int ] , target : Int , total : Int , choices : [ Int ] , res : inout [ [ Int ] ] ) {
// 子 集 和 等 於 t a r g e t 時 , 記 錄 解
if total = = target {
res . append ( state )
return
}
// 走 訪 所 有 選 擇
for i in choices . indices {
// 剪 枝 : 若 子 集 和 超 過 t a r g e t , 則 跳 過 該 選 擇
if total + choices [ i ] > target {
continue
}
// 嘗 試 : 做 出 選 擇 , 更 新 元 素 和 t o t a l
state . append ( choices [ i ] )
// 進 行 下 一 輪 選 擇
backtrack ( state : & state , target : target , total : total + choices [ i ] , choices : choices , res : & res )
// 回 退 : 撤 銷 選 擇 , 恢 復 到 之 前 的 狀 態
state . removeLast ( )
}
}
/* 求 解 子 集 和 I ( 包 含 重 複 子 集 ) */
func subsetSumINaive ( nums : [ Int ] , target : Int ) -> [ [ Int ] ] {
var state : [ Int ] = [ ] // 狀 態 ( 子 集 )
let total = 0 // 子 集 和
var res : [ [ Int ] ] = [ ] // 結 果 串 列 ( 子 集 串 列 )
backtrack ( state : & state , target : target , total : total , choices : nums , res : & res )
return res
}
@ main
enum SubsetSumINaive {
/* D r i v e r C o d e */
static func main ( ) {
let nums = [ 3 , 4 , 5 ]
let target = 9
let res = subsetSumINaive ( nums : nums , target : target )
print ( " 輸入陣列 nums = \( nums ) , target = \( target ) " )
print ( " 所有和等於 \( target ) 的子集 res = \( res ) " )
print ( " 請注意,該方法輸出的結果包含重複集合 " )
}
}