java线程池

线程执行是好但是线程多了也是会很费空间的所以我们要控制线程的数量引入了线程池。
* 线程并不是越多越好,如果无限制的创建线程
* 那么线程的创建,销毁将会是很大的消耗
* 希望不管执行任务的多少,都用固定的线程来执行

线程不一定是越多越好,我们可以由一个线程执行多个任务。
java.util.concurrent.ExecutorService;
java.util.concurrent.Executors;用来创建线程池,具体的用处挺多,大家可以看看源码中怎么操作的。这里我们简单的利用一下创建线程后执行多个任务。
Executors类newCachedThreadPool

public class ThreadPool {

	public static void main(String[] args) {
		/**
		 * jdk5版本之后引入了线程池 Executors类newCachedThreadPool
		 */

		ExecutorService threads = Executors.newFixedThreadPool(3);
		for (int i = 0; i < 10; i++) {
			final int task=i;
			threads.execute(new Runnable() {
				@Override
				public void run() {
					for (int j = 0; j < 10; j++) {
						System.out.println(Thread.currentThread().getName() + "执行第" + task + "个任务的第" + j + "次循环");
					}
				}
			});
		}
		threads.shutdown();
	}

}

通过运行结果可以看出一个线程利用了多次去执行任务

线程在我们平时的run方法实现时候没有返回 我们并不知道线程执行完成了
* 如果能有一个返回值,我们就知道了线程已经运行结束了
public class ThreadPool2 {

	public static void main(String[] args) {
		ExecutorService threadPool = Executors.newSingleThreadExecutor();
		//返回值是决定了返回值的类型
		Future<Integer> future=threadPool.submit(new Callable<Integer>() {
			@Override
			public Integer call() throws Exception {
				Thread.sleep(5000);
				return 10;
			}
		});
		try {
			System.out.println(future.get());
			threadPool.shutdown();
		} catch (InterruptedException e) {
			e.printStackTrace();
		} catch (ExecutionException e) {
			e.printStackTrace();
		}
	}

}

你可能感兴趣的:(java,jvm)