使用模板功能,<algorithm>
您可以执行以下操作
struct foo
{
int bar, baz;
};
struct bar_less
{
// compare foo with foo
bool operator()(const foo& lh, const foo& rh) const
{
return lh.bar < rh.bar;
}
template<typename T> // compare some T with foo
bool operator()(T lh, const foo& rh) const
{
return lh < rh.bar;
}
template<typename T> // compare foo with some T
bool operator()(const foo& lh, T rh) const
{
return lh.bar < rh;
}
};
int main()
{
foo foos[] = { {1, 2}, {2, 3}, {4, 5} };
bar_less cmp;
int bar_value = 2;
// find element {2, 3} using an int
auto it = std::lower_bound(begin(foos), end(foos), bar_value, cmp);
std::cout << it->baz;
}
在std::set
诸如find
您必须传递类型的对象的方法中,set::key_type
这通常会迫使您创建一个虚拟对象。
set<foo> foos;
foo search_dummy = {2,3}; // don't need a full foo object;
auto it = foos.find(search_dummy);
如果可以调用 just 会非常有帮助foos.find(2)
。有什么理由find
不能成为模板,接受可以传递给 less 谓词的所有内容。如果它只是丢失了,为什么不在 C++11 中(我认为不是)。
编辑
主要问题是为什么不可能,如果可行,为什么决定标准不提供它。您可以提出解决方法的第二个问题:-)(boost::multi_index_container
我刚刚想到,它提供了从值类型中提取的键)
另一个构造值类型更昂贵的示例。keyname
是 type 的一部分,不应该作为 maps key 的副本;
struct Person
{
std::string name;
std::string adress;
std::string phone, email, fax, stackoferflowNickname;
int age;
std::vector<Person*> friends;
std::vector<Relation> relations;
};
struct PersonOrder
{
// assume that the full name is an unique identifier
bool operator()(const Person& lh, const Person& rh) const
{
return lh.name < rh.name;
}
};
class PersonRepository
{
public:
const Person& FindPerson(const std::string& name) const
{
Person searchDummy; // ouch
searchDummy.name = name;
return FindPerson(searchDummy);
}
const Person& FindPerson(const Person& person) const;
private:
std::set<Person, PersonOrder> persons_;
// what i want to avoid
// std::map<std::string, Person> persons_;
// Person searchDummyForReuseButNotThreadSafe;
};