C ++在我的构造函数中获取当前时间

时间:2018-11-13 18:27:58

标签: c++ class constructor ctime

这是我的问题:

  

(增强课程时间),提供一个能够使用当前时间的构造函数   在C ++标准库标头中声明的time和localtime函数进行初始化   时间类的对象。

这是我的代码: .h文件

#ifndef TIME
#define TIME

class Time
{
public:
Time();
Time(int, int, int);
void Display();
private:
int hour, minute, second;
};
#endif // !1

.cpp文件

#include "Time.h"
#include <ctime>
#include <iostream>


using namespace std;

Time::Time(){}
Time::Time(int h, int m, int s)
{
hour = h;
minute = m;
second = s;
time_t currenttime;
struct tm timeinfo;
time(&currenttime);
localtime_s(&timeinfo, &currenttime);

h = timeinfo.tm_hour;
m = timeinfo.tm_min;
s = timeinfo.tm_sec;
}

void Time::Display()
{
cout << hour << ":" << minute << ":" << second << endl;
}

main.cpp文件

#include <iostream>
#include "Time.h"
#include <ctime>

int main()
{
    Time currentTime;

    currentTime.Display();

    system("pause");
    return 0;
}

输出:

  

-858993460:-858993460:-858993460

2 个答案:

答案 0 :(得分:1)

您的时间未正确初始化,这就是为什么您获得这些值的原因...

以及您执行

Time currentTime;

您正在使用默认构造函数创建Time对象,而未初始化字段。...

做类似的事情

private:
int hour{0};
int minute{0};
int second{0};

另一种技巧可能是从默认值中调用第二个const,因为在那里放置了用于初始化对象的逻辑...

Time::Time() : Time(0, 0, 0)
{}

答案 1 :(得分:1)

您已经将ctor代码混合了一些,使用默认ctor时成员vars未初始化。

Time::Time()
{
    // Initialize to the current time
    time_t currenttime;
    struct tm timeinfo;
    time(&currenttime);
    localtime_s(&timeinfo, &currenttime);
    hour = timeinfo.tm_hour;
    minute = timeinfo.tm_min;
    second = timeinfo.tm_sec;
}

// Modified to use initializer list
Time::Time(int h, int m, int s) :
    hour(h), minute(m), second(s)
{
}