Java并发编程最佳实践:线程池设计与死锁预防的深度解析

奇迹创造者
奇迹创造者 2026-01-25T17:07:00+08:00
0 0 2

引言

在现代Java应用开发中,并发编程已成为提升系统性能和响应能力的关键技术。随着多核处理器的普及和业务需求的复杂化,如何合理设计和使用线程池、避免死锁问题,成为了每个Java开发者必须掌握的核心技能。

本文将深入探讨Java并发编程中的两个核心主题:线程池的设计与优化,以及死锁的预防机制。通过理论分析结合实际代码示例,为读者提供一套完整的并发编程最佳实践指南。

线程池设计与优化

1.1 线程池基础概念

线程池是Java并发编程中的重要工具,它通过预先创建和管理一组工作线程,避免了频繁创建和销毁线程的开销。线程池的核心优势在于资源复用、性能优化和任务调度。

在Java中,java.util.concurrent包提供了完整的线程池实现,主要包括以下核心接口和类:

// 线程池核心接口
ExecutorService extends Executor
ScheduledExecutorService extends ExecutorService

// 常见的线程池实现
ThreadPoolExecutor
ScheduledThreadPoolExecutor
Executors工具类

1.2 线程池的工作原理

线程池的工作机制可以分为以下几个关键部分:

public class ThreadPoolExecutorExample {
    public static void main(String[] args) {
        // 创建固定大小的线程池
        ExecutorService executor = Executors.newFixedThreadPool(4);
        
        // 提交任务
        for (int i = 0; i < 10; i++) {
            final int taskId = i;
            executor.submit(() -> {
                System.out.println("Task " + taskId + " executed by " + 
                    Thread.currentThread().getName());
                try {
                    Thread.sleep(1000); // 模拟任务执行
                } catch (InterruptedException e) {
                    Thread.currentThread().interrupt();
                }
            });
        }
        
        executor.shutdown(); // 关闭线程池
    }
}

1.3 线程池核心参数详解

创建线程池时需要指定以下关键参数:

public ThreadPoolExecutor(int corePoolSize,
                         int maximumPoolSize,
                         long keepAliveTime,
                         TimeUnit unit,
                         BlockingQueue<Runnable> workQueue,
                         ThreadFactory threadFactory,
                         RejectedExecutionHandler handler)

核心参数说明:

  • corePoolSize: 核心线程数,即使空闲也会保持的线程数量
  • maximumPoolSize: 最大线程数,允许创建的最大线程数量
  • keepAliveTime: 非核心线程的存活时间
  • workQueue: 任务队列,用于存储等待执行的任务
  • threadFactory: 创建新线程时使用的工厂类
  • handler: 拒绝策略,当任务无法被处理时的处理方式

1.4 不同类型线程池的应用场景

1.4.1 固定大小线程池

public class FixedThreadPoolExample {
    public static void main(String[] args) {
        // 创建固定大小为5的线程池
        ExecutorService fixedPool = Executors.newFixedThreadPool(5);
        
        // 执行任务
        for (int i = 0; i < 20; i++) {
            final int taskId = i;
            fixedPool.submit(() -> {
                System.out.println("Processing task " + taskId + 
                    " on thread: " + Thread.currentThread().getName());
            });
        }
        
        fixedPool.shutdown();
    }
}

适用于任务量相对稳定、对资源消耗有明确要求的场景。

1.4.2 缓冲线程池

public class CachedThreadPoolExample {
    public static void main(String[] args) {
        // 创建缓存线程池
        ExecutorService cachedPool = Executors.newCachedThreadPool();
        
        // 大量短时间任务
        for (int i = 0; i < 100; i++) {
            final int taskId = i;
            cachedPool.submit(() -> {
                System.out.println("Task " + taskId + " executed by " + 
                    Thread.currentThread().getName());
                try {
                    Thread.sleep(100); // 短时间任务
                } catch (InterruptedException e) {
                    Thread.currentThread().interrupt();
                }
            });
        }
        
        cachedPool.shutdown();
    }
}

适用于大量短时间异步任务的场景。

1.4.3 定时线程池

