如何从子方法访问基类变量?我遇到了分段错误。
class Base
{
public:
Base();
int a;
};
class Child : public Base
{
public:
void foo();
};
Child::Child() :Base(){
void Child::foo(){
int b = a; //here throws segmentation fault
}
在另一堂课中:
Child *child = new Child();
child->foo();
答案 0 :(得分:21)
将类变量设为public是不好的做法。如果您想从a
访问Child
,您应该拥有以下内容:
class Base {
public:
Base(): a(0) {}
virtual ~Base() {}
protected:
int a;
};
class Child: public Base {
public:
Child(): Base(), b(0) {}
void foo();
private:
int b;
};
void Child::foo() {
b = Base::a; // Access variable 'a' from parent
}
我也不会直接访问a
。如果为public
制作protected
或a
getter方法会更好。
答案 1 :(得分:0)
class Base
{
public:
int a;
};
class Child : public Base
{
int b;
void foo(){
b = a;
}
};
我怀疑你的代码是否已编译!
答案 2 :(得分:-2)
解决!问题是我从一个非现有的对象调用了Child :: foo()(通过信号和插槽连接)。
感谢您的回答。