Obtaining the time in Java with nano-second precision
On Linux the code that the OpenJDK JVM executes is:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
jlong os::javaTimeMillis() { | |
timeval time; | |
int status = gettimeofday(&time, NULL); | |
assert(status != -1, "linux error"); | |
return jlong(time.tv_sec) * 1000 + jlong(time.tv_usec / 1000); | |
} |
The accuracy and of the underlying clock is dependent on the clock source being used by the kernel. To view all clock sources availble execute
cat /sys/devices/system/clocksource/*/available_clocksourceTo view the current clock source in use execute
cat /sys/devices/system/clocksource/*/current_clocksource
Calling clock_gettime() to obtain a nanosecond precision time from the JVM can be achieved using Java using JNA or JNI. We implement both clock_gettime() using JNA and JNI and performance compared with System.currentTimeMillis() as a baseline. The tests were conducted on a Intel Xeon CPU E5-1650 v3 @ 3.50GHz using the Java Benchmark Harness (JMH).
All the code and benchmarks are available here to be executed independently.
![]() |
Source JMH output is here |
For the most part this is a comparison between JNA and JNI performance. JNA has the advantage of not requiring the user to compile any native code but this comes at the cost of performance. For each call to obtain the time JNA constructs Structure objects that represent native structures. This results in a worse median latency as well as generating significant amounts of garbage degrading long tail latency. The JNA direct mapping showed improved performance past the 99.99 percentiles but was still significantly slower than JNI.
In the future there will be some support for higher precision time in Java 9.
Comments
Post a Comment