public class ScheduledThreadPoolExample {
    public static void main(String[] args) {
        ScheduledExecutorService scheduledPool = 
            Executors.newScheduledThreadPool(3);
        
        // 延迟执行任务
        scheduledPool.schedule(() -> {
            System.out.println("Delayed task executed at: " + 
                new Date());
        }, 5, TimeUnit.SECONDS);
        
        // 固定频率执行任务
        scheduledPool.scheduleAtFixedRate(() -> {
            System.out.println("Fixed rate task executed at: " + 
                new Date());
        }, 0, 2, TimeUnit.SECONDS);
        
        // 固定延迟执行任务
        scheduledPool.scheduleWithFixedDelay(() -> {
            System.out.println("Fixed delay task executed at: " + 
                new Date());
        }, 0, 3, TimeUnit.SECONDS);
    }
}

适用于需要定时执行或周期性执行的任务。

1.5 线程池配置最佳实践

1.5.1 核心线程数设置

public class ThreadPoolConfiguration {
    
    /**
     * CPU密集型任务配置
     * 核心线程数 = CPU核心数 + 1
     */
    public static ExecutorService getCpuBoundThreadPool() {
        int processors = Runtime.getRuntime().availableProcessors();
        return new ThreadPoolExecutor(
            processors + 1,           // 核心线程数
            processors + 1,           // 最大线程数
            60L,                      // 空闲时间
            TimeUnit.SECONDS,
            new LinkedBlockingQueue<>(1000),
            Executors.defaultThreadFactory(),
            new ThreadPoolExecutor.CallerRunsPolicy()
        );
    }
    
    /**
     * I/O密集型任务配置
     * 核心线程数 = CPU核心数 * 2
     */
    public static ExecutorService getIoBoundThreadPool() {
        int processors = Runtime.getRuntime().availableProcessors();
        return new ThreadPoolExecutor(
            processors * 2,           // 核心线程数
            processors * 2,           // 最大线程数
            60L,                      // 空闲时间
            TimeUnit.SECONDS,
            new LinkedBlockingQueue<>(1000),
            Executors.defaultThreadFactory(),
            new ThreadPoolExecutor.CallerRunsPolicy()
        );
    }
}

1.5.2 任务队列选择

public class QueueSelectionExample {
    
    public static void demonstrateQueueTypes() {
        // 无界队列 - LinkedBlockingQueue
        ExecutorService unbounded = new ThreadPoolExecutor(
            2, 4, 60L, TimeUnit.SECONDS,
            new LinkedBlockingQueue<Runnable>()
        );
        
        // 有界队列 - ArrayBlockingQueue
        ExecutorService bounded = new ThreadPoolExecutor(
            2, 4, 60L, TimeUnit.SECONDS,
            new ArrayBlockingQueue<>(100)
        );
        
        // 同步队列 - SynchronousQueue
        ExecutorService synchronous = new ThreadPoolExecutor(
            2, 4, 60L, TimeUnit.SECONDS,
            new SynchronousQueue<Runnable>()
        );
    }
}

1.6 线程池监控与调优

public class ThreadPoolMonitor {
    
    public static void monitorThreadPool(ExecutorService executor) {
        if (executor instanceof ThreadPoolExecutor) {
            ThreadPoolExecutor pool = (ThreadPoolExecutor) executor;
            
            System.out.println("核心线程数: " + pool.getCorePoolSize());
            System.out.println("活动线程数: " + pool.getActiveCount());
            System.out.println("已完成任务数: " + pool.getCompletedTaskCount());
            System.out.println("总任务数: " + pool.getTaskCount());
            System.out.println("当前池大小: " + pool.getPoolSize());
        }
    }
    
    public static void main(String[] args) {
        ExecutorService executor = Executors.newFixedThreadPool(4);
        
        // 提交任务
        for (int i = 0; i < 10; i++) {
            final int taskId = i;
            executor.submit(() -> {
                System.out.println("Task " + taskId + 
                    " executed by " + Thread.currentThread().getName());
                try {
                    Thread.sleep(2000);
                } catch (InterruptedException e) {
                    Thread.currentThread().interrupt();
                }
            });
        }
        
        // 监控线程池状态
        monitorThreadPool(executor);
        
        executor.shutdown();
    }
}

线程安全问题处理

2.1 并发编程中的常见问题

在多线程环境中,常见的并发问题包括:

  • 竞态条件: 多个线程同时访问共享资源导致的数据不一致
  • 可见性问题: 线程间无法看到其他线程对变量的修改
  • 原子性问题: 操作不是原子性的,可能被其他线程打断

2.2 同步机制详解

2.2.1 synchronized关键字

