怎么用编程语言做二分法

时间:2025-01-29 02:25:21 网络游戏

二分法(Binary Search)是一种在有序数组中查找特定元素的搜索算法。其基本思想是通过将数组分成两部分,然后确定目标元素可能存在的那一部分,接着继续在该部分中进行查找,直到找到目标元素或确定目标元素不存在为止。下面是几种不同编程语言实现二分法的示例代码:

C语言实现

```c

include

// 二分法查找函数

int binarySearch(int arr[], int left, int right, int target) {

while (left <= right) {

int mid = left + (right - left) / 2;

if (arr[mid] == target) {

return mid;

} else if (arr[mid] < target) {

left = mid + 1;

} else {

right = mid - 1;

}

}

// 目标值不存在于数组中,返回-1

return -1;

}

int main() {

int arr[] = {2, 5, 8, 12, 16, 23, 38, 56, 72, 91};

int target = 23;

int arrSize = sizeof(arr) / sizeof(arr);

int result = binarySearch(arr, 0, arrSize - 1, target);

if (result != -1) {

printf("Element found at index %d\n", result);

} else {

printf("Element not found in the array\n");

}

return 0;

}

```

Python实现

```python

def binary_search(nums, target):

left, right = 0, len(nums) - 1

while left <= right:

mid = (left + right) // 2

if nums[mid] == target:

return mid

elif nums[mid] < target:

left = mid + 1

else:

right = mid - 1

return -1

测试示例

nums = [1, 3, 5, 7, 9]

target = 7

result = binary_search(nums, target)

if result != -1:

print(f"Element found at index {result}")

else:

print("Element not found in the array")

```

Java实现

```java

public class BinarySearch {

public static int binarySearch(int[] arr, int target) {

int left = 0;

int right = arr.length - 1;

while (left <= right) {

int mid = left + (right - left) / 2;

if (arr[mid] == target) {

return mid;

} else if (arr[mid] < target) {

left = mid + 1;

} else {

right = mid - 1;

}

}

return -1; // 目标值不存在于数组中,返回-1

}

public static void main(String[] args) {

int[] arr = {2, 5, 8, 12, 16, 23, 38, 56, 72, 91};

int target = 23;

int result = binarySearch(arr, target);

if (result != -1) {

System.out.println("Element found at index " + result);

} else {

System.out.println("Element not found in the array");

}

}

}

```

JavaScript实现