我一直试图用C ++获取当前日期一段时间,我无法弄清楚我做错了什么。我查看了几个站点和我实现的所有解决方案我得到一个错误,上面写着“这个函数或变量可能不安全。请考虑使用localtime_s。“我尝试了几个找到的解决方案here(包括下面的解决方案),但我无法使用其中任何一个。我做错了什么?
#include <iostream>
#include <iomanip>
#include <string>
#include <ctime>
using namespace std;
int main()
{
const int SALARY = 18;
const int COMMISSION = .08;
const int BONUS = .03;
int monthlySales;
int appointmentNumber;
time_t t = time(0); // get time now
struct tm * now = localtime(&t);
string name;
//this is where the user adds their name and date
cout << "Please enter the sales representative's name: ";
cin >> name;
cout << "Please enter the number of appointments: ";
cin >> appointmentNumber;
cout << "Please enter the amount of sales for the month: $";
cin >> monthlySales;
//clear screen and execute code
system("cls");
cout << setfill(' ');
cout << "Sales Representative:" << name << endl;
cout << "Pay Date:" << (now->tm_mon + 1) << " " << now->tm_mday << " " << (now->tm_year + 1900) << endl;
cout << "Work Count:" << appointmentNumber << "Sale Amount"
<< monthlySales << endl;
system("pause");
return 0;
}
答案 0 :(得分:4)
我是这样做的:
#include "date/tz.h"
#include <iostream>
int
main()
{
using namespace std::chrono;
std::cout << date::make_zoned(date::current_zone(), system_clock::now()) << '\n';
}
只为我输出:
2016-10-18 10:39:10.526768 EDT
我使用这个C ++ 11/14 portable, free, open-source library。它是线程安全的。它基于<chrono>
。它类型安全且易于使用。如果您需要更多功能,这个库就可以实现。
该库正在向C ++标准委员会提出,draft here。
答案 1 :(得分:2)
您可以尝试下面的代码和说明。
#include <iostream>
#include <ctime>
int main ()
{
time_t rawtime;
struct tm * timeinfo;
char buffer[80];
time (&rawtime);
timeinfo = localtime(&rawtime);
strftime(buffer,80,"%d-%m-%Y %I:%M:%S",timeinfo);
std::string str(buffer);
std::cout << str;
return 0;
}
<强>功能强>
time_t time(time_t * timer);
函数返回此值,如果参数不是空指针,它还会将此值设置为timer指向的对象。
<强>参数强>
返回值
当前日历时间作为time_t对象。如果函数无法检索日历时间,则返回值-1。
答案 2 :(得分:1)
您可能会收到此警告,因为localtime()
不是线程安全的。调用此函数的两个实例可能会导致一些差异。
[...] localtime返回一个指向静态缓冲区的指针(std :: tm *)。 另一个线程可以调用该函数,静态缓冲区也可以 在第一个线程读完内容之前覆盖 struct std :: tm *。
答案 3 :(得分:0)
标准和跨平台的方式是使用chrono
。
#include <iostream>
#include <chrono>
int main(){
std::time_t now_time = std::chrono::system_clock::to_time_t(std::chrono::system_clock::now());
std::cout << "Now:" << std::ctime(&now_time);
}
答案 4 :(得分:0)
这是另一种可行的方式:
time_t current_time;
struct tm *timeinfo;
time(¤t_time);
timeinfo = localtime(¤t_time);
string date = asctime(timeinfo);
答案 5 :(得分:0)
我非常感谢您的所有回复。最终我能够使用Heemanshu Bhalla的变化作出回应。我通过 here 将“_CRT_SECURE_NO_WARNINGS”添加到预处理器定义中,然后我将Heemanshu的代码更改为以下代码。这符合我的需要。
#include <iostream>
#include <ctime>
#include <string>
using namespace std;
int main()
{
time_t rawtime;
struct tm * timeinfo;
char buffer[80];
time(&rawtime);
timeinfo = localtime(&rawtime);
strftime(buffer, 80, "%m/%d/%Y ", timeinfo);
string str(buffer);
cout << str << endl;
system("PAUSE");
return 0;
}