I know that I can do this to differentiate a rvalue function name and an lvalue function pointer:
template <typename RET_TYPE, typename...ARGs>
void takeFunction(RET_TYPE(& function)(ARGs...))
{
    cout << "RValue function" << endl;
}
template <typename RET_TYPE, typename...ARGs>
void takeFunction(RET_TYPE(*& function)(ARGs...))
{
    cout << "LValue function" << endl;
}
void function()
{
}
void testFn()
{
    void(*f)() = function;
    takeFunction(function);
    takeFunction(f);
}
And I wish to do the same for member functions. However, it doesn't seem to translate:
struct S;
void takeMemberFunction(void(S::&function)()) // error C2589: '&' : illegal token on right side of '::'
{
    cout << "RValue member function" << endl;
}
void takeMemberFunction(void(S::*&function)())
{
    cout << "LValue member function" << endl;
}
struct S
{
    void memberFunction()
    {
    }
};
void testMemberFn()
{
    void(S::*mf)() = &S::memberFunction;
    takeMemberFunction(S::memberFunction);
    takeMemberFunction(mf);
}
Why?
An alternative I know is to do this for regular functions:
void takeFunction(void(*&& function)())
{
    cout << "RValue function" << endl;
}
void takeFunction(void(*& function)())
{
    cout << "LValue function" << endl;
}
void function()
{
}
void testFn()
{
    void(*f)() = function;
    takeFunction(&function);
    takeFunction(f);
}
Which does translate to member functions:
struct S;
void takeMemberFunction(void(S::*&&function)())
{
    cout << "RValue member function" << endl;
}
void takeMemberFunction(void(S::*&function)())
{
    cout << "LValue member function" << endl;
}
struct S
{
    void memberFunction()
    {
    }
};
void testMemberFn()
{
    void(S::*mf)() = &S::memberFunction;
    takeMemberFunction(&S::memberFunction); // error C2664: 'void takeMemberFunction(void (__thiscall S::* &)(void))' : cannot convert argument 1 from 'void (__thiscall S::* )(void)' to 'void (__thiscall S::* &)(void)'
    takeMemberFunction(mf);
}
But I would like to know the discrepancy for my first example not translating.
 
     
    