Java高并发编程之多线程基础

第一章 认识多线程

1.4线程的start方法剖析

1.4.1 Thread start方法的源码

public synchronized void start() {
        /**
         * This method is not invoked for the main method thread or "system"
         * group threads created/set up by the VM. Any new functionality added
         * to this method in the future may have to also be added to the VM.
         *
         * A zero status value corresponds to state "NEW".
         */
        if (threadStatus != 0)
            throw new IllegalThreadStateException();

        /* Notify the group that this thread is about to be started
         * so that it can be added to the group's list of threads
         * and the group's unstarted count can be decremented. */
        group.add(this);

        boolean started = false;
        try {
            start0();
            started = true;
        } finally {
            try {
                if (!started) {
                    group.threadStartFailed(this);
                }
            } catch (Throwable ignore) {
                /* do nothing. If start0 threw a Throwable then
                  it will be passed up the call stack */
            }
        }
    }


从JDK官方文档看,调用start()方法,JVM将会调用run()方法,而run()方法,是被JNI方法start0()调用的。

总结start()方法:
1.Thread被构造后的NEW状态,事实上threadStatus这个内部属性为0。
2.不能两次启动Thread,否则就会出现IllegalThreadStateException异常
3.线程启动后会自动加入当前线程组中。
4.一个线程生命周期结束,也就是进入TERMINNATED状态,再次调用start方法是不允许的,也就是说TERMINATED状态是没有办法回到RUNNABLE/RUNNING状态的。

1.4.2 模板设计模式在Thread中的应用

public class TemplateMethod {
  public final void print(String message) {
	  System.out.println("##############");
	  wrapPrint(message);
	  System.out.println("---------------");
	  
  }
  protected void wrapPrint(String message) {;
  
  }
  public static void main(String[] args) {
	TemplateMethod t1 = new TemplateMethod() {
		protected void wrapPrint(String message) {
			System.out.println(message);
		}
	};
	t1.print("第1个模板方法");
	TemplateMethod t2 = new TemplateMethod() {
		protected void wrapPrint(String message) {
			System.out.println(message);
		}
	};
	t2.print("第2个模板方法");
  	}
}

print方法类似于Thread的start方法,而wrapPrint则类似于run方法,这样做的好处是,程序结构由父类控制,并且是final修饰的,不允许被重写,子类只需要实现想要的逻辑任务即可。
1.4.3 Runnable接口的引入以及策略模式在Thread中的使用

无论是Runnable的run()方法还是Thread类本身的run方法(Thread类本身也实现了Runnable接口)都是将线程的控制本身和业务逻辑的运行分离开来,达到职责分明、功能单一的原则,这一点与GoF设计模式中的策略设计模式很相似。

你可能感兴趣的:(Java并发编程)