如果您真的想要 a std::vectorof 指针,您可能需要考虑使用智能指针,例如std::shared_ptr. 
如果原始指针正在观察指针,则它们是可以的,但通常您不应该使用原始拥有 指针(除非在某些特殊情况下)。
您可以将 lambda 传递给std::lower_bound(), 以指定排序标准(在这种情况下,比较关键数据成员)。
此外,您可以只使用 C++11 的关键字,而不是显式编写std::vector<std::shared_ptr<A>>::iterator的返回值,这使得代码在这种情况下更具可读性。std::lower_bound()auto
下面是一个可编译的代码示例(使用 g++ 4.8.0 编译):
#include <algorithm>    // for std::lower_bound
#include <iostream>     // for console output
#include <memory>       // for std::make_shared, std::shared_ptr
#include <string>       // for std::string
#include <vector>       // for std::vector
using namespace std;
// Test data structure
struct A
{
    int Key;
    string Data;
    A()
        : Key(0)
    {}
    A(int key, const string& data)
        : Key(key), Data(data)
    {}
};
ostream& operator<<(ostream& os, const A& a)
{
    os << "(key=" << a.Key << ", data=\"" << a.Data << "\")";
    return os;
}
void Print(const vector<shared_ptr<A>> & v)
{
    cout << "[ ";
    for (const auto & p : v)
    {
        cout << *p << " ";
    }
    cout << " ]\n";
}
int main()
{
    // Test container
    vector<shared_ptr<A>> v;
    // Test data
    const char* data[] = {
        "hello",
        "world",
        "hi",
        nullptr
    };
    // Index in data array
    int i = 0;
    // Insertion loop
    while (data[i] != nullptr)
    {
        // Create new element on the heap
        auto elem = make_shared<A>(i, data[i]);
        // Find ordered insertion position
        auto it = lower_bound(v.begin(), v.end(), elem,
            [](const shared_ptr<A>& lhs, const shared_ptr<A>& rhs)
            {
                return lhs->Key < rhs->Key;
            }
        );
        // Insert in vector
        v.insert(it, elem);
        // Move to next data
        i++;
    }
    // Show the result
    Print(v);
}
这是输出:
[ (key=2, data="hi") (key=1, data="world") (key=0, data="hello")  ]