作业1
- 结构体不能被继承,类可以被继承
- 结构体默认的都是公共,类默认是私有的
转载【结构体和类的区别】
结构体是值类型,类是引用类型
结构体存在栈中,类存在堆中
结构体成员不能使用protected访问修饰符,而类可以
结构体成员变量申明不能指定初始值,而类可以
结构体不能申明无参的构造函数,而类可以
结构体申明有参构造函数后,无参构造不会被顶掉
结构体不能申明析构函数,而类可以
结构体不能被继承,而类可以
结构体需要在构造函数中初始化所有成员变量,而类随意
结构体不能被静态static修饰(不存在静态结构体),而类可以
作业2
#include <iostream>
using namespace std;
class Rectangle
{
private: //私有的
int length;
int width;
public: //公共的
void set_l(int l); //在结构体内实现函数的声明
void set_w(int w);
void get_l();
void get_w();
void show();
};
void Rectangle::set_l(int l)
{
length=l;
}
void Rectangle::set_w(int w)
{
width=w;
}
void Rectangle::get_l()
{
cout<<"长= "<<length<<endl;
}
void Rectangle::get_w()
{
cout<<"宽= "<<width<<endl;
}
void Rectangle::show()
{
cout<<"周长为:"<< 2*(length+width)<<endl;
cout<<"面积为:"<< length*width<<endl;
}
int main()
{
Rectangle p1;
p1.set_l(5);
p1.set_w(4);
p1.get_l();
p1.get_w();
p1.show();
return 0;
}
作业3