We can actually accomplish all 3 of your funcPointer*s in C++11 with the advent of bind and Lambda Functions. Let's talk about each one first and discuss what they are doing:
- funcPointerseeks to call a- Childmethod without taking in a- Childobject, so the- Childobject would have to be saved. The child object could be saved by pointer:- bind(&Child::TestFunc, this)Or in C++14 it could be saved by value:- [arg = *this]() mutable { arg.TestFunc(); }
- funcPointer2seeks to call a- Childmethod with a- Parent*. We could do this like:- [](Parent* arg){ static_cast<Child*>(arg)->TestFunc(); }Of course this wouldn't be any more legal than- (new Parent)->TestFunc()so we're assuming that the- Parent*is in reality a- Child*, if you were willing to make- Parenta Polymorphic Type you could verify before calling in your lambda:
[](Parent* arg) {
    assert(dynamic_cast<Child*>(arg) != nullptr);
    static_cast<Child*>(arg)->TestFunc();
}
- funcPointer3seeks to store a pointer to a- Childmethod, and you already had that working. You just needed to use a- Childobject to call it, for example:- (this->*p.funcPointer3)(). But you must assign- funcPointer3like this:- funcPointer3 = &Child::TestFunc, cause if you try to do this:- funcPointer3 = &TestFuncyou will get the error:
'&': illegal operation on bound member function expression
Next, a function pointer or a member function pointer cannot be used to reference a Closure Type, so we'll need to convert your function pointers to function objects. (funcPointer3 is just a member function pointer, so it doesn't need to be converted, but I will convert it to demonstrate that a function object can contain a member function pointer and it simplifies the call to: p.funcPointer(this)):
class Parent {
public:
    function<void()> funcPointer;
    function<void(Parent*)> funcPointer2;
    function<void(Child*)> funcPointer3;
};
Now that we've adapted Parent we can easily assign as demonstrated in 1, 2, and 3:
void Child::Do() {
    Parent p;
    p.funcPointer = bind(&Child::TestFunc, this);
    p.funcPointer2 = [](Parent* arg) { static_cast<Child*>(arg)->TestFunc(); };
    p.funcPointer3 = &Child::TestFunc;
    p.funcPointer();
    p.funcPointer2(this);
    p.funcPointer3(this);
}
You probably know this and were just testing, but we could have just as easily used the members of the Parent that Child inherited from as we could create a new Parent object in Child::Do. I'm going to switch that up and throw the code in an example: http://ideone.com/yD7Rom