public class SynchronizedExample {
    
    private int counter = 0;
    private final Object lock = new Object();
    
    // 方法级别同步
    public synchronized void increment() {
        counter++;
    }
    
    // 块级别同步
    public void decrement() {
        synchronized (lock) {
            counter--;
        }
    }
    
    // 静态方法同步
    public static synchronized int getStaticCounter() {
        return staticCounter;
    }
    
    private static int staticCounter = 0;
}

2.2.2 Lock接口

import java.util.concurrent.locks.ReentrantLock;
import java.util.concurrent.locks.ReadWriteLock;
import java.util.concurrent.locks.ReentrantReadWriteLock;

public class LockExample {
    
    private final ReentrantLock lock = new ReentrantLock();
    private final ReadWriteLock readWriteLock = new ReentrantReadWriteLock();
    private final Lock readLock = readWriteLock.readLock();
    private final Lock writeLock = readWriteLock.writeLock();
    
    private int value = 0;
    
    public void increment() {
        lock.lock();
        try {
            value++;
        } finally {
            lock.unlock();
        }
    }
    
    public int getValue() {
        readLock.lock();
        try {
            return value;
        } finally {
            readLock.unlock();
        }
    }
    
    public void setValue(int newValue) {
        writeLock.lock();
        try {
            value = newValue;
        } finally {
            writeLock.unlock();
        }
    }
}

2.3 原子类的应用

import java.util.concurrent.atomic.AtomicInteger;
import java.util.concurrent.atomic.AtomicReference;

public class AtomicExample {
    
    private final AtomicInteger atomicCounter = new AtomicInteger(0);
    private final AtomicReference<String> atomicString = new AtomicReference<>("initial");
    
    public void demonstrateAtomicOperations() {
        // 原子递增
        int currentValue = atomicCounter.incrementAndGet();
        System.out.println("Atomic counter: " + currentValue);
        
        // 原子比较并设置
        boolean success = atomicCounter.compareAndSet(1, 10);
        System.out.println("Compare and set result: " + success);
        
        // 原子更新引用
        atomicString.set("updated");
        System.out.println("Atomic string: " + atomicString.get());
    }
}

2.4 线程安全集合

import java.util.concurrent.ConcurrentHashMap;
import java.util.concurrent.CopyOnWriteArrayList;

public class ThreadSafeCollections {
    
    // 线程安全的HashMap
    private final ConcurrentHashMap<String, Integer> concurrentMap = 
        new ConcurrentHashMap<>();
    
    // 线程安全的List
    private final CopyOnWriteArrayList<String> copyOnWriteList = 
        new CopyOnWriteArrayList<>();
    
    public void demonstrateThreadSafeCollections() {
        // 并发Map操作
        concurrentMap.put("key1", 100);
        concurrentMap.put("key2", 200);
        
        // 线程安全的遍历
        concurrentMap.forEach((key, value) -> {
            System.out.println(key + " = " + value);
        });
        
        // CopyOnWriteArrayList操作
        copyOnWriteList.add("item1");
        copyOnWriteList.add("item2");
        
        // 安全的遍历
        for (String item : copyOnWriteList) {
            System.out.println(item);
        }
    }
}

死锁检测与预防机制

3.1 死锁的概念与特征

死锁是指两个或多个线程互相等待对方持有的资源而无法继续执行的状态。死锁的四个必要条件:

  1. 互斥条件: 资源不能被多个线程同时使用
  2. 持有和等待: 线程持有资源并等待其他资源
  3. 不可剥夺: 资源不能被强制释放
  4. 循环等待: 存在资源的循环等待链

3.2 死锁产生示例

public class DeadlockExample {
    
    private static final Object lock1 = new Object();
    private static final Object lock2 = new Object();
    
    public static void main(String[] args) {
        // 线程1: 获取lock1,然后等待lock2
        Thread thread1 = new Thread(() -> {
            synchronized (lock1) {
                System.out.println("Thread 1: acquired lock1");
                try {
                    Thread.sleep(100);
                } catch (InterruptedException e) {
                    Thread.currentThread().interrupt();
                }
                
                synchronized (lock2) {
                    System.out.println("Thread 1: acquired lock2");
                }
            }
        });
        
        // 线程2: 获取lock2,然后等待lock1
        Thread thread2 = new Thread(() -> {
            synchronized (lock2) {
                System.out.println("Thread 2: acquired lock2");
                try {
                    Thread.sleep(100);
                } catch (InterruptedException e) {
                    Thread.currentThread().interrupt();
                }
                
                synchronized (lock1) {
                    System.out.println("Thread 2: acquired lock1");
                }
            }
        });
        
        thread1.start();
        thread2.start();
    }
}

