如何获取方法的执行时间?是否有Timer实用程序类用于计算任务需要多长时间等等?
Google上的大多数搜索都会为计划线程和任务的计时器返回结果,这不是我想要的。
答案 0 :(得分:1088)
始终采用传统方式:
long startTime = System.nanoTime();
methodToTime();
long endTime = System.nanoTime();
long duration = (endTime - startTime); //divide by 1000000 to get milliseconds.
答案 1 :(得分:174)
我选择简单的答案。适合我。
long startTime = System.currentTimeMillis();
doReallyLongThing();
long endTime = System.currentTimeMillis();
System.out.println("That took " + (endTime - startTime) + " milliseconds");
效果很好。分辨率显然只有毫秒,你可以用System.nanoTime()做得更好。两者都有一些限制(操作系统计划切片等),但这很有效。
平均两次跑步(越多越好),你会得到一个不错的主意。
答案 2 :(得分:162)
加油吧!没有人提到Guava这样做的方法(这可以说是很棒的):
import com.google.common.base.Stopwatch;
Stopwatch timer = Stopwatch.createStarted();
//method invocation
LOG.info("Method took: " + timer.stop());
好的是,Stopwatch.toString()可以很好地选择测量的时间单位。即如果值很小,它将输出38 ns,如果它很长,它将显示5m 3s
更好:
Stopwatch timer = Stopwatch.createUnstarted();
for (...) {
timer.start();
methodToTrackTimeFor();
timer.stop();
methodNotToTrackTimeFor();
}
LOG.info("Method took: " + timer);
注意:Google Guava需要Java 1.6 +
答案 3 :(得分:123)
使用Java 8的新API中的Instant和Duration,
Instant start = Instant.now();
Thread.sleep(5000);
Instant end = Instant.now();
System.out.println(Duration.between(start, end));
输出
PT5S
答案 4 :(得分:83)
使用分析器(JProfiler,Netbeans Profiler,Visual VM,Eclipse Profiler等)。您将获得最准确的结果,并且是最不具侵入性的。他们使用内置的JVM机制进行性能分析,如果需要,还可以为您提供堆栈跟踪,执行路径和更全面的结果等额外信息。
使用完全集成的分析器时,分析方法很简单。右键单击,Profiler - >添加到根方法。然后像运行测试运行或调试器一样运行探查器。
答案 5 :(得分:73)
将所有可能的方法聚集在一起。
<强> Date 强>
Date startDate = Calendar.getInstance().getTime();
long d_StartTime = new Date().getTime();
Thread.sleep(1000 * 4);
Date endDate = Calendar.getInstance().getTime();
long d_endTime = new Date().getTime();
System.out.format("StartDate : %s, EndDate : %s \n", startDate, endDate);
System.out.format("Milli = %s, ( D_Start : %s, D_End : %s ) \n", (d_endTime - d_StartTime),d_StartTime, d_endTime);
<强>系统。currentTimeMillis() 强>
long startTime = System.currentTimeMillis();
Thread.sleep(1000 * 4);
long endTime = System.currentTimeMillis();
long duration = (endTime - startTime);
System.out.format("Milli = %s, ( S_Start : %s, S_End : %s ) \n", duration, startTime, endTime );
System.out.println("Human-Readable format : "+millisToShortDHMS( duration ) );
人类可读Format
public static String millisToShortDHMS(long duration) {
String res = ""; // java.util.concurrent.TimeUnit;
long days = TimeUnit.MILLISECONDS.toDays(duration);
long hours = TimeUnit.MILLISECONDS.toHours(duration) -
TimeUnit.DAYS.toHours(TimeUnit.MILLISECONDS.toDays(duration));
long minutes = TimeUnit.MILLISECONDS.toMinutes(duration) -
TimeUnit.HOURS.toMinutes(TimeUnit.MILLISECONDS.toHours(duration));
long seconds = TimeUnit.MILLISECONDS.toSeconds(duration) -
TimeUnit.MINUTES.toSeconds(TimeUnit.MILLISECONDS.toMinutes(duration));
long millis = TimeUnit.MILLISECONDS.toMillis(duration) -
TimeUnit.SECONDS.toMillis(TimeUnit.MILLISECONDS.toSeconds(duration));
if (days == 0) res = String.format("%02d:%02d:%02d.%04d", hours, minutes, seconds, millis);
else res = String.format("%dd %02d:%02d:%02d.%04d", days, hours, minutes, seconds, millis);
return res;
}
Guava:Google Stopwatch JAR «秒表的一个目标是测量经过的时间,以纳秒为单位。
com.google.common.base.Stopwatch g_SW = Stopwatch.createUnstarted();
g_SW.start();
Thread.sleep(1000 * 4);
g_SW.stop();
System.out.println("Google StopWatch : "+g_SW);
Apache Commons Lang JAR «StopWatch 为计时提供了方便的API。
org.apache.commons.lang3.time.StopWatch sw = new StopWatch();
sw.start();
Thread.sleep(1000 * 4);
sw.stop();
System.out.println("Apache StopWatch : "+ millisToShortDHMS(sw.getTime()) );
<强> JODA - TIME 强>
public static void jodaTime() throws InterruptedException, ParseException{
java.text.SimpleDateFormat ms_SDF = new SimpleDateFormat("yyyy/MM/dd HH:mm:ss.SSS");
String start = ms_SDF.format( new Date() ); // java.util.Date
Thread.sleep(10000);
String end = ms_SDF.format( new Date() );
System.out.println("Start:"+start+"\t Stop:"+end);
Date date_1 = ms_SDF.parse(start);
Date date_2 = ms_SDF.parse(end);
Interval interval = new org.joda.time.Interval( date_1.getTime(), date_2.getTime() );
Period period = interval.toPeriod(); //org.joda.time.Period
System.out.format("%dY/%dM/%dD, %02d:%02d:%02d.%04d \n",
period.getYears(), period.getMonths(), period.getDays(),
period.getHours(), period.getMinutes(), period.getSeconds(), period.getMillis());
}
来自Java 8的Java日期时间API «A Duration对象表示两个Instant个对象之间的一段时间。
Instant start = java.time.Instant.now();
Thread.sleep(1000);
Instant end = java.time.Instant.now();
Duration between = java.time.Duration.between(start, end);
System.out.println( between ); // PT1.001S
System.out.format("%dD, %02d:%02d:%02d.%04d \n", between.toDays(),
between.toHours(), between.toMinutes(), between.getSeconds(), between.toMillis()); // 0D, 00:00:01.1001
Spring Framework提供StopWatch实用程序类来测量Java中的已用时间。
StopWatch sw = new org.springframework.util.StopWatch();
sw.start("Method-1"); // Start a named task
Thread.sleep(500);
sw.stop();
sw.start("Method-2");
Thread.sleep(300);
sw.stop();
sw.start("Method-3");
Thread.sleep(200);
sw.stop();
System.out.println("Total time in milliseconds for all tasks :\n"+sw.getTotalTimeMillis());
System.out.println("Table describing all tasks performed :\n"+sw.prettyPrint());
System.out.format("Time taken by the last task : [%s]:[%d]",
sw.getLastTaskName(),sw.getLastTaskTimeMillis());
System.out.println("\n Array of the data for tasks performed « Task Name: Time Taken");
TaskInfo[] listofTasks = sw.getTaskInfo();
for (TaskInfo task : listofTasks) {
System.out.format("[%s]:[%d]\n",
task.getTaskName(), task.getTimeMillis());
}
输出:
Total time in milliseconds for all tasks :
999
Table describing all tasks performed :
StopWatch '': running time (millis) = 999
-----------------------------------------
ms % Task name
-----------------------------------------
00500 050% Method-1
00299 030% Method-2
00200 020% Method-3
Time taken by the last task : [Method-3]:[200]
Array of the data for tasks performed « Task Name: Time Taken
[Method-1]:[500]
[Method-2]:[299]
[Method-3]:[200]
答案 6 :(得分:36)
这可能不是你想要我说的,但这是对AOP的一个很好的用法。在你的方法周围打一个代理拦截器,并在那里做时间。
可悲的是,AOP的内容,原因和方式超出了这个答案的范围,但这就是我可能做到的。
编辑:Here's a link给Spring AOP,让你开始,如果你热衷于此。这是Iop最容易实现的AOP实现。
另外,鉴于其他人的非常简单的建议,我应该补充一点,AOP适用于你不想要时间等入侵代码的东西。但在许多情况下,这种简单易行的方法很好。
答案 7 :(得分:34)
System.currentTimeMillis();
这不是测量算法性能的好方法。它衡量用户观看计算机屏幕时的总体时间。它还包括在后台运行在计算机上的所有其他内容所消耗的时间。如果您的工作站上运行了很多程序,这可能会产生巨大的差异。
正确的方法是使用java.lang.management
包。
来自http://nadeausoftware.com/articles/2008/03/java_tip_how_get_cpu_and_user_time_benchmarking网站:
getCpuTime()
方法为您提供了这些的总和:
import java.lang.management.ManagementFactory;
import java.lang.management.ThreadMXBean;
public class CPUUtils {
/** Get CPU time in nanoseconds. */
public static long getCpuTime( ) {
ThreadMXBean bean = ManagementFactory.getThreadMXBean( );
return bean.isCurrentThreadCpuTimeSupported( ) ?
bean.getCurrentThreadCpuTime( ) : 0L;
}
/** Get user time in nanoseconds. */
public static long getUserTime( ) {
ThreadMXBean bean = ManagementFactory.getThreadMXBean( );
return bean.isCurrentThreadCpuTimeSupported( ) ?
bean.getCurrentThreadUserTime( ) : 0L;
}
/** Get system time in nanoseconds. */
public static long getSystemTime( ) {
ThreadMXBean bean = ManagementFactory.getThreadMXBean( );
return bean.isCurrentThreadCpuTimeSupported( ) ?
(bean.getCurrentThreadCpuTime( ) - bean.getCurrentThreadUserTime( )) : 0L;
}
}
答案 8 :(得分:24)
使用Java 8,你可以使用每个普通的方法:
Object returnValue = TimeIt.printTime(() -> methodeWithReturnValue());
//do stuff with your returnValue
与TimeIt类似:
public class TimeIt {
public static <T> T printTime(Callable<T> task) {
T call = null;
try {
long startTime = System.currentTimeMillis();
call = task.call();
System.out.print((System.currentTimeMillis() - startTime) / 1000d + "s");
} catch (Exception e) {
//...
}
return call;
}
}
使用此方法,您可以在代码中的任何位置轻松进行时间测量而不会破坏它。在这个简单的例子中,我只打印时间。您可以为TimeIt添加一个Switch,例如只在DebugMode中打印时间。
如果您正在使用功能,您可以执行以下操作:
Function<Integer, Integer> yourFunction= (n) -> {
return IntStream.range(0, n).reduce(0, (a, b) -> a + b);
};
Integer returnValue = TimeIt.printTime2(yourFunction).apply(10000);
//do stuff with your returnValue
public static <T, R> Function<T, R> printTime2(Function<T, R> task) {
return (t) -> {
long startTime = System.currentTimeMillis();
R apply = task.apply(t);
System.out.print((System.currentTimeMillis() - startTime) / 1000d
+ "s");
return apply;
};
}
答案 9 :(得分:16)
此外,我们可以使用Apache commons的StopWatch类来测量时间。
示例代码
org.apache.commons.lang.time.StopWatch sw = new org.apache.commons.lang.time.StopWatch();
System.out.println("getEventFilterTreeData :: Start Time : " + sw.getTime());
sw.start();
// Method execution code
sw.stop();
System.out.println("getEventFilterTreeData :: End Time : " + sw.getTime());
答案 10 :(得分:14)
如果你不使用工具并希望计算执行时间较短的方法,只需要一点点小事:执行它多次,每次执行的次数加倍,直到达到一秒左右。因此,调用System.nanoTime等的时间,以及System.nanoTime的准确性确实会影响结果。
int runs = 0, runsPerRound = 10;
long begin = System.nanoTime(), end;
do {
for (int i=0; i<runsPerRound; ++i) timedMethod();
end = System.nanoTime();
runs += runsPerRound;
runsPerRound *= 2;
} while (runs < Integer.MAX_VALUE / 2 && 1000000000L > end - begin);
System.out.println("Time for timedMethod() is " +
0.000000001 * (end-begin) / runs + " seconds");
当然,关于使用挂钟的注意事项适用:JIT编译的影响,多线程/进程等。因此,您需要首先执行次次方法,例如JIT编译器完成其工作,然后多次重复此测试并执行最短的执行时间。
答案 11 :(得分:12)
我们正在为此目的使用AspectJ和Java注释。如果我们需要了解方法的执行时间,我们可以简单地注释它。更高级的版本可以使用可在运行时启用和禁用的自己的日志级别。
public @interface Trace {
boolean showParameters();
}
@Aspect
public class TraceAspect {
[...]
@Around("tracePointcut() && @annotation(trace) && !within(TraceAspect)")
public Object traceAdvice ( ProceedingJintPoint jP, Trace trace ) {
Object result;
// initilize timer
try {
result = jp.procced();
} finally {
// calculate execution time
}
return result;
}
[...]
}
答案 12 :(得分:10)
非常好的代码。
http://www.rgagnon.com/javadetails/java-0585.html
import java.util.concurrent.TimeUnit;
long startTime = System.currentTimeMillis();
........
........
........
long finishTime = System.currentTimeMillis();
String diff = millisToShortDHMS(finishTime - startTime);
/**
* converts time (in milliseconds) to human-readable format
* "<dd:>hh:mm:ss"
*/
public static String millisToShortDHMS(long duration) {
String res = "";
long days = TimeUnit.MILLISECONDS.toDays(duration);
long hours = TimeUnit.MILLISECONDS.toHours(duration)
- TimeUnit.DAYS.toHours(TimeUnit.MILLISECONDS.toDays(duration));
long minutes = TimeUnit.MILLISECONDS.toMinutes(duration)
- TimeUnit.HOURS.toMinutes(TimeUnit.MILLISECONDS.toHours(duration));
long seconds = TimeUnit.MILLISECONDS.toSeconds(duration)
- TimeUnit.MINUTES.toSeconds(TimeUnit.MILLISECONDS.toMinutes(duration));
if (days == 0) {
res = String.format("%02d:%02d:%02d", hours, minutes, seconds);
}
else {
res = String.format("%dd%02d:%02d:%02d", days, hours, minutes, seconds);
}
return res;
}
答案 13 :(得分:9)
仅供参考,JEP 230: Microbenchmark Suite是一个OpenJDK项目:
为JDK源代码添加一个基本的微基准测试套件,使开发人员可以轻松运行现有的微基准测试并创建新的基准测试。
此功能已到达Java 12。
对于早期版本的Java,请查看JEP 230所基于的Java Microbenchmark Harness (JMH)项目。
答案 14 :(得分:7)
您可以使用Perf4j。很酷的实用程序。用法很简单
String watchTag = "target.SomeMethod";
StopWatch stopWatch = new LoggingStopWatch(watchTag);
Result result = null; // Result is a type of a return value of a method
try {
result = target.SomeMethod();
stopWatch.stop(watchTag + ".success");
} catch (Exception e) {
stopWatch.stop(watchTag + ".fail", "Exception was " + e);
throw e;
}
更多信息可在Developer Guide
答案 15 :(得分:7)
new Timer(""){{
// code to time
}}.timeMe();
public class Timer {
private final String timerName;
private long started;
public Timer(String timerName) {
this.timerName = timerName;
this.started = System.currentTimeMillis();
}
public void timeMe() {
System.out.println(
String.format("Execution of '%s' takes %dms.",
timerName,
started-System.currentTimeMillis()));
}
}
答案 16 :(得分:6)
使用@Loggable
中的AOP / AspectJ和jcabi-aspects注释,您可以轻松简洁地完成:
@Loggable(Loggable.DEBUG)
public String getSomeResult() {
// return some value
}
对此方法的每次调用都将发送到具有DEBUG
日志记录级别的SLF4J日志记录工具。每条日志消息都包含执行时间。
答案 17 :(得分:6)
我基本上做了这方面的变化,但考虑到热点编译的工作原理,如果你想获得准确的结果,你需要抛出前几个测量并确保你在现实世界中使用该方法(阅读特定于应用程序)应用。
如果JIT决定编译它,你的数字会有很大差异。所以请注意
答案 18 :(得分:5)
我编写了一种方法,以一种易于阅读的形式打印该方法的执行时间。 例如,要计算100万的阶乘,大约需要9分钟。因此执行时间打印为:
Execution Time: 9 Minutes, 36 Seconds, 237 MicroSeconds, 806193 NanoSeconds
代码在这里:
public class series
{
public static void main(String[] args)
{
long startTime = System.nanoTime();
long n = 10_00_000;
printFactorial(n);
long endTime = System.nanoTime();
printExecutionTime(startTime, endTime);
}
public static void printExecutionTime(long startTime, long endTime)
{
long time_ns = endTime - startTime;
long time_ms = TimeUnit.NANOSECONDS.toMillis(time_ns);
long time_sec = TimeUnit.NANOSECONDS.toSeconds(time_ns);
long time_min = TimeUnit.NANOSECONDS.toMinutes(time_ns);
long time_hour = TimeUnit.NANOSECONDS.toHours(time_ns);
System.out.print("\nExecution Time: ");
if(time_hour > 0)
System.out.print(time_hour + " Hours, ");
if(time_min > 0)
System.out.print(time_min % 60 + " Minutes, ");
if(time_sec > 0)
System.out.print(time_sec % 60 + " Seconds, ");
if(time_ms > 0)
System.out.print(time_ms % 1E+3 + " MicroSeconds, ");
if(time_ns > 0)
System.out.print(time_ns % 1E+6 + " NanoSeconds");
}
}
答案 19 :(得分:5)
有几种方法可以做到这一点。我通常会回到使用这样的东西:
long start = System.currentTimeMillis();
// ... do something ...
long end = System.currentTimeMillis();
或与System.nanoTime();
相同的事情对于基准测试方面的更多内容,似乎还有这个:http://jetm.void.fm/从未尝试过。
答案 20 :(得分:4)
如果你想要挂钟时间
long start_time = System.currentTimeMillis();
object.method();
long end_time = System.currentTimeMillis();
long execution_time = end_time - start_time;
答案 21 :(得分:4)
正如“skaffman”所说,使用AOP OR你可以使用运行时字节码编织,就像单元测试方法覆盖工具用来透明地向调用的方法添加时序信息。
您可以查看Emma(http://downloads.sourceforge.net/emma/emma-2.0.5312-src.zip?modtime=1118607545&big_mirror=0)等开源工具工具使用的代码。另一个开源覆盖工具是http://prdownloads.sourceforge.net/cobertura/cobertura-1.9-src.zip?download。
如果你最终设法做了你想要的,请。与你的蚂蚁任务/罐子在这里与社区分享。
答案 22 :(得分:4)
Spring提供了一个实用程序类org.springframework.util.StopWatch,根据JavaDoc:
简单的秒表,允许多个任务的计时,暴露 每个命名任务的总运行时间和运行时间。
用法:
StopWatch stopWatch = new StopWatch("Performance Test Result");
stopWatch.start("Method 1");
doSomething1();//method to test
stopWatch.stop();
stopWatch.start("Method 2");
doSomething2();//method to test
stopWatch.stop();
System.out.println(stopWatch.prettyPrint());
输出:
StopWatch 'Performance Test Result': running time (millis) = 12829
-----------------------------------------
ms % Task name
-----------------------------------------
11907 036% Method 1
00922 064% Method 2
使用方面:
@Around("execution(* my.package..*.*(..))")
public Object logTime(ProceedingJoinPoint joinPoint) throws Throwable {
StopWatch stopWatch = new StopWatch();
stopWatch.start();
Object retVal = joinPoint.proceed();
stopWatch.stop();
log.info(" execution time: " + stopWatch.getTotalTimeMillis() + " ms");
return retVal;
}
答案 23 :(得分:3)
您可以使用提供各种测量仪器的Metrics库。添加依赖项:
<dependencies>
<dependency>
<groupId>io.dropwizard.metrics</groupId>
<artifactId>metrics-core</artifactId>
<version>${metrics.version}</version>
</dependency>
</dependencies>
并根据您的环境进行配置。
方法可以使用@Timed注释:
@Timed
public void exampleMethod(){
// some code
}
或用Timer包裹的代码:
final Timer timer = metricsRegistry.timer("some_name");
final Timer.Context context = timer.time();
// timed code
context.stop();
汇总的指标可以导出到控制台,JMX,CSV或其他。
@Timed
指标输出示例:
com.example.ExampleService.exampleMethod
count = 2
mean rate = 3.11 calls/minute
1-minute rate = 0.96 calls/minute
5-minute rate = 0.20 calls/minute
15-minute rate = 0.07 calls/minute
min = 17.01 milliseconds
max = 1006.68 milliseconds
mean = 511.84 milliseconds
stddev = 699.80 milliseconds
median = 511.84 milliseconds
75% <= 1006.68 milliseconds
95% <= 1006.68 milliseconds
98% <= 1006.68 milliseconds
99% <= 1006.68 milliseconds
99.9% <= 1006.68 milliseconds
答案 24 :(得分:3)
您可以使用Spring核心项目中的秒表类:
代码:
StopWatch stopWatch = new StopWatch()
stopWatch.start(); //start stopwatch
// write your function or line of code.
stopWatch.stop(); //stop stopwatch
stopWatch.getTotalTimeMillis() ; ///get total time
秒表的文档: 简单的秒表,允许多个任务的计时,公开每个命名任务的总运行时间和运行时间。 隐藏使用System.currentTimeMillis(),提高应用程序代码的可读性并减少计算错误的可能性。 请注意,此对象不是设计为线程安全的,并且不使用同步。 此类通常用于在概念验证和开发过程中验证性能,而不是作为生产应用程序的一部分。
答案 25 :(得分:3)
long startTime = System.currentTimeMillis();
// code goes here
long finishTime = System.currentTimeMillis();
long elapsedTime = finishTime - startTime; // elapsed time in milliseconds
答案 26 :(得分:3)
我修改了正确答案的代码,以便在几秒钟内获得结果:
long startTime = System.nanoTime();
methodCode ...
long endTime = System.nanoTime();
double duration = (double)(endTime - startTime) / (Math.pow(10, 9));
Log.v(TAG, "MethodName time (s) = " + duration);
答案 27 :(得分:2)
在Java 8中引入了一个名为method2
的新类。根据文件:
Instant表示时间线上纳秒的开始。这个 class对于生成表示机器时间的时间戳非常有用。 瞬间的范围需要存储大于a的数字 长。为实现此目的,该类存储一个长代表 epoch-seconds和一个代表纳秒秒的int,它将会 始终在0到999,999,999之间。测量时间秒 来自1970-01-01T00:00:00Z标准Java时代的瞬间 在这个时代之后有了积极的价值观,而早期的时刻也有 负值。对于时期秒和纳秒部分,a 时间线上的值越大,值越小。
这可以用作:
Instant
打印Instant start = Instant.now();
try {
Thread.sleep(7000);
} catch (InterruptedException e) {
e.printStackTrace();
}
Instant end = Instant.now();
System.out.println(Duration.between(start, end));
。
答案 28 :(得分:2)
好的,这是一个简单的类,用于简单的函数简单计时。下面有一个例子。
public class Stopwatch {
static long startTime;
static long splitTime;
static long endTime;
public Stopwatch() {
start();
}
public void start() {
startTime = System.currentTimeMillis();
splitTime = System.currentTimeMillis();
endTime = System.currentTimeMillis();
}
public void split() {
split("");
}
public void split(String tag) {
endTime = System.currentTimeMillis();
System.out.println("Split time for [" + tag + "]: " + (endTime - splitTime) + " ms");
splitTime = endTime;
}
public void end() {
end("");
}
public void end(String tag) {
endTime = System.currentTimeMillis();
System.out.println("Final time for [" + tag + "]: " + (endTime - startTime) + " ms");
}
}
使用样本:
public static Schedule getSchedule(Activity activity_context) {
String scheduleJson = null;
Schedule schedule = null;
/*->*/ Stopwatch stopwatch = new Stopwatch();
InputStream scheduleJsonInputStream = activity_context.getResources().openRawResource(R.raw.skating_times);
/*->*/ stopwatch.split("open raw resource");
scheduleJson = FileToString.convertStreamToString(scheduleJsonInputStream);
/*->*/ stopwatch.split("file to string");
schedule = new Gson().fromJson(scheduleJson, Schedule.class);
/*->*/ stopwatch.split("parse Json");
/*->*/ stopwatch.end("Method getSchedule");
return schedule;
}
控制台输出示例:
Split time for [file to string]: 672 ms
Split time for [parse Json]: 893 ms
Final time for [get Schedule]: 1565 ms
答案 29 :(得分:2)
如果只想知道时间,你可以尝试这种方式。
long startTime = System.currentTimeMillis();
//@ Method call
System.out.println("Total time [ms]: " + (System.currentTimeMillis() - startTime));
答案 30 :(得分:1)
您可以使用 javaagent 来修改java类字节,动态添加监视器代码.github上有一些开源工具可以为您执行此操作。
如果你想自己做,只需实现 javaagent ,使用 javassist 来修改你想监视的方法,并在方法返回之前修改监视器代码。清洁您可以监控甚至没有源代码的系统。
答案 31 :(得分:1)
如果java有更好的功能支持会很好,所以需要测量的动作可以包装成一个块:
measure {
// your operation here
}
在java中,这可以通过看起来过于冗长的匿名函数来完成
public interface Timer {
void wrap();
}
public class Logger {
public static void logTime(Timer timer) {
long start = System.currentTimeMillis();
timer.wrap();
System.out.println("" + (System.currentTimeMillis() - start) + "ms");
}
public static void main(String a[]) {
Logger.logTime(new Timer() {
public void wrap() {
// Your method here
timeConsumingOperation();
}
});
}
public static void timeConsumingOperation() {
for (int i = 0; i<=10000; i++) {
System.out.println("i=" +i);
}
}
}
答案 32 :(得分:1)
我机器上的性能测量
如上所述,System.nanoTime()被认为是衡量经过的时间。只要注意使用循环等的成本。
答案 33 :(得分:1)
这是一个非常印刷的字符串准备好的格式化秒数,类似于谷歌搜索搜索时间:
long startTime = System.nanoTime();
// ... methodToTime();
long endTime = System.nanoTime();
long duration = (endTime - startTime);
long seconds = (duration / 1000) % 60;
// formatedSeconds = (0.xy seconds)
String formatedSeconds = String.format("(0.%d seconds)", seconds);
System.out.println("formatedSeconds = "+ formatedSeconds);
// i.e actual formatedSeconds = (0.52 seconds)
答案 34 :(得分:1)
我实现了一个简单的计时器,我认为这非常有用:
public class Timer{
private static long start_time;
public static double tic(){
return start_time = System.nanoTime();
}
public static double toc(){
return (System.nanoTime()-start_time)/1000000000.0;
}
}
这样你就可以计划一个或多个动作:
Timer.tic();
// Code 1
System.out.println("Code 1 runtime: "+Timer.toc()+" seconds.");
// Code 2
System.out.println("(Code 1 + Code 2) runtime: "+Timer.toc()+"seconds");
Timer.tic();
// Code 3
System.out.println("Code 3 runtime: "+Timer.toc()+" seconds.");
答案 35 :(得分:1)
System.nanoTime()
是一个非常精确的系统实用程序,用于衡量执行时间。但是要小心,如果你在抢占式调度程序模式下运行(默认),这个实用程序实际上测量的是挂钟时间而不是CPU时间。因此,您可能会注意到从运行到运行的不同执行时间值,具体取决于系统负载。如果你寻找CPU时间,我认为在实时模式下运行程序就可以了。你必须使用RT linux。链接:Real-time programming with Linux
答案 36 :(得分:1)
在Spring框架中,我们有一个名为StopWatch(org.springframework.util.StopWatch)的调用
//measuring elapsed time using Spring StopWatch
StopWatch watch = new StopWatch();
watch.start();
for(int i=0; i< 1000; i++){
Object obj = new Object();
}
watch.stop();
System.out.println("Total execution time to create 1000 objects in Java using StopWatch in millis: "
+ watch.getTotalTimeMillis());
答案 37 :(得分:0)
在java ee中对我有用的策略是:
使用注释为@AroundInvoke
;
@Singleton
public class TimedInterceptor implements Serializable {
@AroundInvoke
public Object logMethod(InvocationContext ic) throws Exception {
Date start = new Date();
Object result = ic.proceed();
Date end = new Date();
System.out.println("time: " + (end.getTime - start.getTime()));
return result;
}
}
注释要监视的方法:
@Interceptors(TimedInterceptor.class)
public void onMessage(final Message message) { ...
我希望这可以提供帮助。
答案 38 :(得分:0)
对于Java 8+,另一种可能的解决方案(更通用,更具有func风格且没有方面)可能是创建一些接受代码作为参数的实用程序方法
public static <T> T timed (String description, Consumer<String> out, Supplier<T> code) {
final LocalDateTime start = LocalDateTime.now ();
T res = code.get ();
final long execTime = Duration.between (start, LocalDateTime.now ()).toMillis ();
out.accept (String.format ("%s: %d ms", description, execTime));
return res;
}
调用代码可能像这样:
public static void main (String[] args) throws InterruptedException {
timed ("Simple example", System.out::println, Timing::myCode);
}
public static Object myCode () {
try {
Thread.sleep (1500);
} catch (InterruptedException e) {
e.printStackTrace ();
}
return null;
}
答案 39 :(得分:0)
纯Java SE代码,无需使用TimeTracedExecuter
添加依赖项:
public static void main(String[] args) {
Integer square = new TimeTracedExecutor<>(Main::calculateSquare)
.executeWithInput("calculate square of num",5,logger);
}
public static int calculateSquare(int num){
return num*num;
}
将产生如下结果:
INFO: It took 3 milliseconds to calculate square of num
自定义可重用类: TimeTracedExecutor
import java.text.NumberFormat;
import java.time.Duration;
import java.time.Instant;
import java.util.function.Function;
import java.util.logging.Logger;
public class TimeTracedExecutor<T,R> {
Function<T,R> methodToExecute;
public TimeTracedExecutor(Function<T, R> methodToExecute) {
this.methodToExecute = methodToExecute;
}
public R executeWithInput(String taskDescription, T t, Logger logger){
Instant start = Instant.now();
R r= methodToExecute.apply(t);
Instant finish = Instant.now();
String format = "It took %s milliseconds to "+taskDescription;
String elapsedTime = NumberFormat.getNumberInstance().format(Duration.between(start, finish).toMillis());
logger.info(String.format(format, elapsedTime));
return r;
}
}