-3

我收到错误 C2512: 'derived' : no proper default constructor available在派生类的构造函数定义中出现错误。我的代码如下所示。我该如何解决这个问题?

Class A
{
    int a, int b;
    A(int x, int y)
    {
        sme code....
    }
}

Class B
{
    int a, int b, int c;
    B(int x, int y, int Z)
    {
        sme code....
    }
}


Class derived : public A, public B
{
    derived(int a, int b):A(a, b)
    {

    }

    derived(int a, int b, int c):B(a, b, c)
    {

    }
}
4

3 回答 3

5

问题之一是,在每个派生类的构造函数中,您只将适当的构造函数参数转发给两个基类之一。它们都没有默认构造函数,因此您需要为基类AB.

第二个问题是基类的构造函数被隐式声明为private,因此基类无法访问它们。你应该public或者至少做它们protected

小问题:在类定义之后,你需要放一个分号。此外,声明类的关键字是class, not Class

class A // <---- Use the "class" keyword
{
public: // <---- Make the constructor accessible to derived classes
     int a, int b; 
     A(int x, int y) 
     { 
         some code.... 
     } 
}; // <---- Don't forget the semicolon

class B // <---- Use the "class" keyword
{
public: // <---- Make the constructor accessible to derived classes
    int a, int b, int c;
    B(int x, int y, int Z)
    {
        sme code....
    }
}; // <---- Don't forget the semicolon


// Use the "class" keyword
class derived : public A, public B
{
    derived(int a, int b) : A(a, b), B(a, b, 0) // <---- for instance
    {

    }

    derived(int a, int b, int c) : B(a, b, c), A(a, b) // <---- for instance
    {

    }
};  // <---- Don't forget the semicolon
于 2013-02-08T11:59:29.113 回答
1

A 类和 B 类都没有默认构造函数,您需要在派生构造函数中显式初始化 A 和 B 构造函数。您未能在每个派生构造函数中初始化 A 或 B 构造函数:

derived(int a, int b):A(a, b), B(a, b, 0) 
                               ^^^
{
}

derived(int a, int b, int c):A(a, b), B(a, b, c)
                             ^^^
{
}
于 2013-02-08T11:59:17.933 回答
0

您的第一个派生 ctor 调用 A 的 ctor 而不是 B 的 ctor,因此编译器尝试调用 B 的默认构造函数,该构造函数不存在。

第二个派生的ctor也是一样的,但是切换A和B。

解决方案:为 A 和 B 指定默认 ctor。

于 2013-02-08T12:00:03.307 回答