C ++ std :: lower_bound()函数用于查找索引排序向量的插入点

时间:2015-03-23 10:23:32

标签: c++ sorting c++11 binary-search c++03

假设我有vector<Foo>,其索引在vector<int>内由.bar类中的关键字段Foo进行外部排序。 e.g。

class Foo {
public:
     int bar;
     int other;
     float f;
     Foo(int _b, int _o, float _f): bar(_b), other(_o), f(_f) {}
};

vector<Foo> foos;
vector<int> sortedIndex;

sortedIndex包含foos的排序索引。

现在,我想向foos插入一些内容,并在.bar中将其保存在外部(排序键为sortedIndex)。 e.g。

foos.push_back(Foo(10,20,30.0));
sortedIndex.insert(
                   lower_bound(sortedIndex.begin(),
                               sortedIndex.end(),
                               10 /* this 10 won't work*/,
                               some_compare_function
                   ),
                   1,
                   foos.size()-1
);

显然,数字10不会起作用:向量sortedIndex包含索引,而不是值,some_compare_function会混淆,因为它不知道何时使用直接值,以及何时在比较之前将索引转换为值(foo[i].bar而不仅仅是i)。

有什么想法吗?我已经看到了this question的答案。答案表明我可以使用比较函数bool comp(foo a, int b)。但是,二进制搜索算法如何知道int b引用.bar而不是.other,因为两者都定义为int

我还想知道C ++ 03和C ++ 11的答案是否会有所不同。请标出你的答案C ++ 03 / C ++ 11。感谢。

1 个答案:

答案 0 :(得分:2)

some_compare_function不会“混淆”。它的第一个参数始终是sortedIndex的元素,第二个参数是要比较的值,在您的示例中为10。所以在C ++ 11中你可以像这样实现它:

sortedIndex.insert(
    lower_bound(sortedIndex.begin(),
        sortedIndex.end(),
        10,
        [&foos](int idx, int bar) {
            return foos[idx].bar < bar;
        }
    ),
    foos.size()-1
);