3.3 死锁预防策略

3.3.1 锁排序预防

public class DeadlockPrevention {
    
    // 为所有锁对象定义统一的排序规则
    private static final Object lock1 = new Object();
    private static final Object lock2 = new Object();
    
    public static void safeOperation() {
        // 始终按照相同的顺序获取锁
        Object firstLock, secondLock;
        
        if (lock1.hashCode() < lock2.hashCode()) {
            firstLock = lock1;
            secondLock = lock2;
        } else {
            firstLock = lock2;
            secondLock = lock1;
        }
        
        synchronized (firstLock) {
            System.out.println("Acquired first lock");
            synchronized (secondLock) {
                System.out.println("Acquired second lock");
            }
        }
    }
}

3.3.2 超时机制

import java.util.concurrent.locks.Lock;
import java.util.concurrent.locks.ReentrantLock;

public class TimeoutDeadlockPrevention {
    
    private final Lock lock1 = new ReentrantLock();
    private final Lock lock2 = new ReentrantLock();
    
    public boolean safeOperationWithTimeout() {
        try {
            // 尝试获取锁,超时时间为5秒
            if (lock1.tryLock(5, TimeUnit.SECONDS)) {
                try {
                    System.out.println("Acquired lock1");
                    
                    // 等待lock2,超时时间3秒
                    if (lock2.tryLock(3, TimeUnit.SECONDS)) {
                        try {
                            System.out.println("Acquired lock2");
                            // 执行业务逻辑
                            return true;
                        } finally {
                            lock2.unlock();
                        }
                    }
                } finally {
                    lock1.unlock();
                }
            }
        } catch (InterruptedException e) {
            Thread.currentThread().interrupt();
            return false;
        }
        
        return false;
    }
}

3.4 死锁检测工具

import java.lang.management.ManagementFactory;
import java.lang.management.ThreadMXBean;

public class DeadlockDetector {
    
    public static void detectDeadlocks() {
        ThreadMXBean threadBean = ManagementFactory.getThreadMXBean();
        
        // 检测死锁
        long[] deadlockedThreads = threadBean.findDeadlockedThreads();
        
        if (deadlockedThreads != null) {
            System.out.println("Deadlock detected!");
            ThreadInfo[] threadInfos = 
                threadBean.getThreadInfo(deadlockedThreads);
            
            for (ThreadInfo threadInfo : threadInfos) {
                System.out.println("Thread: " + threadInfo.getThreadName());
                System.out.println("Stack trace:");
                for (StackTraceElement element : threadInfo.getStackTrace()) {
                    System.out.println("\t" + element.toString());
                }
            }
        }
    }
    
    public static void main(String[] args) {
        // 定期检测死锁
        Thread detector = new Thread(() -> {
            while (!Thread.currentThread().isInterrupted()) {
                detectDeadlocks();
                try {
                    Thread.sleep(5000);
                } catch (InterruptedException e) {
                    Thread.currentThread().interrupt();
                    break;
                }
            }
        });
        
        detector.start();
    }
}

实际应用案例

4.1 高并发Web服务中的线程池优化

public class WebServiceThreadPool {
    
    private final ExecutorService requestExecutor;
    private final ScheduledExecutorService monitor;
    
    public WebServiceThreadPool() {
        // 根据业务特点配置线程池
        int processors = Runtime.getRuntime().availableProcessors();
        
        // 为Web请求设计的线程池
        this.requestExecutor = new ThreadPoolExecutor(
            processors * 2,              // 核心线程数
            processors * 4,              // 最大线程数
            60L,                         // 空闲时间
            TimeUnit.SECONDS,
            new ArrayBlockingQueue<>(1000), // 有界队列
            new NamedThreadFactory("web-request"),
            new ThreadPoolExecutor.CallerRunsPolicy() // 拒绝策略
        );
        
        // 监控线程池状态
        this.monitor = Executors.newScheduledThreadPool(1);
        monitor.scheduleAtFixedRate(this::monitorPool, 0, 30, TimeUnit.SECONDS);
    }
    
