折半查找也稱為二分查找,它要求被查找的數組是有序的。
實現折半查找算法可以按照以下步驟:
下面是一個示例代碼:
#include <stdio.h>
int binarySearch(int arr[], int target, int start, int end) {
while (start <= end) {
int mid = start + (end - start) / 2;
if (arr[mid] == target) {
return mid;
} else if (arr[mid] > target) {
end = mid - 1;
} else {
start = mid + 1;
}
}
return -1;
}
int main() {
int arr[] = {2, 4, 6, 8, 10, 12, 14, 16, 18, 20};
int target = 12;
int n = sizeof(arr) / sizeof(arr[0]);
int result = binarySearch(arr, target, 0, n - 1);
if (result == -1) {
printf("Element not found\n");
} else {
printf("Element found at index %d\n", result);
}
return 0;
}
以上代碼在一個有序數組中查找目標元素12,并輸出其索引。如果目標元素存在于數組中,則輸出對應索引;否則輸出"Element not found"。