覆盖’virtual void’c ++错误

overriding 'virtual void ' c++ error

下面的代码给出了一个错误。

Error: overriding 'virtual void Animal::getClass()', where it says virtual void getClass() { cout <<"I'm an animal" << endl; }

Error: conflicting return type specified for 'virtual int Dog::getClass()', where it says getClass(){ cout <<"I'm a dog" << endl; }

它还说:

Class 'Dog' has virtual method 'getClass' but non-virtual destructor

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
#include <iostream>
#include <vector>
#include <string>
#include <fstream>
#include<sstream>
#include <stdlib.h>     // srand, rand
#include <stdio.h>

using namespace std;

class Animal{

public:
    void getFamily(){ cout <<"We are animals" << endl;}

    virtual void getClass() { cout <<"I'm an animal" << endl; }
};

class Dog : public Animal{

public:
    getClass(){ cout <<"I'm a dog" << endl; }

};

void whatClassAreYou(Animal *animal){

    animal -> getClass();

}

int main(){

    Animal *animal = new Animal;
    Dog *dog = new Dog;

    animal->getClass();
    dog->getClass();

    whatClassAreYou(animal);
    whatClassAreYou(dog);


    return 0;
}


将类狗内部的定义更改为:

1
void getClass() { /* ... */ }

当您声明它没有返回类型时,编译器将返回类型设置为int。这会产生一个错误,因为overriden方法必须与它所重写的基类方法具有相同的返回类型。


您试图声明没有返回类型的函数,这在C++的老版本中是允许的。但是ISO C++标准不允许这样做(虽然有些编译器可能仍然允许,我猜想像CooGeordC++Builder 2007,没有显示任何错误或警告)。标准第7/7节脚注78和第7.1.5/2节脚注80中提到:禁止使用隐式int。

这就是它被丢弃的原因:

1
 void HypotheticalFunction(const Type);

在此函数中,类型为类型的参数类型-const参数或名称类型为const int的参数是什么?

下面是定义类的更好版本:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
 #include <iostream>
 #include <vector>
 #include <string>
 #include <fstream>
 #include<sstream>
 #include <stdlib.h>     // srand, rand
 #include <stdio.h>

using namespace std;

class Animal{

public:
void getFamily(){ cout <<"We are animals" << endl;}

virtual void getClass() { cout <<"I'm an animal" << endl; }
};

class Dog : public Animal{

public:
virtual void getClass(){ cout <<"I'm a dog" << endl; }

};

void whatClassAreYou(Animal *animal){

animal -> getClass();

}

int main(){

Animal *animal = new Animal;
Dog *dog = new Dog;

animal->getClass();  // I'm an animal
dog->getClass();     // I'm a dog

Animal *animal1 = new Dog;
animal1->getClass(); // I'm a dog

whatClassAreYou(animal1); // I'm a dog

whatClassAreYou(animal); // I'm an animal

return 0;
}


§ C.1.6 Change: Banning implicit int In C++
a decl-specifier-seq must contain a type-specifier, unless it is followed by a declarator for a
constructor, a destructor, or a conversion function.

您在现代C++中丢失了EDCOX1的0个字符,这是非法的。

用途:

1
void getClass(){ cout <<"I'm a dog" << endl; }