编写代码在一个整形有序数组中查找具体的某个数 要求:找到了就打印数字所在的下标,找不到则输出:找不到。
时间: 2023-06-03 15:05:15 浏览: 95
C语言程序设编写程序在数组中查找一个数要求 ⑴用顺序查找实现 ⑵用折半查找实现。 注:若有该数,则输出该数,否则输出“无此数”。
5星 · 资源好评率100%
可以使用二分查找法,在整型有序数组中查找具体的某个数。具体实现代码如下:
```
public static int binarySearch(int[] arr, int target) {
int low = 0;
int high = arr.length - 1;
while (low <= high) {
int mid = (low + high) / 2;
if (arr[mid] == target) {
return mid;
} else if (arr[mid] < target) {
low = mid + 1;
} else {
high = mid - 1;
}
}
return -1;
}
public static void main(String[] args) {
int[] arr = {1, 2, 3, 4, 5, 6, 7, 8, 9};
int target = 4;
int index = binarySearch(arr, target);
if (index == -1) {
System.out.println("找不到");
} else {
System.out.println("数字所在下标为:" + index);
}
}
```
输出结果为:"数字所在下标为:3",即数字4所在的下标为3。
阅读全文