我正在尝试在排序数组中找到最接近的值,但upper_bound和lower_bound都给出了最高值。
float abc[] = {1,3,4,5,6,7,8,9};
float *a = lower_bound(abc, abc+8, 3.2);
cout<< *a;
return 0;
答案 0 :(得分:1)
*a
都是4,因为a
指向的值如果已正确插入容器中,则为3.2
。
lower_bound
和upper_bound
将返回相同的迭代器,这就是这种情况。
lower_bound
返回的迭代器被定义为传递的元素可以驻留在容器中的最低位置,higher_bound
返回最高位置。他们不返回与数组中存在的最近元素相关的任何内容。
为了找到最接近的元素,您知道lower_bound
的解除引用结果大于或等于传递的值。之前的值(如果有的话)必须更小。您可以使用它来获得最接近的值。
答案 1 :(得分:1)
由于数组中缺少值3.2,因此算法std::lower_bound
和std::upper_bound
将返回相同的迭代器。
在这种情况下,您应该考虑以前的迭代器。
这是一个示范程序。
#include <iostream>
#include <algorithm>
#include <iterator>
#include <cstdlib>
int main()
{
float abc[] = { 1, 3, 4, 5, 6, 7, 8, 9 };
float value = 3.2f;
auto it = std::lower_bound( std::begin( abc ), std::end( abc ), value );
auto closest = it;
if ( it == std::end( abc ) )
{
closest = std::prev( it );
}
else if ( it != std::begin( abc ) )
{
closest = std::min( std::prev( it ), it,
[&value]( const auto &p1, const auto &p2 )
{
return abs( value - *p1 ) < abs( value - *p2 );
} );
}
std::cout << *closest << " at position " << std::distance( std::begin( abc ), closest ) << std::endl;
return 0;
}
它的输出是
3 at position 1