java多线程学习笔记!
本帖最后由 u011702993 于 2013-08-15 23:06:03 编辑
以前没有写笔记的习惯,现在慢慢的发现及时总结是多么的重要了,呵呵。
这一篇文章主要关于java多线程,自己网上找了一些资料在这里做成笔记。
同时也算是我以后复习的资料吧,呵呵,以后请大家多多指教。
Java多线程
在Java中,多线程有两种实现方法,一种是继承Thread类或者实现Runnable接口。
对于直接继承Thread类来说,代码大致如下:
class 类名 extends Thread{
public void run(){
//方法体
}
}
/**
* 继承Thread类,直接调用run方法
**/
class hello extends Thread{
public hello(){
}
private String name;
public hello(String name){
this.name=name;
}
public void run(){
for(int i=0;i<5;i++){
System.out.println(name+"运行"+i);
}
}
public static void main(String[] args){
hello h1=new hello("A");
hello h2=new hello("B");
h1.run();
h2.run()
}
}
public static void main(String[] args){
hello h1=new hello("A");
hello h2=new hello("B");
h1.start();
h2.start();
}
class 类名 implements Runnable{
public void run(){
//方法体
}
}
/**
* 实现Runnable接口
**/
class hello implements Runnable{
public hello(){
}
private String name;
public hello(String name){
this.name=name;
}
public void run(){
for(int i=0;i<5;i++){
System.out.println(name+"运行"+i);
}
}
public static void main(String[] args){
hello h1=new hello("线程A");
Thread demo=new Thread(h1);
hello h2=new hello("线程B");
Thread demo1=new Thread(h2);
demo.start();
demo1.start();
}
}