用JAVA代码实现多线程卖门票的案例
时间: 2024-05-09 09:17:00 浏览: 140
多线程售票案例Java代码_加锁不会重复_且支持乱序取票,可以设置只售数量。 比如总共有100张票,设置只售10张。
好的,以下是JAVA代码实现多线程卖门票的案例:
```
public class TicketSeller implements Runnable {
private int tickets = 100;
@Override
public void run() {
while (true) {
synchronized (this) {
if (tickets > 0) {
System.out.println(Thread.currentThread().getName() + "卖了一张票,还剩" + (--tickets) + "张票。");
} else {
System.out.println("票已售完!");
break;
}
}
}
}
public static void main(String[] args) {
TicketSeller seller = new TicketSeller();
Thread t1 = new Thread(seller, "售票员1");
Thread t2 = new Thread(seller, "售票员2");
Thread t3 = new Thread(seller, "售票员3");
Thread t4 = new Thread(seller, "售票员4");
t1.start();
t2.start();
t3.start();
t4.start();
}
}
```
以上代码实现了四个售票员同时卖100张票的过程,多个线程同时执行卖票操作,使用`synchronized`关键字实现线程安全,避免出现多个线程同时修改同一个变量的值而引发的问题。
阅读全文