C++的结构和类都是对数据进行了封装。
结构Date
结构Date如下所示:
#include <iostream>
using namespace std;
struct Date{
int year;
int month;
int day;
void display();
};
void Date::display(){
cout << "您输入的日期如下所示:";
cout << year << "年" << month << "月" << day << "日";
}
int main(){
Date date;
date.year = 2008;
date.month = 7;
date.day = 28;
date.display();
}
运行结果:
您输入的日期如下所示:2008年7月28日
类Date
类Date如下所示:
#include <iostream>
#include <string>
using namespace std;
class Date{
int year;
int month;
int day;
public:
Date(){
}
Date(int year0,int month0,int day0){
year = year0;
month = month0;
day = day0;
}
void getDate(){
cout << "您输入的日期如下所示:";
cout << year << "年" << month << "月" << day << "日";
}
};
int main(){
Date date(2000,12,12);
date.getDate();
return 0;
}
运行结果:
您输入的日期如下所示:2000年12月12日
C++中,在类中定义成员变量的时候,初始化一个实例并不能初始化成员变量的值。如果在应用中忘记为其成员变量初始化,则会得到意想不到的结果。
例如,
在上面的Date结构中,测试:
Date ddate;
ddate.display();
结果如下:
您输入的日期如下所示:134514521年8977637月2052084日
在上面的Date类中,测试:
Date ddate;
ddate = date;
ddate.getDate()
结果如下:
您输入的日期如下所示:134514585年8977637月2052084日
组织后类Date
类的设计,一般是把类放在头文件中,当某个应用中使用到该类的时候,直接引用对应的头文件即可,因此,还需要对上面的Date类进行重构。
将上面的代码放在三个文件中,分别为:date.h、Date.cpp、Main.cpp,如下所示:
date.h中定义为:
#ifndef DATE_H_
#define DATE_H_
#include <iostream>
#include <string>
using namespace std;
class Date{
int year;
int month;
int day;
public:
Date();
Date(int year0,int month0,int day0);
void getDate();
};
#endif /*DATE_H_*/
Date.cpp定义为:
#include "date.h"
Date::Date(){
year = 0;
month = 0;
day = 0;
}
Date::Date(int year0,int month0,int day0){
year = year0;
month = month0;
day = day0;
}
void Date::getDate(){
cout << "您输入的日期如下所示:";
cout << year << "年" << month << "月" << day << "日";
}
Main.cpp定义为:
#include "date.h"
int main(){
Date date(2000,12,12);
date.getDate();
Date ddate;
ddate = date;
ddate.getDate();
return 0;
}
这时,运行Main.cpp,可以得到输出:
您输入的日期如下所示:2000年12月12日您输入的日期如下所示:2000年12月12日
另外
1、在类中,可以在默认的无参的构造函数中,进行初始化操作,如下面的Date类中:
Date(){
year = 0;
month = 0;
day = 0;
}
这样就不会在初始化使用一个类的实例的时候得到意想不到的结果。
2、在C++类中,带参数的构造函数中,参数不能与类的成员变量相同,否则编译器无法判断,也会得到意想不到的结果。如在Date类中:
Date(int year,int month,int day){
year = year;
month = month;
day = day;
}
实例化一个类的对象的时候,成员变量的值是不确定的。
这时,可以使用this实现,如上面的可以实现为:
Date::Date(int year,int month,int day){
this->year = year;
this->month = month;
this->day = day;
}
结果就是正确的了。
3、析构函数的名称与类的名字相同,而且不带任何参数,不返回任何值,在名称前面加上一个“~”即可,而且一个类中只能存在一个析构函数。一般情况下,析构函数是默认的,即使我们没有显式地定义一个析构函数,系统会自动加上,回收从堆中分配的内存,并做必要的清理工作。