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 : h a s h i n g _ s e a r c h . s w i f t
* C r e a t e d T i m e : 2 0 2 3 - 0 1 - 2 8
* 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
/* 哈 希 查 找 ( 数 组 ) */
func hashingSearch ( map : [ Int : Int ] , target : Int ) -> Int {
// 哈 希 表 的 k e y : 目 标 元 素 , v a l u e : 索 引
// 若 哈 希 表 中 无 此 k e y , 返 回 - 1
return map [ target , default : - 1 ]
}
/* 哈 希 查 找 ( 链 表 ) */
func hashingSearch1 ( map : [ Int : ListNode ] , target : Int ) -> ListNode ? {
// 哈 希 表 的 k e y : 目 标 结 点 值 , v a l u e : 结 点 对 象
// 若 哈 希 表 中 无 此 k e y , 返 回 n u l l
return map [ target ]
}
@ main
enum HashingSearch {
/* D r i v e r C o d e */
static func main ( ) {
let target = 3
/* 哈 希 查 找 ( 数 组 ) */
let nums = [ 1 , 5 , 3 , 2 , 4 , 7 , 5 , 9 , 10 , 8 ]
// 初 始 化 哈 希 表
var map : [ Int : Int ] = [ : ]
for i in nums . indices {
map [ nums [ i ] ] = i // k e y : 元 素 , v a l u e : 索 引
}
let index = hashingSearch ( map : map , target : target )
print ( " 目标元素 3 的索引 = \( index ) " )
/* 哈 希 查 找 ( 链 表 ) */
var head = ListNode . arrToLinkedList ( arr : nums )
// 初 始 化 哈 希 表
var map1 : [ Int : ListNode ] = [ : ]
while head != nil {
map1 [ head ! . val ] = head ! // k e y : 结 点 值 , v a l u e : 结 点
head = head ? . next
}
let node = hashingSearch1 ( map : map1 , target : target )
print ( " 目标结点值 3 的对应结点对象为 \( node ! ) " )
}
}