Home »
Java »
Java Programs
Java program to set a thread name using the setName() method
Java example to set a thread name using the setName() method.
Submitted by Nidhi, on April 08, 2022
Problem statement
In this program, we will create a thread with the runnable interface. Then we will create multiple threads and set thread names using the setName() method and get thread names using the getName() method.
Source Code
The source code to set a thread name using the setName() method is given below. The given program is compiled and executed successfully.
// Java program to set a thread name
// using setName() method
class MyThread implements Runnable {
public void run() {
int i = 0;
try {
System.out.println("Thread : " + Thread.currentThread().getId());
} catch (Exception e) {
}
}
}
public class Main {
public static void main(String[] args) {
Thread t1 = new Thread(new MyThread());
Thread t2 = new Thread(new MyThread());
Thread t3 = new Thread(new MyThread());
t1.setName("Thread1");
t2.setName("Thread2");
t3.setName("Thread3");
System.out.println("Thread Name: " + t1.getName());
System.out.println("Thread Name: " + t2.getName());
System.out.println("Thread Name: " + t3.getName());
t1.start();
t2.start();
t3.start();
}
}
Output
Thread Name: Thread1
Thread Name: Thread2
Thread Name: Thread3
Thread : 12
Thread : 11
Thread : 10
Explanation
In the above program, we created two classes MyThread and Main. We created MyThread class by implementing the Runnable interface.
The Main class contains a main() method. The main() method is the entry point for the program. Here, we created the 3 threads and set their names using the setName() method and get the thread name using the getName() method and printed the result.
Java Threading Programs »