java.lang.Thread本身是一个线程

我想知道我们是否需要外部同步来使用java.lang.Thread中的方法?

例如,我们可以在没有外部同步的情况下任何线程调用方法t1.isAlive(),并期望它返回:

如果t1已经启动,则返回true,否则返回false。

或者需要外部同步来调用java.lang.Thread中的方法?

public static void main(String args[]) {
        final java.lang.Thread t1 = new java.lang.Thread(new java.lang.Runnable() {

            @Override
            public void run() {
                while(true){
                    //task
                }
            }
        });
        java.lang.Thread t2 = new java.lang.Thread(new java.lang.Runnable() {

            @Override
            public void run() {
                while (true) {
                    System.out.println(t1.isAlive()); // do we need synchronization before calling isAlive() ?
                }
            }
        });
        t2.start();
        t1.start();
        try {
            java.lang.Thread.sleep(1000000);
        } catch (java.lang.InterruptedException e) {
            e.printStackTrace();
        }
    }

是的,它应该已经是线程安全的。 你可以看看Thread.java的源代码,在这里所有重要的方法如start等都是同步的。

is_Alive是一个在底层实现的本地方法,因此会立即给出线程是否启动的答案,它不会被同步,因此在调用start方法之后它可能会给出错误的权利。 虽然这非常罕见。

然而,start方法在继续执行它的操作之前检查了threadStatus成员变量,这是一个易变的int,即将在所有访问线程中立即更新。 因此,您可以使用getState调用来检查线程是否启动,而不是isAlive方法,以避免调用两次。 我已经复制下面的Thread.java的相关部分。

/* Java thread status for tools,
 * initialized to indicate thread 'not yet started'
 */

private volatile int threadStatus = 0;

...

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();
....

public State getState() {
    // get current thread state
    return sun.misc.VM.toThreadState(threadStatus);
}
链接地址: http://www.djcxy.com/p/57655.html

上一篇: Is java.lang.Thread itself a thread

下一篇: Mounting Old EBS Volume to the new Instance