I am not aware of any function object in the C++ Standard Library or in Boost that does this (that's not to say there isn't one; I am not familiar with everything in the Boost libraries :-P).
However, writing your own is rather straightforward. Consider the following:
template <typename Predicate>
class indirect_binary_predicate
{
public:
indirect_binary_predicate(const Predicate& pred = Predicate())
: pred_(pred)
{
}
template <typename Argument0, typename Argument1>
bool operator()(Argument0 arg0, Argument1 arg1) const
{
return pred_(*arg0, *arg1);
}
private:
Predicate pred_;
};
Usage example:
std::set<int*, indirect_binary_predicate<std::equal_to<int> > > s;
Note that it is ill-advised to have a container of raw pointers if the pointers are to dynamically allocated objects and the container has ownership of the pointed-to objects; it isn't exception-safe to do this. That said, this predicate adapter should work just as well for smart pointers, iterators, or any other type that supports dereferencing.