xxxxxxxxxx
ExecutorService executor = Executors.newFixedThreadPool(20);
List<SettlementData> dataList = new ArrayList<SettlementData>();
dataStream = dataList.stream().limit(dataList.size());
List<CompletableFuture<Void>> futures = new ArrayList<>();
dataStream.forEach(data -> {
futures.add(CompletableFuture.runAsync(() -> sqlService.upsertSettlementCustomer(
data,
inquiryDataMap,
date,
targetDateStr,
"SettlementCustomer"
), executor));
});
CompletableFuture.allOf(futures.toArray(new CompletableFuture[futures.size()])).join();
xxxxxxxxxx
// Java program to illustrate
// ThreadPool
// STEPS:
// 1. Create a task(Runnable Object) to execute
// 2. Create Executor Pool using Executors
// 3. Pass tasks to Executor Pool
// 4. Shutdown the Executor Pool
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
// Task class to be executed (Step 1)
class Task implements Runnable
{
private String name;
public Task(String s)
{
name = s;
}
// Prints task name and sleeps for 1s
// This Whole process is repeated 5 times
public void run()
{
try
{
for (int i = 0; i<=5; i++)
{
if (i==0)
{
Date d = new Date();
SimpleDateFormat ft = new SimpleDateFormat("hh:mm:ss");
System.out.println("Initialization Time for"
+ " task name - "+ name +" = " +ft.format(d));
//prints the initialization time for every task
}
else
{
Date d = new Date();
SimpleDateFormat ft = new SimpleDateFormat("hh:mm:ss");
System.out.println("Executing Time for task name - "+
name +" = " +ft.format(d));
// prints the execution time for every task
}
Thread.sleep(1000);
}
System.out.println(name+" complete");
}
catch(InterruptedException e)
{
e.printStackTrace();
}
}
}
public class Test
{
// Maximum number of threads in thread pool
static final int MAX_T = 3;
public static void main(String[] args)
{
// creates five tasks
Runnable r1 = new Task("task 1");
Runnable r2 = new Task("task 2");
Runnable r3 = new Task("task 3");
Runnable r4 = new Task("task 4");
Runnable r5 = new Task("task 5");
// creates a thread pool with MAX_T no. of
// threads as the fixed pool size(Step 2)
ExecutorService pool = Executors.newFixedThreadPool(MAX_T);
// passes the Task objects to the pool to execute (Step 3)
pool.execute(r1);
pool.execute(r2);
pool.execute(r3);
pool.execute(r4);
pool.execute(r5);
// pool shutdown ( Step 4)
pool.shutdown();
}
}