常说的方式有以下四种:
继承Thread
实现Runnable接口
实现Callable接口(可以获取线程执行之后的返回值)
创建线程池
案例1:如何正确的启动线程
public class MyThread extends Thread {
public static void main(String[] args) {
MyThread thread = new MyThread();
thread.run();//调用方法并非开启线程
thread.start();//正确启动线程的方式
}
@Override
public void run() {
System.out.println(Thread.currentThread().getName()+":running........");
}
}
案例2:实现Runnable只是创建了一个可执行任务,并不是一个线程
class MyTask implements Runnable{
@Override
public void run() {
System.out.println(Thread.currentThread().getName()+": running.................");
}
}
public class MyThread extends Thread {
public static void main(String[] args) {
MyTask task = new MyTask();
// task.start(); //并不能直接以线程的方式来启动
new Thread(task).start();
//他表达的是一个任务,需要启动一个线程来执行
}
案例3:Runnable vs Callable
两者最大的不同点是:实现Callable接口的任务线程能返回执行结果;而实现Runnable接口的任务线程不能返回结果
class MyTask2 implements Callable<Boolean>{
@Override
public Boolean call() throws Exception {
return null;
}
}
明确一点:
本质上来说创建线程的方式就是继承Thread,就算是线程池,内部也是创建好了线程对象来执行任务。
创建线程池
public class ThreadPool {
private static int Pool_NUM = 10;
public static void main(String[] args) {
ExecutorService executorService = Executors.newFixedThreadPool(10);
for(int i = 0; i < Pool_NUM; i++){
RunnableThread thread = new RunnableThread();
executorService.execute(thread);
}
executorService.shutdown();
}
}
class RunnableThread implements Runnable{
@Override
public void run() {
System.out.println("通过线程池创建的线程名为:" + Thread.currentThread().getName());
}
}