java基本教程之常用的实现多线程的两种方式 java多线程教程
关于线程池的内容,我们以后会详细介绍;现在,先对的thread和runnable进行了解。本章内容包括:
thread和runnable的简介
thread和runnable的异同点
thread和runnable的多线程的示例
thread和runnable简介
runnable 是一个接口,该接口中只包含了一个run()方法。它的定义如下:
public interface runnable {
public abstract void run();
}
runnable的作用,实现多线程。我们可以定义一个类a实现runnable接口;然后,通过new thread(new a())等方式新建线程。
thread 是一个类。thread本身就实现了runnable接口。它的声明如下:
public class thread implements runnable {}
thread的作用,实现多线程。
thread和runnable的异同点
thread 和 runnable 的相同点:都是“多线程的实现方式”。
thread 和 runnable 的不同点:
thread 是类,而runnable是接口;thread本身是实现了runnable接口的类。我们知道“一个类只能有一个父类,但是却能实现多个接口”,因此runnable具有更好的扩展性。
此外,runnable还可以用于“资源的共享”。即,多个线程都是基于某一个runnable对象建立的,它们会共享runnable对象上的资源。
通常,建议通过“runnable”实现多线程!
thread和runnable的多线程示例
1. thread的多线程示例
下面通过示例更好的理解thread和runnable,借鉴网上一个例子比较具有说服性的例子。
// threadtest.java 源码
class mythread extends thread{
private int ticket=10;
public void run(){
for(int i=0;i<20;i++){
if(this.ticket>0){
system.out.println(this.getname()+" 卖票:ticket"+this.ticket--);
}
}
}
};
public class threadtest {
public static void main(string[] args) {
// 启动3个线程t1,t2,t3;每个线程各卖10张票!
mythread t1=new mythread();
mythread t2=new mythread();
mythread t3=new mythread();
t1.start();
t2.start();
t3.start();
}
}
运行结果:
thread-0 卖票:ticket10
thread-1 卖票:ticket10
thread-2 卖票:ticket10
thread-1 卖票:ticket9
thread-0 卖票:ticket9
thread-1 卖票:ticket8
thread-2 卖票:ticket9
thread-1 卖票:ticket7
thread-0 卖票:ticket8
thread-1 卖票:ticket6
thread-2 卖票:ticket8
thread-1 卖票:ticket5
thread-0 卖票:ticket7
thread-1 卖票:ticket4
thread-2 卖票:ticket7
thread-1 卖票:ticket3
thread-0 卖票:ticket6
thread-1 卖票:ticket2
thread-2 卖票:ticket6
结果说明:
(01) mythread继承于thread,它是自定义个线程。每个mythread都会卖出10张票。
(02) 主线程main创建并启动3个mythread子线程。每个子线程都各自卖出了10张票。
2. runnable的多线程示例
下面,我们对上面的程序进行修改。通过runnable实现一个接口,从而实现多线程。
// runnabletest.java 源码
class mythread implements runnable{
private int ticket=10;
public void run(){
for(int i=0;i<20;i++){
if(this.ticket>0){
system.out.println(thread.currentthread().getname()+" 卖票:ticket"+this.ticket--);
}
}
}
};
public class runnabletest {
public static void main(string[] args) {
mythread mt=new mythread();
// 启动3个线程t1,t2,t3(它们共用一个runnable对象),这3个线程一共卖10张票!
thread t1=new thread(mt);
thread t2=new thread(mt);
thread t3=new thread(mt);
t1.start();
t2.start();
t3.start();
}
}
运行结果:
thread-0 卖票:ticket10
thread-2 卖票:ticket8
thread-1 卖票:ticket9
thread-2 卖票:ticket6
thread-0 卖票:ticket7
thread-2 卖票:ticket4
thread-1 卖票:ticket5
thread-2 卖票:ticket2
thread-0 卖票:ticket3
thread-1 卖票:ticket1
结果说明:
(01) 和上面“mythread继承于thread”不同;这里的mythread实现了thread接口。
(02) 主线程main创建并启动3个子线程,而且这3个子线程都是基于“mt这个runnable对象”而创建的。运行结果是这3个子线程一共卖出了10张票。这说明它们是共享了mythread接口的。
下一篇: java实现简单聊天软件