在本练习中,您将学习如何通过直接扩展 Thread 类(而不是实现 Runnable 接口)来在 Java 中创建线程。通过这样做,您的类继承了 Thread 方法,这使得直接操作线程变得更容易,而不需要实例化单独的线程。
锻炼步骤
扩展 Thread 类:
你的类必须继承自 Thread 并重写 run() 方法。
类构造函数:
使用 super(name) 构造函数为线程命名,并通过直接调用 start() 开始执行。
重写 run() 方法:
该方法定义了线程的行为。在这里,线程打印它的名称并运行一个循环。
完整的功能示例:
下面是代码:
// 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."); } }
代码如何工作
辅助线程创建:
“Child #1”线程被创建并通过 start() 立即启动。
辅助线程执行:
该线程执行一个循环,打印消息并在迭代之间暂停 400 毫秒。
主线程执行:
同时,主线程以 100 毫秒的间隔打印点(“.”)。
程序输出(示例)
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.
观察
主线程和辅助线程同时运行。
run()方法包含了辅助线程的逻辑,而主线程则继续独立执行。
以上是练习尝试这个扩展线程的详细内容。更多信息请关注PHP中文网其他相关文章!