多线程:
线程主要是用来解决“同时”执行多段代码的需求线程实际是并发运行的
- 即:宏观上感觉多个线程执行代码是同时的,但实际微观上所有线程都是走走停停的,线程调度会讲cpu的运行时间分成若干片段。
然后尽可能均匀的分配给所有并发运行的线程,获得cpu时间片段的线程被cpu执行,其他线程则等待,这样可以导致所有线程进度差不多,由于cpu执行效率高,感官上这些线程就像同时运行
线程有两种创建形式
第一种创建线程的方式:
- 方式一 继承线程
Thread
并重写run()
方法
package se.day09;
public class ThreadDemo01 {
public static void main(String[] args) {
Thread t1 = new MyThread1();
Thread t2 = new MyThread2();
/**
* 不要直接去调用Run方法,因为Run方法是线程执行的任务,线程启动后当获取时间片段以后会自动调用
* 启动线程执行start方法
* */
t1.start();
t2.start();
}
}
/**
* 第一种创建线程的方式存在两个不足:“
* 1:由于java是单继承的,那么当继承了thread后
* 就不能再继承其他类,这在实际开发中经常会出现继承冲突问题
* 2:由于将线程要执行的任务直接定义在run方法之中,这就导致了。。。
* */
class MyThread1 extends Thread{
public void run(){
for(int i = 0;i<100;i++){
System.out.println("你谁呀?");
}
}
}
class MyThread2 extends Thread{
public void run(){
for(int i = 0;i<=100;i++){
System.out.println("查水表");
}
}
}
第二种创建线程的方式:
- 方式二 实现Runnable接口单独定义线程任务
public class ThreadDemo02 {
public static void main(String[] args) {
Runnable r1 = new MyRunnable1();
Runnable r2 = new MyRunnable2();
Thread t1 = new Thread(r1);
Thread t2 = new Thread(r2);
t1.start();
t2.start();
}
}
class MyRunnable1 implements Runnable{
public void run(){
for(int i = 0;i<1000;i++){
System.out.println("你是?");
}
}
}
class MyRunnable2 implements Runnable{
public void run(){
for(int i = 0;i<=100;i++){
System.out.println("查水表的");
}
}
}
第三种创建线程的方式:
- 方式三 使用匿名内部类创建线程
package se.day09;
public class ThreadDemo03 {
public static void main(String[] args) {
Thread t1 = new Thread(){
public void run(){
for(int i = 0;i<=100;i++){
System.out.println("你是谁??");
}
}
};
Runnable r2 = new Runnable() {
public void run() {
for(int i = 0;i<100;i++){
System.out.println("查水表的!!!");
}
}
};
Thread t2 = new Thread(r2);
t1.start();
t2.start();
}
}
线程操作API
Thread.currentThread()
方法
线程提供了一个静态方法
-
static Thread currentThread()
该方法可以获取运行当前方法的线程
package se.day09;
public class Thread_currentThread {
public static void main(String[] args) {
Thread main = Thread.currentThread();//获取线程的main方法
System.out.println("运行main方法的线程是"+main);
}
}
运行结果:
运行main方法的线程是:Thread[main,5,main]
运行dosome方法的线程是:Thread[main,5,main]