Python 二叉搜尋

Harshit Jindal 2023年1月30日
  1. 二叉搜尋演算法
  2. 二叉搜尋的 Python 程式
Python 二叉搜尋

二叉搜尋演算法

假設我們有一個未排序的陣列 A[],包含 n 個元素,我們想找到一個元素 X

  • lo0hin - 1
  • lo<hi 時,設 mid=lo + (hi - lo)/2
    • 如果 A[mid] == X,我們找到了元素,返回索引 mid
    • 如果 A[mid] < X,則丟棄左半部分元素,並設定 lomid+1
    • 如果 A[mid] > X,則丟棄右半部分元素,並將 hi 設為 mid-1
  • 沒有找到元素,所以返回 -1

二叉搜尋的 Python 程式

def binary_search(arr, x, n):
    lo = 0
    hi = n - 1
    mid = 0

    while lo <= hi:
        mid = (hi + lo) // 2
        if arr[mid] < x:
            lo = mid + 1
        elif arr[mid] > x:
            hi = mid - 1
        else:
            return mid
    return -1


arr = [2, 3, 4, 1, 5]
x = 4
n = len(arr)
result = binary_search(arr, x, n)

if result == -1:
    print("Element not found")
else:
    print("Element is present at index", str(result))

輸出:

Element is present at index 2
作者: Harshit Jindal
Harshit Jindal avatar Harshit Jindal avatar

Harshit Jindal has done his Bachelors in Computer Science Engineering(2021) from DTU. He has always been a problem solver and now turned that into his profession. Currently working at M365 Cloud Security team(Torus) on Cloud Security Services and Datacenter Buildout Automation.

LinkedIn

相關文章 - Python Algorithm