标签:style class blog code java http
进程:
是指运行中的应用程序,每个进程都有自己独立的地址空间(内存空间)
线程:
多线程:
就是程序同时完成多件事情,Java语言提供了并发机制,程序员可以在程序中执行多个线程,每一个线程完成一个功能,并与其他线程并发执行,这种机制被称为多线程。
实现线程的两种方式:
1、继承Thread类,并重写run函数
案例01:创建ThreadTest类,实现从10到1的逐个输出。
1 public class ThreadTest extends Thread{
2 private int count = 10;
3 public void run() {
4 while(true){
5 System.out.println(count+"");
6 if(--count==0){
7 return;
8 }
9 }
10 }
11 public static void main(String[] args) {
12 new ThreadTest().start();
13 }
14 }
完成线程正真功能的代码放在run()方法中,在main 方法中,执行线程需要调用Thread类中的start方法,start方法调用被覆盖的run()方法,如果不调用start()方法,线程永远都不会启动,在主方法没有调用start方法之前,Thread对象只是一个实例,而不是一个真正的线程。执行结果如下:
2、实现Runnable接口,并重写run函数
如果程序员要实现其他类,还要使当前类实现多线程,可以通过Runnable接口来实现,使用Runnable接口启动新线程的步骤如下:
案例02:创建Demo01类,实现每隔一秒输出一个“heloworld”,输出10次停止运行。
1 public class Demo01 {
2
3 public static void main(String[] args) {
4 //启动线程
5 Dog dog=new Dog();
6 Thread t=new Thread(dog);
7 t.start();
8 }
9
10 }
11 class Dog implements Runnable{
12 int times=0;
13 public void run(){
14 while(true){
15 try {
16 Thread.sleep(1000); //休眠1秒,这里用1000毫秒表示
17 } catch (Exception e) {
18 e.printStackTrace();
19 }
20 times++;
21 System.out.println("hello world"+" "+times);
22 if(times==10){
23 break;
24 }
25 }
26 }
27 }
运行结果:
标签:style class blog code java http
原文地址:http://www.cnblogs.com/charmingyj/p/3790668.html