编写线程类DelayPrintThread,构造方法中给出线程号,在线程体中产生一个1-10之间的随机数,使得线程体每休眠此随机数时间就打印输出线程号和休眠时间;另外编写应用DelayPrintThread类的Java应用程序TwoThread.java,在main()方法中创建两个线程,并应用sleep()控制主应用程序延迟一段时间。
时间: 2024-02-16 16:00:00 浏览: 193
好的,我来帮您编写。
DelayPrintThread类的代码如下:
```java
public class DelayPrintThread extends Thread {
private int threadNumber;
public DelayPrintThread(int threadNumber) {
this.threadNumber = threadNumber;
}
public void run() {
try {
while (true) {
int sleepTime = (int) (Math.random() * 10) + 1;
Thread.sleep(sleepTime * 1000);
System.out.println("Thread " + threadNumber + " slept for " + sleepTime + " seconds.");
}
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
```
TwoThread类的代码如下:
```java
public class TwoThread {
public static void main(String[] args) {
DelayPrintThread thread1 = new DelayPrintThread(1);
DelayPrintThread thread2 = new DelayPrintThread(2);
thread1.start();
thread2.start();
try {
Thread.sleep(10000); // 主线程延迟10秒钟
} catch (InterruptedException e) {
e.printStackTrace();
}
thread1.interrupt();
thread2.interrupt();
}
}
```
在TwoThread类中,我们创建了两个DelayPrintThread对象,并启动它们的线程。然后,主线程使用sleep()方法延迟10秒钟,之后调用线程的interrupt()方法来终止线程的执行。
执行TwoThread类,可以看到两个线程交替输出线程号和休眠时间。当主线程执行完毕后,两个子线程也会被终止。
阅读全文