    public void handleRequest(Runnable task) {
        requestExecutor.submit(task);
    }
    
    private void monitorPool() {
        if (requestExecutor instanceof ThreadPoolExecutor) {
            ThreadPoolExecutor pool = (ThreadPoolExecutor) requestExecutor;
            System.out.println("=== Pool Status ===");
            System.out.println("Active threads: " + pool.getActiveCount());
            System.out.println("Pool size: " + pool.getPoolSize());
            System.out.println("Completed tasks: " + pool.getCompletedTaskCount());
            System.out.println("Queue size: " + pool.getQueue().size());
        }
    }
    
    public void shutdown() {
        requestExecutor.shutdown();
        monitor.shutdown();
        try {
            if (!requestExecutor.awaitTermination(60, TimeUnit.SECONDS)) {
                requestExecutor.shutdownNow();
            }
        } catch (InterruptedException e) {
            requestExecutor.shutdownNow();
            Thread.currentThread().interrupt();
        }
    }
    
    // 自定义线程工厂
    private static class NamedThreadFactory implements ThreadFactory {
        private final String name;
        private final AtomicInteger counter = new AtomicInteger(1);
        
        public NamedThreadFactory(String name) {
            this.name = name;
        }
        
        @Override
        public Thread newThread(Runnable r) {
            Thread thread = new Thread(r, name + "-" + counter.getAndIncrement());
            thread.setDaemon(false);
            return thread;
        }
    }
}

4.2 数据库连接池与线程池协同

import java.sql.Connection;
import java.util.concurrent.BlockingQueue;
import java.util.concurrent.LinkedBlockingQueue;

public class DatabaseThreadPool {
    
    private final BlockingQueue<Connection> connectionPool;
    private final ExecutorService workerPool;
    
    public DatabaseThreadPool(int poolSize) {
        this.connectionPool = new LinkedBlockingQueue<>(poolSize);
        this.workerPool = Executors.newFixedThreadPool(poolSize);
        
        // 初始化连接池
        initializeConnectionPool(poolSize);
    }
    
    private void initializeConnectionPool(int size) {
        for (int i = 0; i < size; i++) {
            try {
                Connection conn = createConnection(); // 创建数据库连接
                connectionPool.offer(conn);
            } catch (Exception e) {
                System.err.println("Failed to create connection: " + e.getMessage());
            }
        }
    }
    
    public void executeDatabaseTask(Runnable task) {
        workerPool.submit(() -> {
            Connection conn = null;
            try {
                // 从连接池获取连接
                conn = connectionPool.take();
                task.run();
            } catch (Exception e) {
                System.err.println("Database task failed: " + e.getMessage());
            } finally {
                if (conn != null) {
                    try {
                        // 归还连接到连接池
                        connectionPool.offer(conn);
                    } catch (Exception e) {
                        System.err.println("Failed to return connection: " + e.getMessage());
                    }
                }
            }
        });
    }
    
    private Connection createConnection() throws Exception {
        // 实际的数据库连接创建逻辑
        return null;
    }
    
    public void shutdown() {
        workerPool.shutdown();
        try {
            if (!workerPool.awaitTermination(60, TimeUnit.SECONDS)) {
                workerPool.shutdownNow();
            }
        } catch (InterruptedException e) {
            workerPool.shutdownNow();
            Thread.currentThread().interrupt();
        }
    }
}

4.3 缓存系统的线程池实现

import java.util.concurrent.*;
import java.util.concurrent.atomic.AtomicLong;

public class CacheThreadPool {
    
    private final ExecutorService cacheExecutor;
    private final ScheduledExecutorService cleanupScheduler;
    private final AtomicLong hitCount = new AtomicLong(0);
    private final AtomicLong missCount = new AtomicLong(0);
    
    public CacheThreadPool() {
        // 创建缓存操作线程池
        this.cacheExecutor = new ThreadPoolExecutor(
            2,                          // 核心线程数
            4,                          // 最大线程数
            30L,                        // 空闲时间
            TimeUnit.SECONDS,
            new LinkedBlockingQueue<>(100),
            new ThreadFactory() {
                private final AtomicInteger threadNumber = new AtomicInteger(1);
                @Override
                public Thread newThread(Runnable r) {
                    Thread t = new Thread(r, "Cache-Worker-" + threadNumber.getAndIncrement());
                    t.setDaemon(false);
                    return t;
                }
            },
            new ThreadPoolExecutor.CallerRunsPolicy()
        );
        
        // 定期清理缓存
        this.cleanupScheduler = Executors.newScheduledThreadPool(1);
        cleanupScheduler.scheduleAtFixedRate(this::cleanupCache, 0, 60, TimeUnit.SECONDS);
    }
    
