Multithreading in Java
A detailed guide on multithreading in Java, covering how to create and manage threads using `Thread` and `Runnable`, as well as how to synchronize data between threads.
In this article, we will explore how to handle multithreading in Java, including creating threads using Thread
and Runnable
. We will also learn how to synchronize threads to prevent data conflicts.
Java code
// Create a class implementing Runnable
class MyRunnable implements Runnable {
private String threadName;
public MyRunnable(String threadName) {
this.threadName = threadName;
}
@Override
public void run() {
for (int i = 1; i <= 5; i++) {
System.out.println(threadName + " is running: " + i);
try {
Thread.sleep(1000); // Pause for 1 second
} catch (InterruptedException e) {
e.printStackTrace();
}
}
System.out.println(threadName + " completed.");
}
}
public class MultiThreadExample {
public static void main(String[] args) {
Thread thread1 = new Thread(new MyRunnable("Thread 1"));
Thread thread2 = new Thread(new MyRunnable("Thread 2"));
thread1.start();
thread2.start();
}
}
Detailed explanation
-
MyRunnable
class: This class implementsRunnable
and defines therun
method to specify the task that the thread will execute. -
run
method: Prints a message indicating the thread is running, loops 5 times with a 1-second delay between each iteration. -
MultiThreadExample
class: Creates twoThread
objects (thread1
andthread2
) and starts them using thestart()
method.
System Requirements:
- Java JDK 8 or later
How to install Java:
Download and install the Java Development Kit (JDK) from Oracle Java SE.
Tips:
- Avoid simultaneous access to shared variables between threads to prevent conflicts. Use the
synchronized
keyword if necessary. - Use ExecutorService to manage a large number of threads more efficiently.