Future 实现方式
import java. io. IOException ;
import java. net. URL ;
import java. util. ArrayList ;
import java. util. List ;
import java. util. concurrent. Callable ;
import java. util. concurrent. ExecutionException ;
import java. util. concurrent. ExecutorService ;
import java. util. concurrent. Executors ;
import java. util. concurrent. Future ; public class ImageDownloader { public static void main ( String [ ] args) { List < String > imageUrls = List . of ( "http://example.com/image1.jpg" , "http://example.com/image2.jpg" , ) ; ExecutorService executorService = Executors . newFixedThreadPool ( 10 ) ; List < Future < Void > > futures = new ArrayList < > ( ) ; for ( String imageUrl : imageUrls) { Future < Void > future = executorService. submit ( new DownloadTask ( imageUrl) ) ; futures. add ( future) ; } for ( Future < Void > future : futures) { try { future. get ( ) ; } catch ( InterruptedException | ExecutionException e) { e. printStackTrace ( ) ; } } executorService. shutdown ( ) ; System . out. println ( "所有图片已下载完成" ) ; } static class DownloadTask implements Callable < Void > { private final String imageUrl; public DownloadTask ( String imageUrl) { this . imageUrl = imageUrl; } @Override public Void call ( ) throws Exception { URL url = new URL ( imageUrl) ; return null ; } }
}
CountDownLatch 实现方式
import java. io. IOException ;
import java. net. URL ;
import java. util. concurrent. CountDownLatch ;
import java. util. concurrent. ExecutorService ;
import java. util. concurrent. Executors ; public class ImageDownloaderWithCountDownLatch { public static void main ( String [ ] args) { String [ ] imageUrls = { "http://example.com/image1.jpg" , "http://example.com/image2.jpg" , } ; int threadCount = imageUrls. length; CountDownLatch latch = new CountDownLatch ( threadCount) ; ExecutorService executorService = Executors . newFixedThreadPool ( threadCount) ; for ( String imageUrl : imageUrls) { executorService. submit ( ( ) -> { try { downloadImage ( imageUrl) ; } catch ( IOException e) { e. printStackTrace ( ) ; } finally { latch. countDown ( ) ; } } ) ; } try { latch. await ( ) ; System . out. println ( "所有图片已下载完成" ) ; } catch ( InterruptedException e) { e. printStackTrace ( ) ; } finally { executorService. shutdown ( ) ; } } private static void downloadImage ( String imageUrl) throws IOException { URL url = new URL ( imageUrl) ; System . out. println ( "下载了图片: " + imageUrl) ; }
}