不知道是什么原因
#include<iostream>
using namespace std;
typedef struct
{
int year;
int month;
int date;
int hour;
int minute;
int second;
int millisecond;
}CALENDAR;
CALENDAR *getCalendar()
{
CALENDAR cal ;
cal.year = 2015;
cal.month = 8;
cal.date = 15;
cal.hour = 14;
cal.minute = 34;
cal.second = 23;
cal.millisecond = 123;
return &cal;
}
int main()
{
CALENDAR calendar;
CALENDAR* cal;
cal = getCalendar();
memcpy(&calendar, cal, sizeof(CALENDAR));
cout << calendar.year << " "
<< calendar.month << " "
<< calendar.date << " "
<< calendar.hour << " "
<< calendar.minute << " "
<< calendar.second << " "
<< calendar.millisecond << " "
<< sizeof(CALENDAR) << endl;
}
输出是这样的
The local variable CALENDAR cal; is defined on the stack, and the memory is released when exiting the function scope. Subsequent code will cover this memory area, and the output is an undetermined value;
You can instead return objects directly instead of pointers
CALENDAR getCalendar()
{
CALENDAR cal ;
cal.year = 2015;
cal.month = 8;
cal.date = 15;
cal.hour = 14;
cal.minute = 34;
cal.second = 23;
cal.millisecond = 123;
return cal;
}
You can also use a reference (or pointer) to pass in and return;
void getCalendar(CALENDAR& cal)
{
cal.year = 2015;
cal.month = 8;
cal.date = 15;
cal.hour = 14;
cal.minute = 34;
cal.second = 23;
cal.millisecond = 123;
}
CALENDAR calendar;
getCalendar(calendar);