多线程(多窗口卖票实例讲解)
程序员文章站
2024-02-19 08:53:34
实现多线程的方式:
实现多线程的方式有多种,这里只列举两种常用的,而第一种继承thread的方式无法实现多窗口卖票。
一,继承thread方式:
特点:多线程多实例,...
实现多线程的方式:
实现多线程的方式有多种,这里只列举两种常用的,而第一种继承thread的方式无法实现多窗口卖票。
一,继承thread方式:
特点:多线程多实例,无法实现资源的共享。
例子:
package com.demo.study.multithreading; public class mythread extends thread{ private int i = 10; // 可以自行定义锁,也可以使用实例的锁 object mutex = new object(); public void selltickets(){ synchronized (mutex) { if(i>0){ i--; //getname()获取线程的名字 system.out.println(thread.currentthread().getname()+" :"+ i); } } } @override public void run() { while(i>0){ selltickets(); } } }
启动线程:
package com.demo.study.multithreading; public class test { public static void main(string[] args) { //继承thread方式:多线程多实例,无法实现资源的共享 mythread mythread1 = new mythread(); mythread mythread2 = new mythread(); //给线程命名 mythread1.setname("线程1"); mythread2.setname("线程2"); mythread1.start(); mythread2.start(); } }
运行结果:
二,实现runnable方式:
特点:多线程单实例,可实现资源的共享
例子:实现多窗口卖票:
package com.demo.study.multithreading; public class mythreadimpl implements runnable { private int tickets = 10; public void selltickets() { synchronized (mythreadimpl.class) { if (tickets > 0) { tickets--; system.out.println(thread.currentthread().getname() + "正在卖票,还剩下" + tickets + "张"); } } } @override public void run() { while (tickets > 0) { selltickets(); try { // 休眠一秒,让执行的效果更明显 thread.sleep(100); } catch (interruptedexception e) { e.printstacktrace(); } } } }
启动线程:
注意:thread中的start()方法是线程的就绪,而线程的启动,需要等待cpu的调度(也就是所谓的线程抢资源);run()方法的方法体代表了线程需要完成的任务,称之为线程执行体。
void start() 使该线程开始执行;java 虚拟机调用该线程的 run 方法。
package com.demo.study.multithreading; public class test { public static void main(string[] args) { //只创建一个实例 mythreadimpl threadimpl = new mythreadimpl(); //将上面创建的唯一实例放入多个线程中,thread类提供了多个构造方法,见下图(构造方法摘要) thread thread1 = new thread(threadimpl, "窗口1"); thread thread2 = new thread(threadimpl, "窗口2"); thread1.start(); thread2.start(); } }
构造方法摘要 | |
---|---|
thread() 分配新的 thread 对象。
|
|
thread(runnable target) 分配新的 thread 对象。
|
|
thread(runnable target, string name) 分配新的 thread 对象。
|
|
thread(string name) 分配新的 thread 对象。
|
|
thread(threadgroup group, runnable target) 分配新的 thread 对象。
|
|
thread(threadgroup group, runnable target, string name) 分配新的 thread 对象,以便将 target 作为其运行对象,将指定的 name 作为其名称,并作为 group 所引用的线程组的一员。
|
|
thread(threadgroup group, runnable target, string name, long stacksize) 分配新的 thread 对象,以便将 target 作为其运行对象,将指定的 name 作为其名称,作为 group 所引用的线程组的一员,并具有指定的堆栈大小。
|
|
thread(threadgroup group, string name) 分配新的 thread 对象。
|
运行结果:
三、同步锁与资源共享:
cpu可能随机的在多个处于就绪状态中的线程中进行切换,这时就可能出现线程的安全问题;线程安全问题,其实是指多线程环境下对共享资源的访问可能会引起此共享资源的不一致性,而解决安全问题则需要同步锁的加入,执行synchronized部分代码的时候必须需要对象锁,而一个对象只有一个锁,只有执行完synchronized里面的代码后释放锁,其他线程才可以获得锁,那么就保证了同一时刻只有一个线程访问synchronized里面的代码。实现资源共享的关键是,只有一个实例,synchronized使用的是同一把锁,用实例的锁或者定义一个实例。这就需要使用实现runnable接口的方式,实现多线程,这样传入的是一个实例。继承thread的方式,传入的是多个实例,每个实例都有一个锁,那就无法实现控制。
以上这篇多线程(多窗口卖票实例讲解)就是小编分享给大家的全部内容了,希望能给大家一个参考,也希望大家多多支持。