Java Threadpool:修订间差异

来自WHY42
imported>Soleverlee
imported>Soleverlee
无编辑摘要
第1行: 第1行:
JDK提供了ExecutorService以提供线程池的应用,今天测试了一下线程池的使用,受益匪浅。
JDK提供了ExecutorService以提供线程池的应用,今天测试了一下线程池的使用,受益匪浅。
=线程计数=
使用CountDownLatch锁来对线程执行结果进行倒数,当所有线程执行完之后,计算出耗时。
<source lang="java">
static final int testCount = 1000000;
static final int sleep = 10;
public static void main(String[] args){
    System.out.println("Hello!");
    HelloPool hold = new HelloPool();
    Date t1 = new Date();
    hold.normalThread();
    Date t2 = new Date();
    System.out.println("\nNormal cost:" + (t2.getTime() - t1.getTime()));
    t1 = new Date();
    hold.useThreadPool();
    t2 = new Date();
    System.out.println("\nNormal cost:" + (t2.getTime() - t1.getTime()));       
}
</source>
=不使用线程池=
=不使用线程池=
<source lang="java">
<source lang="java">

2016年3月18日 (五) 03:13的版本

JDK提供了ExecutorService以提供线程池的应用,今天测试了一下线程池的使用,受益匪浅。

线程计数

使用CountDownLatch锁来对线程执行结果进行倒数,当所有线程执行完之后,计算出耗时。

static final int testCount = 1000000;
static final int sleep = 10;
public static void main(String[] args){
    System.out.println("Hello!");

    HelloPool hold = new HelloPool();

    Date t1 = new Date();
    hold.normalThread();
    Date t2 = new Date();
    System.out.println("\nNormal cost:" + (t2.getTime() - t1.getTime()));

    t1 = new Date();
    hold.useThreadPool();
    t2 = new Date();
    System.out.println("\nNormal cost:" + (t2.getTime() - t1.getTime()));        
}

不使用线程池

void normalThread(){
    final CountDownLatch lock = new CountDownLatch(testCount);
    for(int i = 0; i < testCount; i++){
        final int item = i;
        Thread t = new Thread(new Runnable(){

            @Override
            public void run() {
                handle(item);
                lock.countDown();
            }

        });
        t.start();
    }
    try {
        lock.await();
    } catch (InterruptedException e) {
        e.printStackTrace();
    }
}

使用线程池

void useThreadPool(){
    final CountDownLatch lock = new CountDownLatch(testCount);
    final ExecutorService pool = Executors.newCachedThreadPool();
    for(int i = 0; i < testCount; i++){
        final int item = i;
        pool.execute(new Runnable(){
            @Override
            public void run() {
                handle(item);
                lock.countDown();
            }

        });
    }
    try {
        lock.await();
        pool.shutdown();
    } catch (InterruptedException e) {
        e.printStackTrace();
    }
}