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 ) " )
}
}