📌  相关文章
📜  找到出现在每个数组元素左侧的最近值

📅  最后修改于: 2021-09-02 06:28:17             🧑  作者: Mango

给定一个大小为N的数组 arr[] ,任务是为每个数组元素找到数组中存在于其左侧的最近的不等值。如果没有找到这样的元素,则打印-1

例子:

朴素的方法:最简单的想法是遍历给定的数组,对于每个i个元素,找到索引i左侧不等于arr[i]的最近元素。
时间复杂度: O(N^2)
辅助空间: O(1)

有效的方法:

这个想法是将给定数组的元素插入到 Set 中,这样插入的数字会被排序,然后对于一个整数,找到它的位置并将它的下一个值与前一个值进行比较,然后打印出两者中更接近的值。
完成以下步骤来解决问题:

  • 初始化一组整数S以按排序顺序存储元素。
  • 使用变量i遍历数组arr[]
  • 现在,找到比 arr[i]更小和更大的最近值,分别说 XY。
    • 如果找不到 X ,则打印Y。
    • 如果找不到 Y ,则打印Z。
    • 如果找不到 XY ,则打印“-1”
  • 之后,如果abs(X – arr[i])小于abs(Y – arr[i]) ,则将 arr[i]添加到 Set S并打印X。否则,打印Y
  • 对每个元素重复上述步骤。

下面是上述方法的实现:

C++14
// C++ program for the above approach
#include 
using namespace std;
 
// Function to find the closest number on
// the left side of x
void printClosest(set& streamNumbers, int x)
{
 
    // Insert the value in set and store
    // its position
    auto it = streamNumbers.insert(x).first;
 
    // If x is the smallest element in set
    if (it == streamNumbers.begin())
    {
        // If count of elements in the set
        // equal to 1
        if (next(it) == streamNumbers.end())
        {
 
            cout << "-1 ";
            return;
        }
 
        // Otherwise, print its
        // immediate greater element
        int rightVal = *next(it);
        cout << rightVal << " ";
        return;
    }
 
    // Store its immediate smaller element
    int leftVal = *prev(it);
 
    // If immediate greater element does not
    // exists print it's immediate
    // smaller element
    if (next(it) == streamNumbers.end()) {
        cout << leftVal << " ";
        return;
    }
 
    // Store the immediate
    // greater element
    int rightVal = *next(it);
 
    // Print the closest number
    if (x - leftVal <= rightVal - x)
        cout << leftVal << " ";
    else
        cout << rightVal << " ";
}
 
// Driver Code
int main()
{
 
    // Given array
    vector arr = { 3, 3, 2, 4, 6, 5, 5, 1 };
 
    // Initialize set
    set streamNumbers;
 
    // Print Answer
    for (int i = 0; i < arr.size(); i++) {
 
        // Function Call
        printClosest(streamNumbers, arr[i]);
    }
 
    return 0;
}


输出
-1 -1 3 3 4 4 4 2 

时间复杂度: O(N * log(N))
辅助空间: O(N)

如果您想与行业专家一起参加直播课程,请参阅Geeks Classes Live