1

我是 C++ 继承的新手,并决定尝试一些实验来了解这个主题。

下面的代码显示了我正在创建的类的层次结构:

类.h

class base
{
protected:
    int _a;
    int _b;
    int _c;;
    base(int b, int c);
};

class sub_one : public virtual base
{
public:
    sub_one(int a, int b) : base(a, b)
    {
        // do some other things here
    }

    // other members
};


class sub_two : public virtual base
{
protected:
    int _d;
public:
    sub_two(int a, int b, int c = 0) : base(a, b) 
    {
        // do something
    }

    // other members
};


class sub_three : public sub_one, public sub_two
{
private:
    bool flag;
public:
    sub_three(int a, int b, int c = 0) : base(a, b) 
    {
        // do something    
    }
};

类.c

base::base(int a, int b)
{
    // ...
}

编译器向我显示消息:

没有匹配函数调用 sub_one::sub_one()

没有匹配函数调用 sub_one::sub_one()

没有匹配的函数调用 sub_two::sub_two()

没有匹配的函数调用 sub_two::sub_two()

我就是不知道出了什么问题。

4

2 回答 2

2
sub_three(int a, int b, int c = 0) : base(a, b) 
{
    // do something    
}

相当于:

sub_three(int a, int b, int c = 0) : base(a, b), sub_one(), sub_two() 
{
    // do something    
}

sub_one由于and中没有这样的构造函数sub_two,编译器会报告错误。您可以添加默认构造函数sub_onesub_two删除错误。

于 2016-11-15T05:06:47.230 回答
1

sub_three构造函数初始化base,并调用不存在的默认构造函数sub_onesub_two你可能需要

class sub_three : public sub_one, public sub_two
{
private:
    bool flag;
public:
    sub_three(int a, int b, int c = 0)
       : base(a, b), sub_one(a,b), sub_two(a,b,c), flag(false)
    {
        // do something    
    }
};
于 2016-11-15T05:07:17.527 回答