在Java中,你可以这样做:
long now = (new Date()).getTime();
我怎样才能在C ++中做同样的事情?
答案 0 :(得分:12)
因为C ++ 0x很棒
namespace sc = std::chrono;
auto time = sc::system_clock::now(); // get the current time
auto since_epoch = time.time_since_epoch(); // get the duration since epoch
// I don't know what system_clock returns
// I think it's uint64_t nanoseconds since epoch
// Either way this duration_cast will do the right thing
auto millis = sc::duration_cast<sc::milliseconds>(since_epoch);
long now = millis.count(); // just like java (new Date()).getTime();
This works使用gcc 4.4+。用--std=c++0x
编译它。我不知道VS2010是否实现了std::chrono
。
答案 1 :(得分:9)
标准C ++中没有这样的方法(在标准C ++中,只有第二精度,而不是毫秒)。你可以用非便携的方式做到这一点,但既然你没有指定,我会假设你想要一个可移植的解决方案。我想说,你最好的选择是加强函数microsec_clock::local_time()。
答案 2 :(得分:5)
我喜欢这样定义一个名为time_ms
的函数:
// Used to measure intervals and absolute times
typedef int64_t msec_t;
// Get current time in milliseconds from the Epoch (Unix)
// or the time the system started (Windows).
msec_t time_ms(void);
下面的实现应该适用于Windows以及类Unix系统。
#if defined(__WIN32__)
#include <windows.h>
msec_t time_ms(void)
{
return timeGetTime();
}
#else
#include <sys/time.h>
msec_t time_ms(void)
{
struct timeval tv;
gettimeofday(&tv, NULL);
return (msec_t)tv.tv_sec * 1000 + tv.tv_usec / 1000;
}
#endif
请注意,自从系统启动以来,Windows分支返回的时间是毫秒,而自1970年以来Unix分支返回的时间是毫秒。因此,如果使用此代码,则只依赖于时间之间的差异,而不是绝对时间时间本身。
答案 3 :(得分:3)
标准C ++没有亚秒精度的时间函数。
但是,几乎每个操作系统都可以。因此,您必须编写与操作系统相关的代码。
的Win32:
GetSystemTime()
GetSystemTimeAsFileTime()
的Unix / POSIX:
gettimeofday()
clock_gettime()
答案 4 :(得分:3)
您可以尝试此代码(从StockFish国际象棋引擎源代码(GPL)获取):
#include <iostream>
#include <stdio>
#if !defined(_WIN32) && !defined(_WIN64) // Linux - Unix
# include <sys/time.h>
typedef timeval sys_time_t;
inline void system_time(sys_time_t* t) {
gettimeofday(t, NULL);
}
inline long long time_to_msec(const sys_time_t& t) {
return t.tv_sec * 1000LL + t.tv_usec / 1000;
}
#else // Windows and MinGW
# include <sys/timeb.h>
typedef _timeb sys_time_t;
inline void system_time(sys_time_t* t) { _ftime(t); }
inline long long time_to_msec(const sys_time_t& t) {
return t.time * 1000LL + t.millitm;
}
#endif
int main() {
sys_time_t t;
system_time(&t);
long long currentTimeMs = time_to_msec(t);
std::cout << "currentTimeMs:" << currentTimeMs << std::endl;
getchar(); // wait for keyboard input
}
答案 5 :(得分:0)
Boost有一个有用的库来执行此操作:
http://www.boost.org/doc/libs/1_43_0/doc/html/date_time.html
ptime microsec_clock :: local_time()或ptime second_clock :: local_time()
答案 6 :(得分:0)
Java:
package com.company;
public class Main {
public static void main(String[] args) {
System.out.println(System.currentTimeMillis());
}
}
c++:
#include <iostream>
#include <windows.h>
__int64 currentTimeMillis() {
FILETIME f;
::GetSystemTimeAsFileTime(&f);
__int64 nano = (__int64(f.dwHighDateTime) << 32LL) + __int64(f.dwLowDateTime);
return (nano - 116444736000000000LL) / 10000;
}
int main() {
printf("%lli\n ", currentTimeMillis());
return 0;
}