System.nanoTime获取当前精确时间(ns)

今天突然遇到一个问题,如何得到某段代码运行所花的时间,刚开始System.currentTimeMillis()搞了半天,我靠,所花的时间一直是0,电脑太神奇了?运行时间都可以忽略不计?
上网查,这才发现System.currentTimeMillis()精确到的是ms,原来代码运行太快了,用ms无法做它的运行时间单位。JDK1.5之后java中的计时给出了更精确更给力的方法:System.nanoTime(),输出的精度是纳秒ns级别
运行,果然吖。
有个需要注意的地方,不能用来计算今天是哪一天,这个你懂得

文章出自http://blog.sina.com.cn/s/blog_833611cd0100vamg.html

代码如下
Test3.java
public class Test3 {
	public static void main(String[] args) {
		String[] a = new String[] { "aaa", "aaa", "ccc" };
		String[] b = new String[] { "aaa", "bbb", "ccc" };
		Clock clock = Clock.getClock();
		long start = System.nanoTime(); // 获取开始时间
		System.out.println(equals(a,b));
		long end = System.nanoTime(); // 获取结束时间
		clock.stopAndPrint("耗时:");
		System.out.println(end + "===" + start);
	}
	//比较两个string[] 无序是否相等
	public static boolean equals(String a[],String b[]){   
	       if(a.length!=b.length) return false;   
	       int n=a[0].hashCode()^b[0].hashCode();   
	       for(int i=1;i<a.length;i++){   
	            n^=a[i].hashCode()^b[i].hashCode();   
	      }   
	       if(n==0) return true;   
	         return false;   
	    }  
}

Clock.java
public class Clock {

    private long start;

    private Clock() { }

    public static Clock getClock() {
        Clock instance = new Clock();
        instance.start = System.nanoTime();
        return instance;
    }
    
    public void reset() {
        this.start = System.nanoTime();
    }

    public long stop() {
        return System.nanoTime() - start;
    }

    public void stopAndPrint(String name) {
        long diff = System.nanoTime() - start;
        System.out.println(name + " " + diff + " ns");
    }
}

你可能感兴趣的:(System)