本文为大家分享了Java多线程实现Runnable方式的具体方法,供大家参考,具体内容如下
(一)步骤
1.定义实现Runnable接口
2.覆盖Runnable接口中的run方法,将线程要运行的代码存放在run方法中。
3.通过Thread类建立线程对象。
4.将Runnable接口的子类对象作为实际参数传递给Thread类的构造函数。
为什么要讲Runnable接口的子类对象传递给Thread的构造方法。因为自定义的方法的所属的对象是Runnable接口的子类对象。
5.调用Thread类的start方法开启线程并调用Runnable接口子类run方法。
(二)线程安全的共享代码块问题
目的:程序是否存在安全问题,如果有,如何解决?
如何找问题:
1.明确哪些代码是多线程运行代码。
2.明确共享数据
3.明确多线程运行代码中哪些语句是操作共享数据的。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
|
class Bank{
private int sum;
public void add( int n){
sum+=n;
System.out.println( "sum=" +sum);
}
}
class Cus implements Runnable{
private Bank b= new Bank();
public void run(){
synchronized (b){
for ( int x= 0 ;x< 3 ;x++)
{
b.add( 100 );
}
}
}
}
public class BankDemo{
public static void main(String []args){
Cus c= new Cus();
Thread t1= new Thread(c);
Thread t2= new Thread(c);
t1.start();
t2.start();
}
}
|
或者第二种方式,将同步代码synchronized放在修饰方法中。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
|
class Bank{
private int sum;
public synchronized void add( int n){
Object obj= new Object();
sum+=n;
try {
Thread.sleep( 10 );
} catch (Exception e){
e.printStackTrace();
}
System.out.println( "sum=" +sum);
}
}
class Cus implements Runnable{
private Bank b= new Bank();
public void run(){
for ( int x= 0 ;x< 3 ;x++)
{
b.add( 100 );
}
}
}
public class BankDemo{
public static void main(String []args){
Cus c= new Cus();
Thread t1= new Thread(c);
Thread t2= new Thread(c);
t1.start();
t2.start();
}
}
|
总结:
1.在一个类中定义要处理的问题,方法。
2.在实现Runnable的类中重写run方法中去调用已经定义的类中的要处理问题的方法。
在synchronized块中接受要处理问题那个类的对象。
3.在main方法中去定义多个线程去执行。
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:https://blog.csdn.net/VLTIC/article/details/7099740