(二)有序数组的二分法查找

一、有序数组的二分法查找

有序数组是一种特殊的数组,里面的元素,按一定的顺序排列,我们这里假设由小到大排列。对于这种特殊的数组,我们可以采用前面提到的二分法来查找数组中特定的元素,这种算法的思想是:每查找一次,便将查找的范围缩小一半,所以叫做二分法查找。

有序数组的优点就是增加了查询的效率,但是它并没有提高删除和插入元素的效率,因此,对于有序数组更适合用于查询的领域。

二分法查找的时间用大O表示法为:OlogN),可见其执行效率介于O1)和ON)之间,是一种比较高效的算法。

二、Java语言描述二分法查找元素

package com.solid.array;

/**

* 数据结构和算法(Java描述)——有序数组的二分法查找

*/

public class OrderArray {

//数组对象

private long[] arr;

//数组元素个数

private static int nElems;

/**

* 构造函数

* @param max

*/

public OrderArray(int max) {

arr = new long[max];

nElems = 0;

}

/**

* 二分法查找有序数组中的某个元素(有序数组中元素没有重复)

* @param value

* @return

*/

public int find(long value) {

int lower = 0;

int upper = nElems - 1;

int curIn;

while(true) {

curIn = (lower + upper) / 2;

if(arr[curIn] == value) {

return curIn;

}

if(lower > upper) {

return nElems;

} else {

if(arr[curIn] > value) {

upper = curIn - 1;

} else {

lower = curIn + 1;

}

}

}

}

}

你可能感兴趣的:(数据结构,算法)