浅析c与c++中struct的区别
发布时间:2020-12-15 00:58:50 所属栏目:C语言 来源:网络整理
导读:这里有两种情况下的区别。 (1)C的struct与C++的class的区别。 (2)C++中的struct和class的区别。 在第一种情况下, struct与class有着非常明显的区别。C是一种过程化的语言,struct只是作为一种复杂数据类型定义,struct中只能定义成员变量,不能定义成员
这里有两种情况下的区别。 复制代码 代码如下: struct Point { int x; // 合法 int y; // 合法 void print() { printf("Point printn"); //编译错误 }; }9 ; 这里第7行会出现编译错误,提示如下的错误消息:“函数不能作为Point结构体的成员”。因此大家看到在第一种情况下struct只是一种数据类型,不能使用面向对象编程。 现在来看第二种情况。首先请看下面的代码: 复制代码 代码如下: #include <iostream> using namespace std; class CPoint { int x; //默认为private int y; //默认为private void print() //默认为private { cout << "CPoint: (" << x << "," << y << ")" << endl; } public: CPoint(int x,int y) //构造函数,指定为public { this->x = x; this->y = y; } void print1() //public { cout << "CPoint: (" << x << "," << y << ")" << endl; } }; struct SPoint { int x; //默认为public int y; //默认为public void print() //默认为public { cout << "SPoint: (" << x << "," << y << ")" << endl; } SPoint(int x,int y) //构造函数,默认为public { this->x = x; this->y = y; } private: void print1() //private类型的成员函数 { cout << "SPoint: (" << x << "," << y << ")" << endl; } }; int main(void) { CPoint cpt(1,2); //调用CPoint带参数的构造函数 SPoint spt(3,4); //调用SPoint带参数的构造函数 cout << cpt.x << " " << cpt.y << endl; //编译错误 cpt.print(); //编译错误 cpt.print1(); //合法 spt.print(); //合法 spt.print1(); //编译错误 cout << spt.x << " " << spt.y << endl; //合法 return 0; } 在上面的程序里,struct还有构造函数和成员函数,其实它还拥有class的其他特性,例如继承、虚函数等。因此C++中的struct扩充了C的struct功能。那它们有什么不同呢? main函数内的编译错误全部是因为访问private成员而产生的。因此我们可以看到class中默认的成员访问权限是private的,而struct中则是public的。在类的继承方式上,struct和class又有什么区别?请看下面的程序: 复制代码 代码如下: #include <iostream> using namespace std; class CBase { public: void print() //public成员函数 { cout << "CBase: print()..." << endl; } }; class CDerived1 : CBase //默认private继承 { }; class CDerived2 : public Cbase //指定public继承 { }; struct SDerived1 : Cbase //默认public继承 { }; struct SDerived2 : private Cbase //指定public继承 { }; int main() { CDerived1 cd1; CDerived2 cd2; SDerived1 sd1; SDerived2 sd2; cd1.print(); //编译错误 cd2.print(); sd1.print(); sd2.print(); //编译错误 return 0; } 可以看到,以private方式继承父类的子类对象不能访问父类的public成员。class继承默认是private继承,而struct继承默认是public继承。另外,在C++模板中,类型参数前面可以使用class或typename,如果使用struct,则含义不同,struct后面跟的是“non-type template parameter”,而class或typename后面跟的是类型参数。 事实上,C++中保留struct的关键字是为了使C++编译器能够兼容C开发的程序。 答案: 分以下所示两种情况。 C的struct与C++的class的区别:struct只是作为一种复杂数据类型定义,不能用于面向对象编程。 C++中的struct和class的区别:对于成员访问权限以及继承方式,class中默认的是private的,而struct中则是public的。class还可以用于表示模板类型,struct则不行。 您可能感兴趣的文章:
(编辑:李大同) 【声明】本站内容均来自网络,其相关言论仅代表作者个人观点,不代表本站立场。若无意侵犯到您的权利,请及时与联系站长删除相关内容! |