mirror of
				https://github.com/krahets/hello-algo.git
				synced 2025-10-31 02:17:06 +08:00 
			
		
		
		
	 42f48405ef
			
		
	
	42f48405ef
	
	
	
		
			
			* feat(kotlin): add kotlin code for utils file. * Update ListNode.kt * Update PrintUtil.kt * fix: add the header comment for linkedlist_stack class. * fix(kotlin): fix the kotlin file name. * delete blank line in main function * add comment for class head. * delete the old file. * fix the created time * delete blank line beneath files. --------- Co-authored-by: Yudong Jin <krahets@163.com>
		
			
				
	
	
		
			49 lines
		
	
	
		
			1.3 KiB
		
	
	
	
		
			Kotlin
		
	
	
	
	
	
			
		
		
	
	
			49 lines
		
	
	
		
			1.3 KiB
		
	
	
	
		
			Kotlin
		
	
	
	
	
	
| /**
 | |
|  * File: two_sum.kt
 | |
|  * Created Time: 2024-01-25
 | |
|  * Author: curtishd (1023632660@qq.com)
 | |
|  */
 | |
| 
 | |
| package chapter_searching
 | |
| 
 | |
| /* 方法一:暴力枚举 */
 | |
| fun twoSumBruteForce(nums: IntArray, target: Int): IntArray {
 | |
|     val size = nums.size
 | |
|     // 两层循环,时间复杂度为 O(n^2)
 | |
|     for (i in 0..<size - 1) {
 | |
|         for (j in i + 1..<size) {
 | |
|             if (nums[i] + nums[j] == target) return intArrayOf(i, j)
 | |
|         }
 | |
|     }
 | |
|     return IntArray(0)
 | |
| }
 | |
| 
 | |
| /* 方法二:辅助哈希表 */
 | |
| fun twoSumHashTable(nums: IntArray, target: Int): IntArray {
 | |
|     val size = nums.size
 | |
|     // 辅助哈希表,空间复杂度为 O(n)
 | |
|     val dic = HashMap<Int, Int>()
 | |
|     // 单层循环,时间复杂度为 O(n)
 | |
|     for (i in 0..<size) {
 | |
|         if (dic.containsKey(target - nums[i])) {
 | |
|             return intArrayOf(dic[target - nums[i]]!!, i)
 | |
|         }
 | |
|         dic[nums[i]] = i
 | |
|     }
 | |
|     return IntArray(0)
 | |
| }
 | |
| 
 | |
| /* Driver Code */
 | |
| fun main() {
 | |
|     // ======= Test Case =======
 | |
|     val nums = intArrayOf(2, 7, 11, 15)
 | |
|     val target = 13
 | |
| 
 | |
|     // ====== Driver Code ======
 | |
|     // 方法一
 | |
|     var res = twoSumBruteForce(nums, target)
 | |
|     println("方法一 res = ${res.contentToString()}")
 | |
|     // 方法二
 | |
|     res = twoSumHashTable(nums, target)
 | |
|     println("方法二 res = ${res.contentToString()}")
 | |
| } |