14

如何在 C++ 中以秒为单位获取系统的当前日期时间?

我试过这个:

struct tm mytm = { 0 };
time_t result;

result = mktime(&mytm);

printf("%lld\n", (long long) result); 

但我得到:-1?

4

6 回答 6

18
/* time example */
#include <stdio.h>
#include <time.h>

int main ()
{
  time_t seconds;

  seconds = time (NULL);
  printf ("%ld seconds since January 1, 1970", seconds);

  return 0;
}
于 2013-01-14T09:21:51.927 回答
9

C++11 版本,它确保刻度的表示实际上是一个整数:

#include <iostream>
#include <chrono>
#include <type_traits>

std::chrono::system_clock::rep time_since_epoch(){
    static_assert(
        std::is_integral<std::chrono::system_clock::rep>::value,
        "Representation of ticks isn't an integral value."
    );
    auto now = std::chrono::system_clock::now().time_since_epoch();
    return std::chrono::duration_cast<std::chrono::seconds>(now).count();
}

int main(){
    std::cout << time_since_epoch() << std::endl;
}
于 2013-01-14T09:35:25.097 回答
6

试试这个:我希望它对你有用。

#include <iostream>
#include <ctime>

using namespace std;

int main( )
{
   // current date/time based on current system
time_t now = time(0);

 // convert now to string form
char* dt = ctime(&now);

cout << "The local date and time is: " << dt << endl;

// convert now to tm struct for UTC
tm *gmtm = gmtime(&now);
dt = asctime(gmtm);
cout << "The UTC date and time is:"<< dt << endl;
}
于 2013-01-14T09:04:55.113 回答
2

可能是@Zeta 提供的示例的更简单版本

time_t time_since_epoch()
{
    auto now = std::chrono::system_clock::now();
    return std::chrono::system_clock::to_time_t( now );
}
于 2017-12-19T05:13:59.467 回答
1

我正在使用以下功能,并进行了一些小的改进,但正如其他人所建议的那样,时代的定义可能不可移植。对于 GCC,它返回自 Unix 纪元以来的双精度值,但在 VC++ 中,它返回自机器启动时间以来的值。如果您的目标只是获得一些价值来在两个时间戳之间进行差异而不持久化和共享它们,那么这应该没问题。如果您需要保留或共享时间戳,那么我建议从 now() 中显式减去一些纪元以使持续时间对象可移植。

//high precision time in seconds since epoch
static double getTimeSinceEpoch(std::chrono::high_resolution_clock::time_point* t = nullptr)
{
    using Clock = std::chrono::high_resolution_clock;
    return std::chrono::duration<double>((t != nullptr ? *t : Clock::now() ).time_since_epoch()).count();
}
于 2017-01-10T23:20:16.937 回答
0

这将以秒为单位给出当前日期/时间,

#include <time.h>
time_t timeInSec;
time(&timeInSec);
PrintLn("Current time in seconds : \t%lld\n", (long long)timeInSec);
于 2019-02-01T12:52:53.263 回答