Here is my hierarchic of classes.
I have declare following abstract interface class, which have just one function:
class IAuthenticator
{
public:
    virtual void CreateJson() = 0;
};
After I have created on more class 'UIData' and inherits it from interface class, in this case:
class UIData : public IAuthenticator
{
protected:
    UIData() : mWindowHandle(0) 
    { /* Constructor do nothing. **/ }
private:
    integer mWindowHandle;
public:
    void CreateJson()
    {
        std::cout<<"UIData::CreateJson\n";
    }
};
I have one more class which inherits from UIData
class AuthenticateIn : public UIData
{
private:
    string mOrigin;
    string mLogoURL;
    string mUserID;
public:
    void CreateJson()
    {
        std::cout<<"AuthenticateIn::CreateJson\n";
    }
};
Question
In my main function I have write code like this.
int main()
{
    AuthenticateIn* ai = new AuthenticateIn();
    ai->CreateJson();
}
When I call CreateJson() function I see log "AuthenticateIn::CreateJson". I want to find a way to call CreateJson() and it will be called for all base classes.
I know that I can do that calling this->UIData::CreateJson() from AuthenticateIn class CreateJson function, but is there any other way to do that, some automatic way ? Thanks !!

