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 . 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 , choices : [ Int ] , start : Int , res : inout [ [ Int ] ] ) {
// 子 集 和 等 於 t a r g e t 時 , 記 錄 解
if target = = 0 {
res . append ( state )
return
}
// 走 訪 所 有 選 擇
// 剪 枝 二 : 從 s t a r t 開 始 走 訪 , 避 免 生 成 重 複 子 集
for i in choices . indices . dropFirst ( start ) {
// 剪 枝 一 : 若 子 集 和 超 過 t a r g e t , 則 直 接 結 束 迴 圈
// 這 是 因 為 陣 列 已 排 序 , 後 邊 元 素 更 大 , 子 集 和 一 定 超 過 t a r g e t
if target - choices [ i ] < 0 {
break
}
// 嘗 試 : 做 出 選 擇 , 更 新 t a r g e t , s t a r t
state . append ( choices [ i ] )
// 進 行 下 一 輪 選 擇
backtrack ( state : & state , target : target - choices [ i ] , choices : choices , start : i , res : & res )
// 回 退 : 撤 銷 選 擇 , 恢 復 到 之 前 的 狀 態
state . removeLast ( )
}
}
/* 求 解 子 集 和 I */
func subsetSumI ( nums : [ Int ] , target : Int ) -> [ [ Int ] ] {
var state : [ Int ] = [ ] // 狀 態 ( 子 集 )
let nums = nums . sorted ( ) // 對 n u m s 進 行 排 序
let start = 0 // 走 訪 起 始 點
var res : [ [ Int ] ] = [ ] // 結 果 串 列 ( 子 集 串 列 )
backtrack ( state : & state , target : target , choices : nums , start : start , res : & res )
return res
}
@ main
enum SubsetSumI {
/* D r i v e r C o d e */
static func main ( ) {
let nums = [ 3 , 4 , 5 ]
let target = 9
let res = subsetSumI ( nums : nums , target : target )
print ( " 輸入陣列 nums = \( nums ) , target = \( target ) " )
print ( " 所有和等於 \( target ) 的子集 res = \( res ) " )
}
}