•C++的结构中可以有函数,称为成员函数
结构中的变量叫做成员变量。
#include <iostream>
using namespace std;
//C++中,结构体就是类。
struct Date {
int year; //成员变量 实例变量
int month;
int day;
void show(){
cout << year << '-' << month << '-' << day << endl;
}
};
//结构体对象作为参数
void fa(Date d){
d.year ++;
}
//结构体对象的地址 作为参数
void fb(Date* d){
//(*d).year ++;//取值符号* 取地址&
d->year ++;//通过地址指向
}
int main (){
//C中使用方式
//struct Date date = {2015, 1, 8};
//通过结构体创建对象,对象在栈里, 栈里的对象内存不用我们去管理,而堆中的对象需要我们自己管理
Date d;
d.year = 2015;
d.month = 13;
d.day = 32;
d.show();
fa(d);
cout << "结构体对象作为参数" << d.year << endl;//2015
fb(&d);
cout << "结构体地址作为参数" << d.year << endl;//2016
return 0;
}
//结构体作为返回值类型
Date fc(){
Date d;
return d;
}
//返回地址
Date * fd(){
return NULL;
}