user1232138
user1232138

Reputation: 5541

Conversion from derived* to base* exists but is inaccessible

Why does the following code produce this error even though c is a struct and has public inheritance by default?

struct c 
{
protected:
    int i;
public:
    c(int ii = 0) : i(ii) {}
    virtual c* fun();
};

c* c::fun() 
{
    cout << "in c";
    return &c();
}

class d : c
{
public:
    d() {}
    d* fun()
    {
        i = 9;
        cout << "in d" << '\t' << i;
        return &d();
    }
};

int main()
{
    c *cc;
    d dd;
    cc = &dd;
    cc->fun();
}

Upvotes: 98

Views: 37089

Answers (1)

Luchian Grigore
Luchian Grigore

Reputation: 258588

You need:

class d : public c

class inheritance is private by default.

When you privately inherit from a class or a struct, you explicitly say, among other things, that direct conversion from a derived type to a base type isn't possible.

Upvotes: 191

Related Questions