CPlusPlusThings/practical_exercises/10_day_practice/day3/predeclare.cpp

41 lines
953 B
C++
Raw Permalink Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

/* 类前向声明.cpp */
/*
使用前向引用声明虽然可以解决一些问题,但它并不是万能的。需要注意的是,
尽管使用了前向引用声明,但是在提供一个完整的类声明之前,不能声明该类的对象,
也不能在内联成员函数中使用该类的对象。请看下面的程序段:
*/
//第一种
#include <iostream>
class Fred; //前向引用声明
class Barney {
Fred x; //错误类Fred的声明尚不完善
};
class Fred {
Barney y;
};
//第二种
class Fred; //前向引用声明
class Barney {
public:
void method() {
x->yabbaDabbaDo(); //错误Fred类的对象在定义之前被使用
}
private:
Fred *x; //正确经过前向引用声明可以声明Fred类的对象指针
};
class Fred {
public:
void yabbaDabbaDo();
private:
Barney *y;
};
/*
总结:当使用前向引用声明时,只能使用被声明的符号,而不能涉及类的任何细节。
*/