tiempo temporizador hilos cronometro contador consola con java stopwatch

temporizador - cronometro javafx



¿Hay un cronómetro en Java? (15)

Ahora puedes probar algo como:

Instant starts = Instant.now(); Thread.sleep(10); Instant ends = Instant.now(); System.out.println(Duration.between(starts, ends));

La salida está en ISO 8601.

¿Hay un cronómetro en Java? Porque en google solo encuentro códigos de cronómetros y no funcionan, me dan siempre 0 milisegundos.

Este código que encontré no funciona, pero no veo por qué porque el código se ve bien para mí.

public class StopWatch { private long startTime = 0; private long stopTime = 0; private boolean running = false; public void start() { this.startTime = System.currentTimeMillis(); this.running = true; } public void stop() { this.stopTime = System.currentTimeMillis(); this.running = false; } //elaspsed time in milliseconds public long getElapsedTime() { long elapsed; if (running) { elapsed = (System.currentTimeMillis() - startTime); } else { elapsed = (stopTime - startTime); } return elapsed; } //elaspsed time in seconds public long getElapsedTimeSecs() { long elapsed; if (running) { elapsed = ((System.currentTimeMillis() - startTime) / 1000); } else { elapsed = ((stopTime - startTime) / 1000); } return elapsed; } }


El código no funciona porque la variable transcurrida en getElapsedTimeSecs () no es flotante / doble.



No hay una utilidad integrada de cronómetro, pero a partir de JSR-310 (Java 8 Time) puede hacer esto simplemente.

ZonedDateTime now = ZonedDateTime.now(); // Do stuff long seconds = now.until(ZonedDateTime.now(), ChronoUnit.SECONDS);

No he comparado esto adecuadamente, pero supongo que usar el Cronómetro de Guava es más efectivo.


Prueba esto.

public class StopWatch { private long startTime = 0; private long stopTime = 0; public StopWatch() { startTime = System.currentTimeMillis(); } public void start() { startTime = System.currentTimeMillis(); } public void stop() { stopTime = System.currentTimeMillis(); System.out.println("StopWatch: " + getElapsedTime() + " milliseconds."); System.out.println("StopWatch: " + getElapsedTimeSecs() + " seconds."); } /** * @param process_name */ public void stop(String process_name) { stopTime = System.currentTimeMillis(); System.out.println(process_name + " StopWatch: " + getElapsedTime() + " milliseconds."); System.out.println(process_name + " StopWatch: " + getElapsedTimeSecs() + " seconds."); } //elaspsed time in milliseconds public long getElapsedTime() { return stopTime - startTime; } //elaspsed time in seconds public double getElapsedTimeSecs() { double elapsed; elapsed = ((double)(stopTime - startTime)) / 1000; return elapsed; } }

Uso:

StopWatch watch = new StopWatch(); // do something watch.stop();

Consola:

StopWatch: 143 milliseconds. StopWatch: 0.143 seconds.


Prueba esto:

/* * calculates elapsed time in the form hrs:mins:secs */ public class StopWatch { private Date startTime; public void startTiming() { startTime = new Date(); } public String stopTiming() { Date stopTime = new Date(); long timediff = (stopTime.getTime() - startTime.getTime())/1000L; return(DateUtils.formatElapsedTime(timediff)); } }

Utilizar:

StopWatch sw = new StopWatch(); ... sw.startTiming(); ... String interval = sw.stopTiming();



Simple fuera de la caja Clase de cronómetro:

import java.time.Duration; import java.time.Instant; public class StopWatch { Instant startTime, endTime; Duration duration; boolean isRunning = false; public void start() { if (isRunning) { throw new RuntimeException("Stopwatch is already running."); } this.isRunning = true; startTime = Instant.now(); } public Duration stop() { this.endTime = Instant.now(); if (!isRunning) { throw new RuntimeException("Stopwatch has not been started yet"); } isRunning = false; Duration result = Duration.between(startTime, endTime); if (this.duration == null) { this.duration = result; } else { this.duration = duration.plus(result); } return this.getElapsedTime(); } public Duration getElapsedTime() { return this.duration; } public void reset() { if (this.isRunning) { this.stop(); } this.duration = null; } }

Uso:

StopWatch sw = new StopWatch(); sw.start(); // doWork() sw.stop(); System.out.println( sw.getElapsedTime().toMillis() + "ms");


Spring proporciona una elegante org.springframework.util.StopWatch Class (módulo spring-core).

StopWatch stopWatch = new StopWatch(); stopWatch.start(); // Do something stopWatch.stop(); System.out.println(stopWatch.getTotalTimeMillis());


Usa la clase de Stopwatch de Guava .

Un objeto que mide el tiempo transcurrido en nanosegundos. Es útil medir el tiempo transcurrido utilizando esta clase en lugar de llamadas directas a System.nanoTime() por algunas razones:

