老李分享:java线程生命周期 2

二、线程调度器

在JVM中,线程调度器的实现通常基于以下两种策略:

  • 抢占式调度策略

  • 分时调度策略或Round-robin循环调度策略

线程调度器的实现与平台无关,因此线程的调度是不可预测的。

三、线程的优先级

JVM会为每一个新创建的线程分配一个优先级。

  • 0级:这是最低的优先级

  • 5级:这是普通的优先级

  • 10级:这是最高的优先级

为了保存这些值,线程类有三个相应的变量:

  • public static final int MIN_PRIORITY

  • public static final int NORM_PRIORITY

  • public static final int MAX_PRIORITY

一个线程首先会继承其父线程的优先级,每一个线程默认的优先级是5级(Normal优先级),主线程的默认优先级为5级。

可以通过setPriority(int priority)方法来设置线程的优先级。

  • public final void setPriority(int priority)

  • public void getPriority();

用户定义的线程,其默认的线程名为Thread+序号,序号从0开始,比如第一个线程为Thread0。 
线程名可以通过setName(String name)方法进行设置,可使用getName()方法获得线程的名字。

  • public final void setName(String name)

  • public final String getName().

实例

下面看一个例子:

package demo.ch;

public class UserThread extends Thread {
    UserThread() {
        super();
    }

    UserThread(String name) {
        super(name);
    }

    public void run() {
        System.out.println("thread started running..");
    }

    public static void main(String[] args) {
        UserThread thread1 = new UserThread("Thread1");
        UserThread thread2 = new UserThread("Thread2");

        System.out.println("Thread 1 initial name and priority");
        System.out.println("name:" + thread1.getName());
        System.out.println("priority:" + thread1.getPriority());

        System.out.println("Thread 2 initial name and priority");
        System.out.println("name:" + thread2.getName());
        System.out.println("priority:" + thread2.getPriority());
        System.out.println("");

        thread1.setPriority(6);
        thread2.setPriority(9);

        System.out.println("Thread 1 initial name and priority");
        System.out.println("name:" + thread1.getName());
        System.out.println("priority:" + thread1.getPriority());

        System.out.println("Thread 2 initial name and priority");
        System.out.println("name:" + thread2.getName());
        System.out.println("priority:" + thread2.getPriority());
        System.out.println("");

        thread1.start();
        thread2.start();

        for(int i=0; i<5; i++)
            System.out.println("main method i value: " + i);
    }
}

输出结果:

Thread 1 initial name and priority
name:Thread1
priority:5
Thread 2 initial name and priority
name:Thread2
priority:5

Thread 1 initial name and priority
name:Thread1
priority:6
Thread 2 initial name and priority
name:Thread2
priority:9

main method i value: 0
main method i value: 1
thread started running..
main method i value: 2
thread started running..
main method i value: 3
main method i value: 4


你可能感兴趣的:(软件测试开发)