Home »
Java »
Java Programs
Java program to interrupt the execution of a thread
Java example to interrupt the execution of a thread.
Submitted by Nidhi, on April 10, 2022
Problem statement
In this program, we will create a thread and interrupt the thread execution using the interrupt() method.
Source Code
The source code to interrupt the execution of a thread is given below. The given program is compiled and executed successfully.
// Java program to interrupt the execution
// of a thread
class MyThread implements Runnable {
public void run() {
try {
Thread.sleep(1000);
System.out.println("Includehelp");
} catch (Exception e) {
System.out.println("Exception: " + e);
}
System.out.println("Thread is running");
}
}
public class Main {
public static void main(String[] args) {
try {
Thread t = new Thread(new MyThread());
t.start();
t.interrupt();
} catch (Exception e) {
}
}
}
Output
Exception: java.lang.InterruptedException: sleep interrupted
Thread is running
Explanation
In the above program, we created two classes MyThread and Main. We created MyThread class by implementing the Runnable interface. In the run() method, we handled exceptions using try, catch blocks.
The Main class contains a main() method. The main() method is the entry point for the program. Here, we created a thread. Then we started and interrupted the thread using the start(), interrupt() methods respectively.
Java Threading Programs »