1.继承Thread
声明Thread的子类
1
2
3
4
5
|
public class MyThread extends Thread { public void run(){ System.out.println("MyThread running"); } } |
运行thread子类的方法
1
2
|
MyThread myThread = new MyThread(); myTread.start(); |
2.创建Thread的匿名子类
1
2
3
4
5
6
|
Thread thread = new Thread(){ public void run(){ System.out.println("Thread Running"); } }; thread.start(); |
3.实现Runnable接口
声明
1
2
3
4
5
6
|
public class MyThread implements Runnable { @override public void run() { System.out.println("MyThread is running"); } } |
运行
1
2
|
Thread thread = new Thread(new MyRunnable()); thread.start(); |
4.创建实现Runnable接口的匿名类
1
2
3
4
5
6
|
new Thread(new Runnable(){ @override public void run() { System.out.println("Thread is running"); } }).start(); |
5.线程名字
创建时候可以给线程起名字
1
2
3
4
|
Thread thread = new Thread(new MyRunnable(),"name");?获得名字 Thread thread = new Thread(new MyRunnable(),"name"); System.out.println(thraed.getName());?获取运行当期代码线程的名字 Thread.currentThread().getName(); |
二、线程安全性
1.定义
线程会共享进程范围内的资源,同时,每个线程也会有各自的程序计数器,栈,以及局部变量。在多个线程不完全同步的情况下,多个线程执行的顺序是不可预测的,那么不同的执行顺序就可能带来极其糟糕的结果。
如何定义一个类是线程安全的呢?最核心的问题在于正确性,在代码中无需进行额外的同步或者协同操作的情况下,无论有多少个线程使用这个类,无论环境以何种方式调度多线程,这个类总能表现出正确的行为,我们就成这个类是线程安全的。
2.线程类不安全的实例
1.首先定义Count类,有私有成员count=0;
1
2
3
4
5
6
7
8
9
10
11
|
public class Count { private long count = 0; public long getCount() { return count; } public void service() { count++; } } |
2.然后在线程中去调用这个类的service方法
1
2
3
4
5
6
7
8
9
10
11
12
13
|
final Count count = new Count(); for (int i = 0; i < 20000; i++) { Thread thread3 = new Thread(){ @Override public void run() { count.service(); if (count.getCount() == 20000) { System.out.println("ahha"); } } }; thread3.start(); } |
3.结果程序却没有输出,说明最后count并没有达到20000,为什么呢?
因为存在着以下错误执行的情况:线程2在线程1没有完成count自增的情况下就读取了count,导致最后count没有达到20000。
4.并发编程中,这种由于不恰当的执行顺序而显示了不正确结果的情况叫做Race Condition(竞争状态),这种情况出现的根本原因是count的自增没有保持原子性。count自增分三步操作,而不是一步到位。
以上这篇Java线程代码的实现方法就是小编分享给大家的全部内容了,希望能给大家一个参考,也希望大家多多支持服务器之家。
原文链接:http://www.cnblogs.com/yanwenxiong/archive/2017/08/16/7376313.html