I am trying to implement a parametrized stream manipulator for a certain set of data. I do it the simple way as recommended:
class print_my_data
{
private:
    . . .
public:
    print_my_data(. . .) { . . . }
    ostream& operator()(std::ostream& out)
    {
        return out << . . . << endl;
    }
};
ostream& operator<<(ostream& out, print_my_data md) // <=== MY QUESTION BELOW IS ABOUT THIS
{
    return md(out);
}
Usage:
clog << print_my_data(. . .) << endl;
This works fine; but I really don't understand why it doesn't work unless I define operator<<! Why won't it call the same overloaded function as it does for endl?? (i.e. as an object that can be applied to the stream through operator())
 
                        
The overload you're looking for is only defined for function pointers.
Your
print_my_dataclass is a callable object (a functor, in C++ terms). But it is not a function pointer. On the other hand,endlis a function, and hence has a function pointer (in fact, it's one of the few functions in the C++ standard library which do have an address)A not-unreasonable argument could be made that the overload should look like
But alas,
std::functionwasn't around when the I/O manipulation operators were written. Neither were concepts, for that matter. And using SFINAE to declarewould have just opened an entire Pandora's box worth of messy details that the standards committee didn't want to deal with.