一.概念
1.进程
进程是一个独立运行的程序,一个进程里可以包含多个线程。
2.线程
线程是进程中的执行流程,多线程就是多个并发执行的线程。
一个线程则是进程中的执行流程,一个进程中可以同时包括多个线程,每个线程也可以得到一小段程序的执行时间,这样一个进程就可以具有多个并发执行的线程。在单线程中,程序代码按调用顺序依次往下执行,如果需要―个进程同时完成多段代码的操作,就需要产生多线程。
如图为Windows操作系统的执行模式:
二.实现线程的两种方式
在Java中主要提供了两种方式实现线程,分别为继承java.lang.Thread类与实现java.lang.Runnable接口。
1.继承Thread
注意:启动一个新的线程,不是直接调用Thread子类对象的run()方法,而是调用Thread子类的start()方法,Thread类的start()方法产生一个新的线程,该线程运行Thread子类的run()方法。
线程代码演示:
1 package org.hanqi.thred; 2 3 //支持多线程 4 //1.继承Thread 5 //2.覆盖run方法 6 public class TestThread1 extends Thread{ 7 8 //重写 9 public void run() 10 { 11 12 for(int i=0;i<10;i++) 13 { 14 System.out.println(i); 15 16 try { 17 18 //线程的休眠方法 (毫秒) 19 Thread.sleep(1000); 20 21 } 22 catch (InterruptedException e) 23 { 24 25 e.printStackTrace(); 26 } 27 } 28 29 30 } 31 }
1 package org.hanqi.thred; 2 3 public class TestThread2 implements Runnable{ 4 5 @Override 6 public void run() { 7 8 9 for(int i=0;i<10;i++) 10 { 11 System.out.println(i); 12 13 try { 14 15 //线程的休眠方法 (毫秒) 16 Thread.sleep(1000); 17 18 } 19 catch (InterruptedException e) 20 { 21 22 e.printStackTrace(); 23 } 24 } 25 26 27 } 28 29 30 }
1 package org.hanqi.thred; 2 3 public class Test1 { 4 5 public static void main(String[] args) { 6 7 8 9 TestThread1 tt1=new TestThread1(); 10 11 //启动多线程 12 tt1.start(); 13 14 TestThread1 tt2=new TestThread1(); 15 16 //启动多线程 17 tt2.start(); 18 19 20 //启动实现接口方式的多线程 21 22 Thread t3=new Thread(new TestThread2()); 23 24 t3.start(); 25 26 27 28 29 } 30 31 }
小结:
原文:http://www.cnblogs.com/arxk/p/5280194.html