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 p a c e _ c o m p l e x i t y . s w i f t
* C r e a t e d T i m e : 2 0 2 3 - 0 1 - 0 1
* A u t h o r : n u o m i 1 ( n u o m i 1 @ q q . c o m )
*/
import utils
/* 函 数 */
@ discardableResult
func function ( ) -> Int {
// 执 行 某 些 操 作
return 0
}
/* 常 数 阶 */
func constant ( n : Int ) {
// 常 量 、 变 量 、 对 象 占 用 O ( 1 ) 空 间
let a = 0
var b = 0
let nums = Array ( repeating : 0 , count : 10000 )
let node = ListNode ( x : 0 )
// 循 环 中 的 变 量 占 用 O ( 1 ) 空 间
for _ in 0 . . < n {
let c = 0
}
// 循 环 中 的 函 数 占 用 O ( 1 ) 空 间
for _ in 0 . . < n {
function ( )
}
}
/* 线 性 阶 */
func linear ( n : Int ) {
// 长 度 为 n 的 数 组 占 用 O ( n ) 空 间
let nums = Array ( repeating : 0 , count : n )
// 长 度 为 n 的 列 表 占 用 O ( n ) 空 间
let nodes = ( 0 . . < n ) . map { ListNode ( x : $0 ) }
// 长 度 为 n 的 哈 希 表 占 用 O ( n ) 空 间
let map = Dictionary ( uniqueKeysWithValues : ( 0 . . < n ) . map { ( $0 , " \( $0 ) " ) } )
}
/* 线 性 阶 ( 递 归 实 现 ) */
func linearRecur ( n : Int ) {
print ( " 递归 n = \( n ) " )
if n = = 1 {
return
}
linearRecur ( n : n - 1 )
}
/* 平 方 阶 */
func quadratic ( n : Int ) {
// 二 维 列 表 占 用 O ( n ^ 2 ) 空 间
let numList = Array ( repeating : Array ( repeating : 0 , count : n ) , count : n )
}
/* 平 方 阶 ( 递 归 实 现 ) */
@ discardableResult
func quadraticRecur ( n : Int ) -> Int {
if n <= 0 {
return 0
}
// 数 组 n u m s 长 度 为 n , n - 1 , . . . , 2 , 1
let nums = Array ( repeating : 0 , count : n )
print ( " 递归 n = \( n ) 中的 nums 长度 = \( nums . count ) " )
return quadraticRecur ( n : n - 1 )
}
/* 指 数 阶 ( 建 立 满 二 叉 树 ) */
func buildTree ( n : Int ) -> TreeNode ? {
if n = = 0 {
return nil
}
let root = TreeNode ( x : 0 )
root . left = buildTree ( n : n - 1 )
root . right = buildTree ( n : n - 1 )
return root
}
@ main
enum SpaceComplexity {
/* D r i v e r C o d e */
static func main ( ) {
let n = 5
// 常 数 阶
constant ( n : n )
// 线 性 阶
linear ( n : n )
linearRecur ( n : n )
// 平 方 阶
quadratic ( n : n )
quadraticRecur ( n : n )
// 指 数 阶
let root = buildTree ( n : n )
PrintUtil . printTree ( root : root )
}
}