这篇文章主要讲解了“Java线程的创建方式有哪些”,文中的讲解内容简单清晰,易于学习与理解,下面请大家跟着小编的思路慢慢深入,一起来研究和学习“Java线程的创建方式有哪些”吧!
1、Thread
继承Thread
类,并重写run
方法
class ThreadDemo1 extends Thread { @Override public void run() { log.info("{}", Thread.currentThread().getName()); }}
线程启动方式:
ThreadDemo1 t1 = new ThreadDemo1();t1.setName("t1");t1.start();
简便写法:
Thread t1 = new Thread() { @Override public void run() { log.info("{}", Thread.currentThread().getName()); }};t1.setName("t1");t1.start();
2、Runnable和Thread
Thread
类的构造函数支持传入Runnable
的实现类
public Thread(Runnable target) { init(null, target, "Thread-" + nextThreadNum(), 0);}Thread(Runnable target, AccessControlContext acc) { init(null, target, "Thread-" + nextThreadNum(), 0, acc, false);}
Runnable
是一个函数式接口(FunctionalInterface
)
@FunctionalInterfacepublic interface Runnable { // 没有返回值 public abstract void run();}
因此需要创建类实现Runnable
接口,重写run
方法
class ThreadDemo2 implements Runnable { @Override public void run() { log.info("{}", Thread.currentThread().getName()); }}
简便写法:
Thread t2 = new Thread(() -> log.info("{}", Thread.currentThread().getName()), "t2");t2.start();
3、Runnable和Thread
Callable
和Runnable
一样,也是一个函数式接口,二者的区别非常明显,Runnable
中run
方法没有返回值,Callable
中的run
方法有返回值(可以通过泛型约束返回值类型)。因此在需要获取线程执行的返回值时,可以使用Callable
。
@FunctionalInterfacepublic interface Callable<V> { // 带返回值 V call() throws Exception;}
在Thread
的构造函数中,并没有看到Callable
,只有Runnable
此时需要一个可以提交Callable给Thread的类,这类就是FutureTask;FutureTask实现类Runnable接口。
并且FutureTask
提供了传入Callable
的构造函数
public FutureTask(Callable<V> callable) { if (callable == null) throw new NullPointerException(); this.callable = callable; this.state = NEW; // ensure visibility of callable}
因此可以通过FutureTask传入Callable实现,再将FutureTask传给Thread即可
ThreadDemo3 implements Callable<Integer> { @Override public Integer call() throws Exception { log.info("{}", Thread.currentThread().getName()); return 1998; }}
// Callable 实现类ThreadDemo3 callable = new ThreadDemo3();// 通过Callable创建FutureTaskFutureTask<Integer> task = new FutureTask(callable);// 通过FutureTask创建ThreadThread t3 = new Thread(task, "t3");t3.start();
简便写法:
Thread t3 = new Thread(new FutureTask<Integer>(() -> { log.info("{}", Thread.currentThread().getName()); return 1998;}), "t3");t3.start();
4、三者对比
创建线程的方式有三种:
Thread
、Runnable+Thread
、Callable+FutureTask+Thread
;这三者如何选择呢?
首先在实际的开发过程中,我们不会直接创建线程,因为频繁创建和销毁线程开销比较大,此外不利于管理和释放,因此项目中都是通过设计线程池来管理线程资源
Thread
、Runnable+Thread
相比,Runnable+Thread
将线程的创建和任务模块解耦了,代码设计更加灵活,此外更加利于任务的提交,更方便和线程池结合使用Callable+FutureTask+Thread
适用于需要获取线程返回结果的场景
5、注意项
文中多次使用thread.start()
;需要注意的是,调用线程的start()
方法表示启动线程,但是线程是否执行并不确定,这需要操作系统调度,线程分配到CPU执行时间片才能执行。多核CPU下多个线程同时启动,线程之间交替执行,执行顺序是不确定的。
感谢各位的阅读,以上就是“Java线程的创建方式有哪些”的内容了,经过本文的学习后,相信大家对Java线程的创建方式有哪些这一问题有了更深刻的体会,具体使用情况还需要大家实践验证。这里是编程网,小编将为大家推送更多相关知识点的文章,欢迎关注!