1. 程式人生 > >Java 多執行緒 yield方法

Java 多執行緒 yield方法

yield()方法

理論上,yield意味著放手,放棄,投降。一個呼叫yield()方法的執行緒告訴虛擬機器它樂意讓其他執行緒佔用自己的位置。這表明該執行緒沒有在做一些緊急的事情。注意,這僅是一個暗示,並不能保證不會產生任何影響。

在Thread.java中yield()定義如下:

1 2 3 4 5 6 7 /** * A hint to the scheduler that the current thread is willing to yield its current use of a processor. The scheduler is free to ignore * this hint. Yield is a heuristic attempt to improve relative progression between threads that would otherwise over-utilize a CPU.
* Its use should be combined with detailed profiling and benchmarking to ensure that it actually has the desired effect. */ public static native void yield();

讓我們列舉一下關於以上定義重要的幾點:

  • Yield是一個靜態的原生(native)方法
  • Yield告訴當前正在執行的執行緒把執行機會交給執行緒池中擁有相同優先順序的執行緒。
  • Yield不能保證使得當前正在執行的執行緒迅速轉換到可執行的狀態
  • 它僅能使一個執行緒從執行狀態轉到可執行狀態,而不是等待或阻塞狀態

package java_thread.learn01.c002;

public class yieldTest extends Thread{
    @Override
    public void run(){
        long btime = System.currentTimeMillis();
        int count = 0;
        for(int i = 0;i<50000000;i++){
            Thread.yield();
            count = count + (i + 1);
        }
        long etime = System.currentTimeMillis();
        System.out.println("用時:" +(etime -btime) + "毫秒");    

    }

}

package java_thread.learn01.c002;

public class yieldRun {

    public static void main(String[] args) {
        yieldTest yt = new yieldTest();
        yt.start();

    }

}

上面程式碼,如果註釋Thread.yield();,則時間20毫秒左右,如果不註釋,則5030毫秒左右,自己測試看看。