Here is another example that use the Thread.sleep()
method. In the example we create two instances of the ThreadSleepAnotherDemo
, we give each thread a name and the sleep interval so that we can see how to thread execution.
package org.kodejava.example.lang;
import java.util.Calendar;
public class ThreadSleep implements Runnable {
private String threadName;
private long sleep;
public ThreadSleep(String threadName, long sleep) {
this.threadName = threadName;
this.sleep = sleep;
}
// The run() method will be invoked when the thread is started.
public void run() {
System.out.println("Start thread [" + this.threadName + "]");
try {
while (true) {
// Pause the thread for "sleep" milliseconds.
Thread.sleep(this.sleep);
System.out.println("[" + threadName + "]" +
Calendar.getInstance().getTime());
}
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("Finish thread [" + this.threadName + "]");
}
public static void main(String[] args) {
Thread thread1 = new Thread(new ThreadSleep("FirstThread", 1000));
Thread thread2 = new Thread(new ThreadSleep("SecondThread", 3000));
// Start the threads
thread1.start();
thread2.start();
}
}
These are the sample output produced by the code snippet above:
Start thread [FirstThread]
Start thread [SecondThread]
[FirstThread]Sun Aug 13 10:42:53 WITA 2017
[FirstThread]Sun Aug 13 10:42:54 WITA 2017
[SecondThread]Sun Aug 13 10:42:55 WITA 2017
[FirstThread]Sun Aug 13 10:42:55 WITA 2017
[FirstThread]Sun Aug 13 10:42:56 WITA 2017
Latest posts by Wayan (see all)
- How do I create a generic class in Java? - January 1, 2021
- How do I convert java.util.TimeZone to java.time.ZoneId? - April 25, 2020
- How do I get a list of all TimeZones Ids using Java 8? - April 25, 2020