在O(1)中查找数组值大于x的第一个索引

时间:2015-12-13 02:07:47

标签: java arrays

我有一个int类型的排序数组。我希望得到第一个索引,其值大于O(1)中的目标,在java。

例如:int arr [] = {1,4,7,9,15,30} 目标= 10 我的函数应该返回4,索引为15。

2 个答案:

答案 0 :(得分:5)

为了能够通过数组找到具有特定属性(例如:大于目标)的值的索引,您必须遍历实现搜索算法的数组。

因此无法实现O(1)。

  • 如果数组已经排序,正如您在示例中所示,您可以通过实现二进制搜索算法在O(log(n))中实现您想要的效果。您也可以使用java.util.Arrays中的实现。
  • 如果数组未排序,则必须使用具有O(n)复杂度的线性搜索算法在最坏的情况下遍历数组的所有元素。

答案 1 :(得分:1)

如果您准备这样的索引数组(或地图)。

    int[] a = {1,4,7,9,15,30};
    // prepare indices array
    int[] indices = new int[a[a.length - 1] + 1];
    for (int i = 0, j = 0, aLength = a.length; i < aLength; ++i)
        while (j <= a[i])
            indices[j++] = i;
    System.out.println(Arrays.toString(indices));
    // -> [0, 0, 1, 1, 1, 2, 2, 2, 3, 3, 4, 4, 4, 4, 4, 4, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5]
    // get the first index whose value is greater than a target in O(1)
    System.out.println(indices[10]); // -> 4 (index of 15)

您可以在O(1)中按indices[target]获取索引值。