创建两个线程,要求如下: (1)一个线程输出100个1~26,另一个线程输出100个A~Z。 (2)一个线程使用集成Thread 类的写法,另一个线程使用实现Runnable接口的写法。
时间: 2024-06-14 20:04:07 浏览: 374
以下是创建两个线程的示例代码:
1. 使用继承Thread类的写法:
```java
class FirstThread extends Thread {
public void run() {
for (int i = 1; i <= 100; i++) {
System.out.print(i + " ");
}
}
}
class SecondThread extends Thread {
public void run() {
for (char c = 'A'; c <= 'Z'; c++) {
System.out.print(c + " ");
}
}
}
public static void main(String[] args) {
FirstThread firstThread = new FirstThread();
SecondThread secondThread = new SecondThread();
firstThread.start();
secondThread.start();
}
```
2. 使用实现Runnable接口的写法:
```java
class FirstThread implements Runnable {
public void run() {
for (int i = 1; i <= 100; i++) {
System.out.print(i + " ");
}
}
}
class SecondThread implements Runnable {
public void run() {
for (char c = 'A'; c <= 'Z'; c++) {
System.out.print(c + " ");
}
}
}
public static void main(String[] args) {
FirstThread firstThread = new FirstThread();
SecondThread secondThread = new SecondThread();
Thread thread1 = new Thread(firstThread);
Thread thread2 = new Thread(secondThread);
thread1.start();
thread2.start();
}
```
阅读全文