1. 程式人生 > >java中TimeUnit vs Thread.sleep的用法對比

java中TimeUnit vs Thread.sleep的用法對比

xl_echo編輯整理,交流學習請加1280023003
百戰不敗,依不自稱常勝,百敗不頹,依能奮力前行。——這才是真正的堪稱強大!!
本文轉載自:https://blog.csdn.net/u012843873/article/details/78624391


imeUnit是java.util.concurrent包下面的一個類,表示給定單元粒度的時間段

主要作用

  • 時間顆粒度轉換
  • 延時

常用的顆粒度

TimeUnit.DAYS          //天
TimeUnit.HOURS         //小時
TimeUnit.MINUTES       //分鐘
TimeUnit.SECONDS //秒 TimeUnit.MILLISECONDS //毫秒

時間顆粒度轉換

public long toMillis(long d)    //轉化成毫秒
public long toSeconds(long d)  //轉化成秒
public long toMinutes(long d)  //轉化成分鐘
public long toHours(long d)    //轉化成小時
public long toDays(long d)     //轉化天

示例:

package com.app;

import java.util.concurrent.TimeUnit;

public
class Test { public static void main(String[] args) { //1天有24個小時 1代表1天:將1天轉化為小時 System.out.println( TimeUnit.DAYS.toHours( 1 ) ); //結果: 24 //1小時有3600秒 System.out.println( TimeUnit.HOURS.toSeconds( 1 )); //結果3600 //把3天轉化成小時 System.out.println( TimeUnit.HOURS.convert( 3
, TimeUnit.DAYS ) ); //結果是:72 } }

延時

Thread.sleep(2400000);
Thread.sleep(4*60*1000); 

TimeUnit 寫法

TimeUnit.MINUTES.sleep(4); 

類似你可以採用秒、分、小時級別來暫停當前執行緒。你可以看到這比Thread的sleep方法的可讀的好多了。記住TimeUnit.sleep()內部呼叫的Thread.sleep()也會丟擲InterruptException。

/**
     * Performs a {@link Thread#sleep(long, int) Thread.sleep} using
     * this time unit.
     * This is a convenience method that converts time arguments into the
     * form required by the {@code Thread.sleep} method.
     *
     * @param timeout the minimum time to sleep. If less than
     * or equal to zero, do not sleep at all.
     * @throws InterruptedException if interrupted while sleeping
     */
    public void sleep(long timeout) throws InterruptedException {
        if (timeout > 0) {
            long ms = toMillis(timeout);
            int ns = excessNanos(timeout, ms);
            Thread.sleep(ms, ns);
        }
    }

從原始碼我們不難看出,呼叫sleep的話,TimeUnit提高了可閱讀性,可是也同時降低執行效率。

下面是一個簡單例子,它展示如果使用TimeUnit.sleep()方法。

public class TimeUnitTest {  
    public static void main(String args[]) throws InterruptedException {  
        System.out.println(“Sleeping for 4 minutes using Thread.sleep()”);  
        Thread.sleep(4 * 60 * 1000);  

        System.out.println(“Sleeping for 4 minutes using TimeUnit sleep()”);  
        TimeUnit.SECONDS.sleep(4);  
        TimeUnit.MINUTES.sleep(4);  
        TimeUnit.HOURS.sleep(1);  
        TimeUnit.DAYS.sleep(1);  
    }  
}

除了sleep的功能外,TimeUnit還提供了便捷方法用於把時間轉換成不同單位,例如,如果你想把秒轉換成毫秒,你可以使用下面程式碼:
TimeUnit.SECONDS.toMillis(44)
它將返回44,000
注意:
1毫秒=1000微秒
1微秒=1000納秒
1納秒=1000皮秒

做一個有底線的部落格主。