hello-algo/codes/swift/chapter_searching/binary_search_insertion.swift
nuomi1 7359a7cb4b
Review Swift codes (#1150)
* feat(swift): review for chapter_computational_complexity

* feat(swift): review for chapter_data_structure

* feat(swift): review for chapter_array_and_linkedlist

* feat(swift): review for chapter_stack_and_queue

* feat(swift): review for chapter_hashing

* feat(swift): review for chapter_tree

* feat(swift): add codes for heap article

* feat(swift): review for chapter_heap

* feat(swift): review for chapter_graph

* feat(swift): review for chapter_searching

* feat(swift): review for chapter_sorting

* feat(swift): review for chapter_divide_and_conquer

* feat(swift): review for chapter_backtracking

* feat(swift): review for chapter_dynamic_programming

* feat(swift): review for chapter_greedy

* feat(swift): review for utils

* feat(swift): update ci tool

* feat(swift): trailing closure

* feat(swift): array init

* feat(swift): map index
2024-03-20 21:15:39 +08:00

71 lines
2.1 KiB
Swift
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

/**
* File: binary_search_insertion.swift
* Created Time: 2023-08-06
* Author: nuomi1 (nuomi1@qq.com)
*/
/* */
func binarySearchInsertionSimple(nums: [Int], target: Int) -> Int {
// [0, n-1]
var i = nums.startIndex
var j = nums.endIndex - 1
while i <= j {
let m = i + (j - i) / 2 // m
if nums[m] < target {
i = m + 1 // target [m+1, j]
} else if nums[m] > target {
j = m - 1 // target [i, m-1]
} else {
return m // target m
}
}
// target i
return i
}
/* */
public func binarySearchInsertion(nums: [Int], target: Int) -> Int {
// [0, n-1]
var i = nums.startIndex
var j = nums.endIndex - 1
while i <= j {
let m = i + (j - i) / 2 // m
if nums[m] < target {
i = m + 1 // target [m+1, j]
} else if nums[m] > target {
j = m - 1 // target [i, m-1]
} else {
j = m - 1 // target [i, m-1]
}
}
// i
return i
}
#if !TARGET
@main
enum BinarySearchInsertion {
/* Driver Code */
static func main() {
//
var nums = [1, 3, 6, 8, 12, 15, 23, 26, 31, 35]
print("\n数组 nums = \(nums)")
//
for target in [6, 9] {
let index = binarySearchInsertionSimple(nums: nums, target: target)
print("元素 \(target) 的插入点的索引为 \(index)")
}
//
nums = [1, 3, 6, 6, 6, 6, 6, 10, 12, 15]
print("\n数组 nums = \(nums)")
//
for target in [2, 6, 20] {
let index = binarySearchInsertion(nums: nums, target: target)
print("元素 \(target) 的插入点的索引为 \(index)")
}
}
}
#endif