    public void asyncPut(String key, Object value) {
        cacheExecutor.submit(() -> {
            // 异步执行缓存写入
            performPut(key, value);
        });
    }
    
    public CompletableFuture<Object> asyncGet(String key) {
        CompletableFuture<Object> future = new CompletableFuture<>();
        
        cacheExecutor.submit(() -> {
            try {
                Object result = performGet(key);
                if (result != null) {
                    hitCount.incrementAndGet();
                } else {
                    missCount.incrementAndGet();
                }
                future.complete(result);
            } catch (Exception e) {
                future.completeExceptionally(e);
            }
        });
        
        return future;
    }
    
    private void performPut(String key, Object value) {
        // 实际的缓存写入逻辑
        System.out.println("Putting key: " + key);
    }
    
    private Object performGet(String key) {
        // 实际的缓存读取逻辑
        System.out.println("Getting key: " + key);
        return null;
    }
    
    private void cleanupCache() {
        System.out.println("Cache cleanup executed");
        // 清理过期缓存
    }
    
    public void printStatistics() {
        System.out.println("=== Cache Statistics ===");
        System.out.println("Hits: " + hitCount.get());
        System.out.println("Misses: " + missCount.get());
        System.out.println("Hit Rate: " + 
            (hitCount.get() + missCount.get() > 0 ? 
                (double) hitCount.get() / (hitCount.get() + missCount.get()) * 100 : 0) + "%");
    }
    
    public void shutdown() {
        cacheExecutor.shutdown();
        cleanupScheduler.shutdown();
        try {
            if (!cacheExecutor.awaitTermination(60, TimeUnit.SECONDS)) {
                cacheExecutor.shutdownNow();
            }
            if (!cleanupScheduler.awaitTermination(60, TimeUnit.SECONDS)) {
                cleanupScheduler.shutdownNow();
            }
        } catch (InterruptedException e) {
            cacheExecutor.shutdownNow();
            cleanupScheduler.shutdownNow();
            Thread.currentThread().interrupt();
        }
    }
}

性能优化建议

5.1 线程池调优策略

public class ThreadPoolTuning {
    
    /**
     * 根据任务类型推荐线程池配置
     */
    public static ExecutorService getOptimizedThreadPool(TaskType type) {
        int processors = Runtime.getRuntime().availableProcessors();
        
        switch (type) {
            case CPU_BOUND:
                // CPU密集型任务
                return new ThreadPoolExecutor(
                    processors, 
                    processors,
                    60L, TimeUnit.SECONDS,
                    new LinkedBlockingQueue<>(1000),
                    Executors.defaultThreadFactory(),
                    new ThreadPoolExecutor.CallerRunsPolicy()
                );
                
            case IO_BOUND:
                // I/O密集型任务
                return new ThreadPoolExecutor(
                    processors * 2,
                    processors * 4,
                    60L, TimeUnit.SECONDS,
                    new ArrayBlockingQueue<>(1000),
                    Executors.defaultThreadFactory(),
                    new ThreadPoolExecutor.CallerRunsPolicy()
                );
                
            case MIXED:
                // 混合型任务
                return new ThreadPoolExecutor(
                    processors + 1,
                    processors * 2,
                    60L, TimeUnit.SECONDS,
                    new LinkedBlockingQueue<>(1000),
                    Executors.defaultThreadFactory(),
                    new ThreadPoolExecutor.CallerRunsPolicy()
                );
                
            default:
                return Executors.newFixedThreadPool(4);
        }
    }
    
    enum TaskType {
        CPU_BOUND, IO_BOUND, MIXED
    }
}

5.2 监控和日志记录

public class AdvancedMonitoring {
    
    private final ExecutorService executor;
    private final Logger logger = LoggerFactory.getLogger(AdvancedMonitoring.class);
    
    public AdvancedMonitoring() {
        this.executor = new ThreadPoolExecutor(
            4, 8, 60L, TimeUnit.SECONDS,
            new LinkedBlockingQueue<>(
相关推荐
广告位招租

相似文章

    评论 (0)

    0/2000