前言
多线程是我们开发过程中经常遇到的,也是必不可少需要掌握的。当我们知道需要进行多线程开发时首先需要知道的自然是如何实现多线程,也就是我们应该如何创建线程。
在Java中创建线程和创建普通的类的对象操作是一样的,我们可以通过两种方式来创建线程:
- 继承Thread类,并重写run()方法。
 
- 实现Runnable接口,并实现run()方法。
 
方法一:继承Thread类
代码非常简单
- 首先重载一个构造函数,以便我们可以给线程命名。
 
- 重写run()方法。
 
- 这里我们先让线程输出线程名+start。
 
- 然后每5ms输出线程名+一个递增数。
 
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21
   | 
 
  public class threadThread extends Thread {     public threadThread(String name) {         super(name);     }
      @Override     public void run() {         System.out.println(this.getName()+" start!");         for(int i=0;i<10;i++){             System.out.println(this.getName()+" "+i);             try {                 Thread.sleep(5);             } catch (InterruptedException e) {                 e.printStackTrace();             }         }     } }
 
  | 
 
方法二:实现Runnable接口
代码也非常简单
- 实现run()方法。
 
- 这里我们先让线程输出线程名+start。
 
- 然后每5ms输出线程名+一个递增数。
 
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
   | 
 
  public class runnableThread implements Runnable {     @Override     public void run() {         System.out.println(Thread.currentThread().getName()+" start!");         for(int i=0;i<10;i++){             System.out.println(Thread.currentThread().getName()+" "+i);             try {                 Thread.sleep(5);             } catch (InterruptedException e) {                 e.printStackTrace();             }         }     } }
 
  | 
 
测试结果
测试代码
1 2 3 4 5 6 7 8 9 10 11
   | 
 
  public class Main {     public static void main(String[] args) {         Thread threadThread=new threadThread("threadThread");         threadThread.start();         Thread runnableThread=new Thread(new runnableThread(),"runnableThread");         runnableThread.start();     } }
 
  | 
 
测试结果
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22
   | threadThread start! threadThread 0 runnableThread start! runnableThread 0 threadThread 1 runnableThread 1 threadThread 2 runnableThread 2 threadThread 3 runnableThread 3 threadThread 4 runnableThread 4 threadThread 5 runnableThread 5 threadThread 6 runnableThread 6 threadThread 7 runnableThread 7 threadThread 8 runnableThread 8 threadThread 9 runnableThread 9
   | 
 
两种方法比较
- 因为Java只支持单继承,所以使用方法一就不能再继承其他类了;而方法二实现接口则不会影响继承其他类。
 
- 方法一由于是继承Thread,所以直接new出来就可以start;而方法二需要将对象作为参数传入Thread对象才能得到Thread对象。
 
- 方法一中可以直接通过this.getName获得线程名;而方法二需要Thread.currentThread().getName()获得
 
      
     
    
      
  
  
    
      
      
        
        GitHub:https://github.com/holtenko