11

I want to use the STL's Map container to lookup a pointer by using binary data as a key so I wrote this custom function object:

struct my_cmp
{
    bool operator() (unsigned char * const &a, unsigned char * const &b)
    {
        return (memcmp(a,b,4)<0) ? true : false;  
    }
};

And using it like this:

map<unsigned char *, void *, my_cmp> mymap;

This compiles and seems to work, but I'm not sure what an "unsigned char * const &" type is and why it didn't work with just "unsigned char *"?

dvl
  • 233
  • 1
  • 4
  • 6

2 Answers2

8

You need to provide a comparator that guarantees non-modifying of the passed values, hence the const (note that it applies to the pointer not the char). As for the reference operator (&), you don't need it -- it's optional. This will also compile:

struct my_cmp
{
    bool operator() (unsigned char * const a, unsigned char * const b)
    {
        return memcmp(a,b,4) < 0;  
    }
};
Kornel Kisielewicz
  • 55,802
  • 15
  • 111
  • 149
1

It works for me with just unsigned char *.

Alexey Malistov
  • 26,407
  • 13
  • 68
  • 88