In this exercise, you learn how to create threads in Java by extending the Thread class directly, instead of implementing the Runnable interface. By doing this, your class inherits the Thread methods, which makes it easier to manipulate the thread directly, without the need to instantiate a separate thread.
Exercise Steps
Extend the Thread class:
Your class must inherit from Thread and override the run() method.
Class constructor:
Use the super(name) constructor to give the thread a name and start execution by calling start() directly.
Override the run() method:
This method defines the behavior of the thread. Here, the thread prints its name and runs a loop.
Complete Functional Example:
Below is the code:
// Define a classe que estende Thread class MyThread extends Thread { // Constrói uma nova thread MyThread(String name) { super(name); // Nomeia a thread start(); // Inicia a thread } // Começa a execução da nova thread public void run() { System.out.println(getName() + " starting."); try { for (int count = 0; count < 10; count++) { Thread.sleep(400); // Pausa por 400ms System.out.println("In " + getName() + ", count is " + count); } } catch (InterruptedException exc) { System.out.println(getName() + " interrupted."); } System.out.println(getName() + " terminating."); } } // Classe principal para demonstrar a execução das threads class ExtendThread { public static void main(String[] args) { System.out.println("Main thread starting."); // Cria uma nova thread MyThread mt = new MyThread("Child #1"); // Executa a thread principal for (int i = 0; i < 50; i++) { System.out.print("."); try { Thread.sleep(100); // Pausa por 100ms } catch (InterruptedException exc) { System.out.println("Main thread interrupted."); } } System.out.println("Main thread ending."); } }
How the Code Works
Secondary Thread Creation:
The "Child #1" thread is created and starts immediately with start().
Secondary Thread Execution:
The thread executes a loop, printing messages and pausing for 400ms between iterations.
Main Thread Execution:
Meanwhile, the main thread prints dots (".") at 100ms intervals.
Program Output (Example)
Main thread starting. Child #1 starting. .In Child #1, count is 0 ..In Child #1, count is 1 ...In Child #1, count is 2 ... (continua) Main thread ending. Child #1 terminating.
Observations
The main and secondary threads run simultaneously.
The run() method contains the logic of the secondary thread, while the main thread continues its independent execution.
The above is the detailed content of Exercise Try This Extending Thread. For more information, please follow other related articles on the PHP Chinese website!