题:创建三个窗口卖票,总票数为100张
1.继承Thread类的方式:
因为是三个窗口共卖100张所以我们在定义ticket时要用到static来修饰
private static int ticket = 100;
代码如下:
class Window extends Thread{
private static int ticket = 100;
@Override
public void run() {
while (true){
if (ticket > 0) {
System.out.println(getName() + "卖票,票号为:" + ticket);
ticket --;
}else {
break;
}
}
}
}
public class WindowTest {
public static void main(String[] args) {
Window t1 = new Window();
Window t2 = new Window();
Window t3 = new Window();
t1.setName("窗口1");
t2.setName("窗口2");
t3.setName("窗口3");
t1.start();
t2.start();
t3.start();
}
}
运行结果如下:
我们可以看到窗口1,2,3都卖了票号为100的票,这个时候就要讲到线程的安全问题。我们先忽略
如果我们不用static修饰改这么写?这个时候引入了创建多线程的方式二---->实现Runnable接口
=========================================================================
创建多线程的方式二---->实现Runnable接口
步骤如下:
1.创建一个实现了Runnable接口的类、
2.实现类去实现Runnable中的抽象方法:run()
3.创建实现类的对象
4.将此对象作为参数传递到Thread类的构造器中,创建Thread类的对象
5.通过Thread类的对象调用start()
举例说明:遍历100以内的偶数
//1.创建一个实现了Runnable接口的类
class MThread implements Runnable{
// 2.实现类去实现Runnable中的抽象方法:run()
@Override
public void run() {
for (int i = 0; i < 100; i++) {
if (i % 2 == 0) {
System.out.println(i);
}
}
}
}
public class ThreadTest1 {
public static void main(String[] args) {
// 3.创建实现类的对象
MThread mThread = new MThread();
// 4.将此对象作为参数传递到Thread类的构造器中,创建Thread类的对象
Thread t1 = new Thread(mThread);
// 5.通过Thread类的对象调用start()
t1.start();
}
}
在第四步中的运行过程:①启动线程 ②调用当前线程的run()-->调用了Runnable类型的target的run()。
如果我们再启动一个线程,遍历100以内的偶数
//1.创建一个实现了Runnable接口的类
class MThread implements Runnable{
// 2.实现类去实现Runnable中的抽象方法:run()
@Override
public void run() {
for (int i = 0; i < 100; i++) {
if (i % 2 == 0) {
System.out.println(Thread.currentThread().getName() + ":" + i);
}
}
}
}
public class ThreadTest1 {
public static void main(String[] args) {
// 3.创建实现类的对象
MThread mThread = new MThread();
// 4.将此对象作为参数传递到Thread类的构造器中,创建Thread类的对象
Thread t1 = new Thread(mThread);
// 5.通过Thread类的对象调用start():①启动线程 ②调用当前线程的run()-->调用了Runnable类型的target的run()
t1.start();
//再启动一个线程,遍历100以内的偶数
Thread t2 = new Thread(mThread);
t2.start();
}
}
==============================回到问题==================================
使用实现Runnable接口的方式,多窗口卖票
代码如下:
class Window1 implements Runnable{
private int ticket = 100;
@Override
public void run() {
while (true){
if (ticket > 0){
System.out.println(Thread.currentThread().getName() + ":卖票,票号为:" + ticket);
ticket--;
}else {
break;
}
}
}
}
public class WindowTest1{
public static void main(String[] args) {
Window1 w = new Window1();
Thread t1 = new Thread(w);
Thread t2 = new Thread(w);
Thread t3 = new Thread(w);
t1.setName("窗口1");
t2.setName("窗口2");
t3.setName("窗口3");
t1.start();
t2.start();
t3.start();
}
}
运行结果如下:
忽略线程安全问题。没有static可以使用实现Runnable接口的方式实现多窗口卖票
关于线程安全问题在之后的文章会讲解。
感谢观看!!!