  • Se puede sustituir una fuente de tiempo alternativa, por razones de prueba o rendimiento.
  • Según lo documentado por nanoTime, el valor devuelto no tiene un significado absoluto, y solo se puede interpretar como relativo a otra marca de tiempo devuelta por nanoTime en un momento diferente. Cronómetro es una abstracción más efectiva porque expone solo estos valores relativos, no los absolutos.

Stopwatch stopwatch = Stopwatch.createStarted(); doSomething(); stopwatch.stop(); // optional long millis = stopWatch.elapsed(TimeUnit.MILLISECONDS); log.info("that took: " + stopwatch); // formatted string like "12.3 ms"


Use System.currentTimeMillis() para obtener la hora de inicio y la hora de finalización y calcular la diferencia.

class TimeTest1 { public static void main(String[] args) { long startTime = System.currentTimeMillis(); long total = 0; for (int i = 0; i < 10000000; i++) { total += i; } long stopTime = System.currentTimeMillis(); long elapsedTime = stopTime - startTime; System.out.println(elapsedTime); } }

Más información en este tutorial


prueba esto

import java.awt.event.*; import java.awt.*; import javax.swing.*; public class millis extends JFrame implements ActionListener, Runnable { private long startTime; private final static java.text.SimpleDateFormat timerFormat = new java.text.SimpleDateFormat("mm : ss.SSS"); private final JButton startStopButton= new JButton("Start/stop"); private Thread updater; private boolean isRunning= false; private final Runnable displayUpdater= new Runnable() { public void run() { displayElapsedTime(System.currentTimeMillis() - millis.this.startTime); } }; public void actionPerformed(ActionEvent ae) { if(isRunning) { long elapsed= System.currentTimeMillis() - startTime; isRunning= false; try { updater.join(); // Wait for updater to finish } catch(InterruptedException ie) {} displayElapsedTime(elapsed); // Display the end-result } else { startTime= System.currentTimeMillis(); isRunning= true; updater= new Thread(this); updater.start(); } } private void displayElapsedTime(long elapsedTime) { startStopButton.setText(timerFormat.format(new java.util.Date(elapsedTime))); } public void run() { try { while(isRunning) { SwingUtilities.invokeAndWait(displayUpdater); Thread.sleep(50); } } catch(java.lang.reflect.InvocationTargetException ite) { ite.printStackTrace(System.err); // Should never happen! } catch(InterruptedException ie) {} // Ignore and return! } public millis() { startStopButton.addActionListener(this); getContentPane().add(startStopButton); setSize(100,50); setVisible(true); } public static void main(String[] arg) { new Stopwatch().addWindowListener(new WindowAdapter() { public void windowClosing(WindowEvent e) { System.exit(0); } }); millis s=new millis(); s.run(); } }



use: com.google.common.base.Stopwatch, es simple y fácil.

<dependency> <groupId>com.google.guava</groupId> <artifactId>guava</artifactId> <version>23.0</version> </dependency>

ejemplo:

Stopwatch stopwatch = new Stopwatch(); stopwatch.start(); "Do something" logger.debug("this task took " + stopwatch.stop().elapsedTime(TimeUnit.MILLISECONDS) + " mills");

esta tarea tomó 112 fábricas


user1007522, no sé por qué tu código no funciona (parece asfer ya comentado), pero tuve el mismo problema con obtener 0 milisegundos de com.google.common.base.Stopwatch.

estaba haciendo

Stopwatch stopwatch = new Stopwatch(); doSomething(); logger.info("test took:" + stopwatch);

Ahora estoy haciendo

Stopwatch stopwatch = new Stopwatch().start(); doSomething(); stopwatch.stop(); logger.info("test took:" + stopwatch);

y funciona, obtengo "la prueba tomó: 26.81 s"