学习目标

  • 掌握线程启动(start)、休眠(sleep)和中断(interrupt)的正确使用方式
  • 理解线程Join操作的原理与适用场景
  • 学习如何设置和管理线程优先级
  • 了解守护线程(Daemon Thread)的特性及其应用

1. 线程启动(start)、休眠(sleep)、中断(interrupt)

1.1 线程启动(start)

在Java中,调用线程的start()方法才能真正启动一个线程。这个方法会创建新的执行线程,并使该线程开始执行run()方法中的代码。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. /**
  3. * 线程启动示例
  4. */
  5. public class ThreadStartDemo {
  6. public static void main(String[] args) {
  7. // 创建线程
  8. Thread thread = new Thread(() -> {
  9. System.out.println("线程ID: " + Thread.currentThread().getId());
  10. System.out.println("线程名称: " + Thread.currentThread().getName());
  11. System.out.println("线程执行中...");
  12. });
  13. // 设置线程名称
  14. thread.setName("MyCustomThread");
  15. System.out.println("线程启动前的状态: " + thread.getState());
  16. // 启动线程
  17. thread.start();
  18. // 等待一点时间,让线程有机会执行
  19. try {
  20. Thread.sleep(100);
  21. } catch (InterruptedException e) {
  22. e.printStackTrace();
  23. }
  24. System.out.println("线程启动后的状态: " + thread.getState());
  25. }
  26. }

⚠️ 重要提示: 不要多次调用同一个线程的start()方法。线程一旦启动并终止,就无法再次启动。如果尝试再次启动同一个线程,会抛出IllegalThreadStateException异常。

来看一个错误示例:

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. /**
  3. * 线程重复启动错误示例
  4. */
  5. public class ThreadDoubleStartErrorDemo {
  6. public static void main(String[] args) {
  7. Thread thread = new Thread(() -> {
  8. System.out.println("线程执行中...");
  9. });
  10. // 第一次启动线程(正确)
  11. thread.start();
  12. // 等待线程执行完毕
  13. try {
  14. thread.join();
  15. } catch (InterruptedException e) {
  16. e.printStackTrace();
  17. }
  18. System.out.println("线程状态: " + thread.getState());
  19. try {
  20. // 尝试再次启动同一个线程(错误)
  21. System.out.println("尝试再次启动同一个线程...");
  22. thread.start();
  23. } catch (IllegalThreadStateException e) {
  24. System.out.println("捕获到异常: " + e.getMessage());
  25. System.out.println("线程一旦终止,就不能再次启动!");
  26. }
  27. }
  28. }

📌 正确做法: 如果需要再次执行相同的任务,应该创建一个新的线程对象。

1.2 线程休眠(sleep)

Thread.sleep()方法可以使当前执行线程暂停执行指定的时间,让出CPU时间给其他线程,但不会释放当前线程所持有的锁。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. import java.time.LocalTime;
  3. import java.time.format.DateTimeFormatter;
  4. /**
  5. * 线程休眠示例
  6. */
  7. public class ThreadSleepDemo {
  8. public static void main(String[] args) {
  9. // 时间格式化器
  10. DateTimeFormatter formatter = DateTimeFormatter.ofPattern("HH:mm:ss.SSS");
  11. // 创建并启动3个线程
  12. for (int i = 1; i <= 3; i++) {
  13. final int threadId = i;
  14. new Thread(() -> {
  15. for (int j = 1; j <= 5; j++) {
  16. // 打印当前时间和线程信息
  17. String time = LocalTime.now().format(formatter);
  18. System.out.println(time + " - 线程" + threadId + " 执行第" + j + "次");
  19. try {
  20. // 线程休眠随机时间(0.5-2秒)
  21. long sleepTime = 500 + (long)(Math.random() * 1500);
  22. Thread.sleep(sleepTime);
  23. } catch (InterruptedException e) {
  24. System.out.println("线程" + threadId + " 被中断");
  25. return; // 提前结束线程
  26. }
  27. }
  28. System.out.println("线程" + threadId + " 执行完毕");
  29. }, "线程" + i).start();
  30. }
  31. }
  32. }

sleep()方法有两个重载版本:

  1. public static void sleep(long millis) throws InterruptedException
  2. public static void sleep(long millis, int nanos) throws InterruptedException

📌 注意: sleep()方法会抛出InterruptedException,这是一个检查型异常,必须处理。通常有两种处理方式:向上抛出或捕获处理。

sleep()方法与锁的关系示例:

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. /**
  3. * 演示sleep方法不会释放锁
  4. */
  5. public class ThreadSleepWithLockDemo {
  6. private static final Object lock = new Object();
  7. public static void main(String[] args) {
  8. // 创建第一个线程,获取锁后休眠
  9. Thread thread1 = new Thread(() -> {
  10. synchronized (lock) {
  11. System.out.println("线程1获取到锁");
  12. System.out.println("线程1开始休眠3秒...");
  13. try {
  14. Thread.sleep(3000);
  15. } catch (InterruptedException e) {
  16. e.printStackTrace();
  17. }
  18. System.out.println("线程1休眠结束,释放锁");
  19. }
  20. });
  21. // 创建第二个线程,尝试获取锁
  22. Thread thread2 = new Thread(() -> {
  23. System.out.println("线程2尝试获取锁...");
  24. synchronized (lock) {
  25. System.out.println("线程2获取到锁");
  26. }
  27. System.out.println("线程2释放锁");
  28. });
  29. // 启动线程
  30. thread1.start();
  31. // 确保线程1先执行
  32. try {
  33. Thread.sleep(500);
  34. } catch (InterruptedException e) {
  35. e.printStackTrace();
  36. }
  37. thread2.start();
  38. }
  39. }

在上面的例子中,当线程1调用sleep()方法时,它不会释放锁,因此线程2必须等待线程1的睡眠时间结束并释放锁后才能获取锁继续执行。

1.3 线程中断(interrupt)

Java提供了一种协作式的线程中断机制,它不会强制终止线程,而是通过设置线程的中断标志,让线程自己决定如何响应中断请求。

通过以下方法可以实现线程中断:

  • public void interrupt():中断线程,设置中断标志
  • public boolean isInterrupted():检查线程是否被中断,不清除中断状态
  • public static boolean interrupted():检查当前线程是否被中断,并清除中断状态
  1. package org.devlive.tutorial.multithreading.chapter03;
  2. /**
  3. * 线程中断示例
  4. */
  5. public class ThreadInterruptDemo {
  6. public static void main(String[] args) {
  7. // 创建一个简单的可中断线程
  8. Thread thread = new Thread(() -> {
  9. int count = 0;
  10. // 检查线程中断标志
  11. while (!Thread.currentThread().isInterrupted()) {
  12. System.out.println("线程执行中... " + (++count));
  13. // 模拟工作
  14. try {
  15. Thread.sleep(1000);
  16. } catch (InterruptedException e) {
  17. // sleep方法被中断会清除中断状态,需要重新设置
  18. System.out.println("线程在sleep期间被中断");
  19. Thread.currentThread().interrupt(); // 重新设置中断状态
  20. }
  21. }
  22. System.out.println("线程检测到中断信号,正常退出");
  23. });
  24. // 启动线程
  25. thread.start();
  26. // 主线程休眠3秒后中断线程
  27. try {
  28. Thread.sleep(3000);
  29. } catch (InterruptedException e) {
  30. e.printStackTrace();
  31. }
  32. System.out.println("主线程发送中断信号");
  33. thread.interrupt();
  34. }
  35. }

⚠️ 重要说明: 当线程在sleep()wait()join()等阻塞方法中被中断时,这些方法会抛出InterruptedException并清除中断状态。因此,在捕获这些异常时,通常需要重新设置中断状态。

处理可中断阻塞操作的标准模式:

  1. try {
  2. // 可中断的阻塞操作
  3. Thread.sleep(timeoutMillis);
  4. // 正常处理
  5. } catch (InterruptedException e) {
  6. // 可以记录日志
  7. // 重新设置中断状态
  8. Thread.currentThread().interrupt();
  9. // 可以选择提前返回或终止循环
  10. return;
  11. }

2. 线程Join操作及其应用场景

join()方法允许一个线程等待另一个线程完成。当在线程A中调用线程B的join()方法时,线程A将被阻塞,直到线程B完成执行。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. /**
  3. * 线程Join示例
  4. */
  5. public class ThreadJoinDemo {
  6. public static void main(String[] args) {
  7. // 创建3个执行特定任务的线程
  8. Thread thread1 = new Thread(() -> {
  9. System.out.println("线程1开始执行...");
  10. try {
  11. // 模拟耗时操作
  12. Thread.sleep(2000);
  13. } catch (InterruptedException e) {
  14. e.printStackTrace();
  15. }
  16. System.out.println("线程1执行完毕");
  17. });
  18. Thread thread2 = new Thread(() -> {
  19. System.out.println("线程2开始执行...");
  20. try {
  21. // 模拟耗时操作
  22. Thread.sleep(3000);
  23. } catch (InterruptedException e) {
  24. e.printStackTrace();
  25. }
  26. System.out.println("线程2执行完毕");
  27. });
  28. Thread thread3 = new Thread(() -> {
  29. System.out.println("线程3开始执行...");
  30. try {
  31. // 模拟耗时操作
  32. Thread.sleep(1500);
  33. } catch (InterruptedException e) {
  34. e.printStackTrace();
  35. }
  36. System.out.println("线程3执行完毕");
  37. });
  38. System.out.println("启动所有线程");
  39. // 启动线程
  40. thread1.start();
  41. thread2.start();
  42. thread3.start();
  43. System.out.println("等待所有线程完成...");
  44. try {
  45. // 等待线程1完成
  46. thread1.join();
  47. System.out.println("线程1已完成");
  48. // 等待线程2完成
  49. thread2.join();
  50. System.out.println("线程2已完成");
  51. // 等待线程3完成
  52. thread3.join();
  53. System.out.println("线程3已完成");
  54. } catch (InterruptedException e) {
  55. System.out.println("主线程被中断");
  56. }
  57. System.out.println("所有线程已完成,继续执行主线程");
  58. }
  59. }

join()方法有三个重载版本:

  1. public final void join() throws InterruptedException:等待线程终止
  2. public final void join(long millis) throws InterruptedException:等待线程终止,最多等待指定的毫秒数
  3. public final void join(long millis, int nanos) throws InterruptedException:等待线程终止,最多等待指定的毫秒数加纳秒数

2.1 Join操作的典型应用场景

  1. 等待所有工作线程完成

当主线程需要等待多个工作线程全部完成后再继续执行时,可以使用join()方法。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. import java.util.ArrayList;
  3. import java.util.List;
  4. /**
  5. * 等待多个工作线程完成示例
  6. */
  7. public class MultiThreadJoinDemo {
  8. public static void main(String[] args) {
  9. List<Thread> threads = new ArrayList<>();
  10. // 创建5个工作线程
  11. for (int i = 1; i <= 5; i++) {
  12. final int threadNum = i;
  13. Thread thread = new Thread(() -> {
  14. System.out.println("工作线程" + threadNum + "开始执行...");
  15. // 模拟不同的工作负载
  16. try {
  17. Thread.sleep(1000 + threadNum * 500);
  18. } catch (InterruptedException e) {
  19. e.printStackTrace();
  20. }
  21. System.out.println("工作线程" + threadNum + "执行完毕");
  22. });
  23. threads.add(thread);
  24. thread.start();
  25. }
  26. System.out.println("等待所有工作线程完成...");
  27. // 等待所有线程完成
  28. for (Thread thread : threads) {
  29. try {
  30. thread.join();
  31. } catch (InterruptedException e) {
  32. e.printStackTrace();
  33. }
  34. }
  35. System.out.println("所有工作线程已完成,主线程继续执行");
  36. }
  37. }
  1. 顺序执行多个任务

当多个任务必须按照特定顺序执行时,可以使用join()方法确保前一个任务完成后再开始下一个任务。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. /**
  3. * 顺序执行任务示例
  4. */
  5. public class SequentialTasksDemo {
  6. public static void main(String[] args) {
  7. System.out.println("开始执行顺序任务");
  8. // 步骤1:准备数据
  9. Thread step1 = new Thread(() -> {
  10. System.out.println("步骤1:准备数据...");
  11. try {
  12. Thread.sleep(2000);
  13. } catch (InterruptedException e) {
  14. e.printStackTrace();
  15. }
  16. System.out.println("步骤1完成:数据准备好了");
  17. });
  18. // 步骤2:处理数据
  19. Thread step2 = new Thread(() -> {
  20. System.out.println("步骤2:处理数据...");
  21. try {
  22. Thread.sleep(3000);
  23. } catch (InterruptedException e) {
  24. e.printStackTrace();
  25. }
  26. System.out.println("步骤2完成:数据处理好了");
  27. });
  28. // 步骤3:保存结果
  29. Thread step3 = new Thread(() -> {
  30. System.out.println("步骤3:保存结果...");
  31. try {
  32. Thread.sleep(1500);
  33. } catch (InterruptedException e) {
  34. e.printStackTrace();
  35. }
  36. System.out.println("步骤3完成:结果已保存");
  37. });
  38. try {
  39. // 启动第一个任务并等待完成
  40. step1.start();
  41. step1.join();
  42. // 启动第二个任务并等待完成
  43. step2.start();
  44. step2.join();
  45. // 启动第三个任务并等待完成
  46. step3.start();
  47. step3.join();
  48. } catch (InterruptedException e) {
  49. System.out.println("任务执行被中断");
  50. }
  51. System.out.println("所有步骤已完成");
  52. }
  53. }
  1. 实现简单的任务分解与合并

在并行计算中,可以将大任务分解为多个小任务并行执行,然后使用join()等待所有小任务完成后合并结果。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. import java.util.concurrent.atomic.AtomicLong;
  3. /**
  4. * 并行计算示例:计算从1到n的总和
  5. */
  6. public class ParallelSumDemo {
  7. public static void main(String[] args) {
  8. long n = 1_000_000_000L; // 计算1到10亿的和
  9. int numThreads = 4; // 使用4个线程并行计算
  10. // 存储最终结果
  11. AtomicLong totalSum = new AtomicLong(0);
  12. // 创建并启动工作线程
  13. Thread[] threads = new Thread[numThreads];
  14. for (int i = 0; i < numThreads; i++) {
  15. final long start = i * (n / numThreads) + 1;
  16. final long end = (i == numThreads - 1) ? n : (i + 1) * (n / numThreads);
  17. threads[i] = new Thread(() -> {
  18. System.out.println("计算从 " + start + " 到 " + end + " 的和");
  19. long partialSum = 0;
  20. for (long j = start; j <= end; j++) {
  21. partialSum += j;
  22. }
  23. totalSum.addAndGet(partialSum);
  24. System.out.println("部分和 (" + start + "-" + end + "): " + partialSum);
  25. });
  26. threads[i].start();
  27. }
  28. // 等待所有线程完成
  29. try {
  30. for (Thread thread : threads) {
  31. thread.join();
  32. }
  33. } catch (InterruptedException e) {
  34. e.printStackTrace();
  35. }
  36. // 输出最终结果
  37. System.out.println("并行计算结果: " + totalSum.get());
  38. // 验证结果
  39. long expectedSum = n * (n + 1) / 2;
  40. System.out.println("正确结果: " + expectedSum);
  41. System.out.println("结果正确: " + (totalSum.get() == expectedSum));
  42. }
  43. }

3. 线程优先级的设置与影响

Java线程的优先级为1~10的整数,默认优先级是5。线程优先级高的线程会获得更多的执行机会,但这只是一个提示,不能保证高优先级的线程一定先于低优先级的线程执行。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. /**
  3. * 线程优先级示例
  4. */
  5. public class ThreadPriorityDemo {
  6. public static void main(String[] args) {
  7. // 创建3个不同优先级的线程
  8. Thread lowPriorityThread = new Thread(() -> {
  9. System.out.println("低优先级线程开始执行");
  10. long count = 0;
  11. for (long i = 0; i < 5_000_000_000L; i++) {
  12. count++;
  13. if (i % 1_000_000_000 == 0) {
  14. System.out.println("低优先级线程计数: " + i / 1_000_000_000);
  15. }
  16. }
  17. System.out.println("低优先级线程执行完毕,计数: " + count);
  18. });
  19. Thread normalPriorityThread = new Thread(() -> {
  20. System.out.println("普通优先级线程开始执行");
  21. long count = 0;
  22. for (long i = 0; i < 5_000_000_000L; i++) {
  23. count++;
  24. if (i % 1_000_000_000 == 0) {
  25. System.out.println("普通优先级线程计数: " + i / 1_000_000_000);
  26. }
  27. }
  28. System.out.println("普通优先级线程执行完毕,计数: " + count);
  29. });
  30. Thread highPriorityThread = new Thread(() -> {
  31. System.out.println("高优先级线程开始执行");
  32. long count = 0;
  33. for (long i = 0; i < 5_000_000_000L; i++) {
  34. count++;
  35. if (i % 1_000_000_000 == 0) {
  36. System.out.println("高优先级线程计数: " + i / 1_000_000_000);
  37. }
  38. }
  39. System.out.println("高优先级线程执行完毕,计数: " + count);
  40. });
  41. // 设置线程优先级
  42. lowPriorityThread.setPriority(Thread.MIN_PRIORITY); // 1
  43. normalPriorityThread.setPriority(Thread.NORM_PRIORITY); // 5
  44. highPriorityThread.setPriority(Thread.MAX_PRIORITY); // 10
  45. System.out.println("低优先级线程的优先级: " + lowPriorityThread.getPriority());
  46. System.out.println("普通优先级线程的优先级: " + normalPriorityThread.getPriority());
  47. System.out.println("高优先级线程的优先级: " + highPriorityThread.getPriority());
  48. // 启动线程
  49. System.out.println("启动所有线程");
  50. lowPriorityThread.start();
  51. normalPriorityThread.start();
  52. highPriorityThread.start();
  53. }
  54. }

⚠️ 重要说明: 线程优先级依赖于操作系统的支持,不同的操作系统对线程优先级的支持不同,有些操作系统甚至会忽略线程优先级。因此,不应该依赖线程优先级来确保程序的正确性。

线程优先级的最佳实践:

  1. 仅在需要微调性能时使用线程优先级
  2. 不要依赖线程优先级来确保程序的正确性
  3. 避免使用过高的优先级,可能会导致其他线程饥饿
  4. 避免频繁改变线程优先级

4. 守护线程(Daemon Thread)的应用

守护线程是为其他线程服务的线程,当所有非守护线程结束时,Java虚拟机会自动终止所有守护线程并退出。典型的守护线程有垃圾回收器、JIT编译器等。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. /**
  3. * 守护线程示例
  4. */
  5. public class DaemonThreadDemo {
  6. public static void main(String[] args) {
  7. // 创建一个守护线程
  8. Thread daemonThread = new Thread(() -> {
  9. int count = 0;
  10. while (true) {
  11. try {
  12. Thread.sleep(1000);
  13. count++;
  14. System.out.println("守护线程工作中... 计数: " + count);
  15. } catch (InterruptedException e) {
  16. System.out.println("守护线程被中断");
  17. break;
  18. }
  19. }
  20. });
  21. // 设置为守护线程
  22. daemonThread.setDaemon(true);
  23. // 创建一个普通线程
  24. Thread userThread = new Thread(() -> {
  25. for (int i = 1; i <= 5; i++) {
  26. System.out.println("用户线程工作中... " + i);
  27. try {
  28. Thread.sleep(2000);
  29. } catch (InterruptedException e) {
  30. e.printStackTrace();
  31. }
  32. }
  33. System.out.println("用户线程执行完毕");
  34. });
  35. System.out.println("守护线程状态: " + daemonThread.isDaemon());
  36. System.out.println("用户线程状态: " + userThread.isDaemon());
  37. // 启动线程
  38. daemonThread.start();
  39. userThread.start();
  40. System.out.println("主线程等待用户线程完成...");
  41. try {
  42. userThread.join();
  43. } catch (InterruptedException e) {
  44. e.printStackTrace();
  45. }
  46. System.out.println("主线程结束,JVM即将退出");
  47. // 不需要等待守护线程结束,JVM会自动终止所有守护线程
  48. }
  49. }

⚠️ 注意: 必须在调用start()方法之前设置线程为守护线程,否则会抛出IllegalThreadStateException异常。

4.1 守护线程的应用场景

  1. 后台清理任务

守护线程适合执行不需要用户交互的后台任务,如清理过期缓存、定期日志滚动等。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. import java.time.LocalDateTime;
  3. import java.time.format.DateTimeFormatter;
  4. import java.util.concurrent.ConcurrentHashMap;
  5. import java.util.concurrent.TimeUnit;
  6. /**
  7. * 使用守护线程实现缓存清理
  8. */
  9. public class DaemonThreadCacheCleanerDemo {
  10. // 简单的内存缓存
  11. private static class SimpleCache {
  12. // 缓存数据,键是缓存项的名称,值是包含数据和过期时间的CacheItem
  13. private final ConcurrentHashMap<String, CacheItem> cache = new ConcurrentHashMap<>();
  14. // 缓存项,包含实际数据和过期时间
  15. private static class CacheItem {
  16. private final Object data;
  17. private final long expireTime; // 过期时间戳(毫秒)
  18. public CacheItem(Object data, long ttlMillis) {
  19. this.data = data;
  20. this.expireTime = System.currentTimeMillis() + ttlMillis;
  21. }
  22. public boolean isExpired() {
  23. return System.currentTimeMillis() > expireTime;
  24. }
  25. @Override
  26. public String toString() {
  27. return data.toString();
  28. }
  29. }
  30. // 添加缓存项
  31. public void put(String key, Object value, long ttlMillis) {
  32. cache.put(key, new CacheItem(value, ttlMillis));
  33. System.out.println("添加缓存项: " + key + " = " + value + ", TTL: " + ttlMillis + "ms");
  34. }
  35. // 获取缓存项
  36. public Object get(String key) {
  37. CacheItem item = cache.get(key);
  38. if (item == null) {
  39. return null; // 缓存中没有该项
  40. }
  41. if (item.isExpired()) {
  42. cache.remove(key); // 惰性删除过期项
  43. return null;
  44. }
  45. return item.data;
  46. }
  47. // 获取缓存大小
  48. public int size() {
  49. return cache.size();
  50. }
  51. // 启动清理守护线程
  52. public void startCleanerThread() {
  53. Thread cleanerThread = new Thread(() -> {
  54. System.out.println("缓存清理线程启动");
  55. while (true) {
  56. try {
  57. TimeUnit.SECONDS.sleep(1); // 每秒检查一次
  58. // 记录当前时间
  59. String now = LocalDateTime.now().format(
  60. DateTimeFormatter.ofPattern("HH:mm:ss"));
  61. System.out.println("\n" + now + " - 开始清理过期缓存项...");
  62. int beforeSize = cache.size();
  63. // 清理过期的缓存项
  64. cache.forEach((key, item) -> {
  65. if (item.isExpired()) {
  66. System.out.println("移除过期缓存项: " + key);
  67. cache.remove(key);
  68. }
  69. });
  70. int afterSize = cache.size();
  71. System.out.println("清理完成: 移除了 " + (beforeSize - afterSize) + " 个过期项,当前缓存大小: " + afterSize);
  72. } catch (InterruptedException e) {
  73. System.out.println("缓存清理线程被中断");
  74. break;
  75. }
  76. }
  77. });
  78. // 设置为守护线程
  79. cleanerThread.setDaemon(true);
  80. cleanerThread.start();
  81. }
  82. }
  83. public static void main(String[] args) throws InterruptedException {
  84. // 创建缓存并启动清理线程
  85. SimpleCache cache = new SimpleCache();
  86. cache.startCleanerThread();
  87. // 添加一些缓存项,设置不同的过期时间
  88. cache.put("item1", "Value 1", 3000); // 3秒后过期
  89. cache.put("item2", "Value 2", 7000); // 7秒后过期
  90. cache.put("item3", "Value 3", 5000); // 5秒后过期
  91. cache.put("item4", "Value 4", 10000); // 10秒后过期
  92. // 主线程每隔一段时间检查缓存中的项
  93. for (int i = 1; i <= 12; i++) {
  94. System.out.println("\n===== " + i + "秒后 =====");
  95. System.out.println("item1: " + cache.get("item1"));
  96. System.out.println("item2: " + cache.get("item2"));
  97. System.out.println("item3: " + cache.get("item3"));
  98. System.out.println("item4: " + cache.get("item4"));
  99. // 每检查一次,等待1秒
  100. TimeUnit.SECONDS.sleep(1);
  101. }
  102. System.out.println("\n主线程执行完毕,程序即将退出");
  103. // 当主线程结束后,守护线程也会自动结束
  104. }
  105. }
  1. 监控和维护服务

守护线程可以用于监控应用程序的健康状态、收集性能指标等。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. import java.lang.management.ManagementFactory;
  3. import java.lang.management.MemoryMXBean;
  4. import java.time.LocalDateTime;
  5. import java.time.format.DateTimeFormatter;
  6. import java.util.concurrent.TimeUnit;
  7. /**
  8. * 使用守护线程实现系统监控
  9. */
  10. public class DaemonThreadMonitoringDemo {
  11. public static void main(String[] args) {
  12. // 启动系统监控守护线程
  13. startMonitoringThread();
  14. // 模拟主应用程序
  15. System.out.println("主应用程序开始运行...");
  16. // 执行一些内存密集型操作,让监控线程有些变化可以报告
  17. for (int i = 0; i < 5; i++) {
  18. System.out.println("\n===== 执行任务 " + (i + 1) + " =====");
  19. // 分配一些内存
  20. byte[][] arrays = new byte[i + 1][1024 * 1024]; // 分配 (i+1) MB的内存
  21. // 模拟一些处理
  22. try {
  23. TimeUnit.SECONDS.sleep(3);
  24. } catch (InterruptedException e) {
  25. e.printStackTrace();
  26. }
  27. // 释放部分内存
  28. if (i % 2 == 0) {
  29. arrays[0] = null; // 释放第一个数组
  30. }
  31. }
  32. System.out.println("\n主应用程序执行完毕,即将退出");
  33. }
  34. private static void startMonitoringThread() {
  35. Thread monitorThread = new Thread(() -> {
  36. // 获取内存管理 MXBean
  37. MemoryMXBean memoryBean = ManagementFactory.getMemoryMXBean();
  38. DateTimeFormatter formatter = DateTimeFormatter.ofPattern("HH:mm:ss");
  39. System.out.println("系统监控线程启动");
  40. try {
  41. while (true) {
  42. // 获取当前时间
  43. String time = LocalDateTime.now().format(formatter);
  44. // 收集内存使用情况
  45. long heapUsed = memoryBean.getHeapMemoryUsage().getUsed();
  46. long heapMax = memoryBean.getHeapMemoryUsage().getMax();
  47. long nonHeapUsed = memoryBean.getNonHeapMemoryUsage().getUsed();
  48. // 计算内存使用百分比
  49. double heapUsagePercent = (double) heapUsed / heapMax * 100;
  50. // 输出监控信息
  51. System.out.println("\n[" + time + "] 系统监控:");
  52. System.out.printf("堆内存使用: %.2f MB / %.2f MB (%.1f%%)\n",
  53. heapUsed / (1024.0 * 1024.0),
  54. heapMax / (1024.0 * 1024.0),
  55. heapUsagePercent);
  56. System.out.printf("非堆内存使用: %.2f MB\n",
  57. nonHeapUsed / (1024.0 * 1024.0));
  58. // 检查是否内存使用过高
  59. if (heapUsagePercent > 70) {
  60. System.out.println("警告: 内存使用率过高!");
  61. }
  62. // 每2秒收集一次信息
  63. TimeUnit.SECONDS.sleep(2);
  64. }
  65. } catch (InterruptedException e) {
  66. System.out.println("监控线程被中断");
  67. }
  68. });
  69. // 设置为守护线程
  70. monitorThread.setDaemon(true);
  71. monitorThread.setName("系统监控线程");
  72. monitorThread.start();
  73. }
  74. }
  1. 自动保存线程

守护线程可以用于定期保存用户工作,确保即使程序意外退出,用户也不会丢失太多数据。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. import java.io.File;
  3. import java.io.FileWriter;
  4. import java.io.IOException;
  5. import java.time.LocalDateTime;
  6. import java.time.format.DateTimeFormatter;
  7. import java.util.Scanner;
  8. import java.util.concurrent.TimeUnit;
  9. /**
  10. * 使用守护线程实现自动保存功能
  11. */
  12. public class DaemonThreadAutoSaveDemo {
  13. // 模拟文档内容
  14. private static StringBuilder documentContent = new StringBuilder();
  15. // 文档是否被修改
  16. private static volatile boolean documentModified = false;
  17. // 记录上次保存时间
  18. private static LocalDateTime lastSaveTime;
  19. public static void main(String[] args) {
  20. // 启动自动保存守护线程
  21. startAutoSaveThread();
  22. // 模拟文本编辑器
  23. System.out.println("简易文本编辑器 (输入'exit'退出)");
  24. System.out.println("----------------------");
  25. Scanner scanner = new Scanner(System.in);
  26. while (true) {
  27. System.out.print("> ");
  28. String line = scanner.nextLine();
  29. if ("exit".equalsIgnoreCase(line)) {
  30. System.out.println("正在退出编辑器...");
  31. // 如果有未保存的内容,强制保存
  32. if (documentModified) {
  33. saveDocument();
  34. }
  35. break;
  36. } else {
  37. // 添加用户输入到文档
  38. documentContent.append(line).append("\n");
  39. documentModified = true;
  40. System.out.println("文本已添加 (当前字符数: " + documentContent.length() + ")");
  41. }
  42. }
  43. System.out.println("编辑器已关闭,程序退出");
  44. }
  45. private static void startAutoSaveThread() {
  46. Thread autoSaveThread = new Thread(() -> {
  47. System.out.println("自动保存线程已启动 (每10秒检查一次)");
  48. while (true) {
  49. try {
  50. // 休眠10秒
  51. TimeUnit.SECONDS.sleep(10);
  52. // 检查文档是否被修改
  53. if (documentModified) {
  54. saveDocument();
  55. }
  56. } catch (InterruptedException e) {
  57. System.out.println("自动保存线程被中断");
  58. break;
  59. }
  60. }
  61. });
  62. // 设置为守护线程
  63. autoSaveThread.setDaemon(true);
  64. autoSaveThread.setName("AutoSaveThread");
  65. autoSaveThread.start();
  66. }
  67. private static void saveDocument() {
  68. File file = new File("autosave_document.txt");
  69. try (FileWriter writer = new FileWriter(file)) {
  70. writer.write(documentContent.toString());
  71. // 更新状态
  72. documentModified = false;
  73. lastSaveTime = LocalDateTime.now();
  74. System.out.println("\n[自动保存] 文档已保存到: " + file.getAbsolutePath() +
  75. " (" + lastSaveTime.format(DateTimeFormatter.ofPattern("HH:mm:ss")) + ")");
  76. } catch (IOException e) {
  77. System.out.println("\n[自动保存] 保存文档时出错: " + e.getMessage());
  78. }
  79. }
  80. }

5. 实战案例:文件搜索工具

让我们创建一个使用多线程的文件搜索工具,它可以在指定目录中搜索符合特定条件的文件,并显示搜索结果。这个案例将综合运用我们在本章学到的线程操作知识。

  1. package org.devlive.tutorial.multithreading.chapter03;
  2. import java.io.File;
  3. import java.io.IOException;
  4. import java.nio.file.Files;
  5. import java.util.ArrayList;
  6. import java.util.List;
  7. import java.util.concurrent.ConcurrentLinkedQueue;
  8. import java.util.concurrent.TimeUnit;
  9. import java.util.concurrent.atomic.AtomicInteger;
  10. /**
  11. * 多线程文件搜索工具
  12. */
  13. public class ConcurrentFileSearcher {
  14. // 搜索结果
  15. private final ConcurrentLinkedQueue<File> results = new ConcurrentLinkedQueue<>();
  16. // 搜索线程数量
  17. private final int threadCount;
  18. // 搜索条件接口
  19. public interface SearchCriteria {
  20. boolean matches(File file);
  21. }
  22. // 构造函数
  23. public ConcurrentFileSearcher(int threadCount) {
  24. this.threadCount = threadCount;
  25. }
  26. /**
  27. * 搜索文件
  28. * @param startDir 起始目录
  29. * @param criteria 搜索条件
  30. * @return 匹配的文件列表
  31. */
  32. public List<File> search(File startDir, SearchCriteria criteria) {
  33. if (!startDir.exists() || !startDir.isDirectory()) {
  34. throw new IllegalArgumentException("起始目录不存在或不是一个目录: " + startDir);
  35. }
  36. // 清空上次搜索结果
  37. results.clear();
  38. // 计数器,用于跟踪处理的文件数和目录数
  39. AtomicInteger processedFiles = new AtomicInteger(0);
  40. AtomicInteger processedDirs = new AtomicInteger(0);
  41. // 创建目录队列
  42. ConcurrentLinkedQueue<File> directoryQueue = new ConcurrentLinkedQueue<>();
  43. directoryQueue.add(startDir);
  44. // 创建并启动工作线程
  45. Thread[] searchThreads = new Thread[threadCount];
  46. for (int i = 0; i < threadCount; i++) {
  47. searchThreads[i] = new Thread(() -> {
  48. while (true) {
  49. // 从队列中获取下一个要处理的目录
  50. File currentDir = directoryQueue.poll();
  51. // 如果队列为空,检查是否所有线程都空闲
  52. if (currentDir == null) {
  53. // 等待一会儿,看看其他线程是否会添加新的目录
  54. try {
  55. TimeUnit.MILLISECONDS.sleep(100);
  56. } catch (InterruptedException e) {
  57. Thread.currentThread().interrupt();
  58. break;
  59. }
  60. // 再次检查队列
  61. if (directoryQueue.isEmpty()) {
  62. break; // 如果仍然为空,则结束线程
  63. } else {
  64. continue; // 如果有新目录,继续处理
  65. }
  66. }
  67. // 处理当前目录中的文件和子目录
  68. File[] items = currentDir.listFiles();
  69. if (items != null) {
  70. for (File item : items) {
  71. if (item.isDirectory()) {
  72. // 将子目录添加到队列中
  73. directoryQueue.add(item);
  74. processedDirs.incrementAndGet();
  75. } else {
  76. // 检查文件是否匹配搜索条件
  77. if (criteria.matches(item)) {
  78. results.add(item);
  79. }
  80. processedFiles.incrementAndGet();
  81. }
  82. }
  83. }
  84. }
  85. });
  86. // 设置线程名称并启动
  87. searchThreads[i].setName("SearchThread-" + i);
  88. searchThreads[i].start();
  89. }
  90. // 创建并启动一个守护线程来显示搜索进度
  91. Thread progressThread = new Thread(() -> {
  92. try {
  93. while (true) {
  94. int files = processedFiles.get();
  95. int dirs = processedDirs.get();
  96. int found = results.size();
  97. System.out.printf("\r处理中: %d 个文件, %d 个目录, 找到 %d 个匹配文件",
  98. files, dirs, found);
  99. TimeUnit.SECONDS.sleep(1);
  100. }
  101. } catch (InterruptedException e) {
  102. // 忽略中断
  103. }
  104. });
  105. progressThread.setDaemon(true);
  106. progressThread.start();
  107. // 等待所有搜索线程完成
  108. try {
  109. for (Thread thread : searchThreads) {
  110. thread.join();
  111. }
  112. } catch (InterruptedException e) {
  113. // 如果主线程被中断,中断所有搜索线程
  114. for (Thread thread : searchThreads) {
  115. thread.interrupt();
  116. }
  117. Thread.currentThread().interrupt();
  118. }
  119. // 打印最终结果
  120. System.out.println("\n搜索完成: 处理了 " + processedFiles.get() + " 个文件, "
  121. + processedDirs.get() + " 个目录, 找到 " + results.size() + " 个匹配文件");
  122. // 将结果转换为List并返回
  123. return new ArrayList<>(results);
  124. }
  125. // 主程序示例
  126. public static void main(String[] args) {
  127. // 创建文件搜索器,使用4个线程
  128. ConcurrentFileSearcher searcher = new ConcurrentFileSearcher(4);
  129. // 定义搜索起始目录
  130. File startDir = new File("C:/"); // Windows系统
  131. // File startDir = new File("/"); // Linux/Mac系统
  132. System.out.println("开始在 " + startDir + " 中搜索...");
  133. // 定义搜索条件:查找大于10MB的Java源代码文件
  134. SearchCriteria criteria = file -> {
  135. // 检查文件扩展名
  136. if (file.getName().endsWith(".java")) {
  137. try {
  138. // 检查文件大小(字节)
  139. return Files.size(file.toPath()) > 10 * 1024; // > 10KB
  140. } catch (IOException e) {
  141. return false;
  142. }
  143. }
  144. return false;
  145. };
  146. // 执行搜索
  147. List<File> searchResults = searcher.search(startDir, criteria);
  148. // 显示搜索结果
  149. System.out.println("\n搜索结果:");
  150. if (searchResults.isEmpty()) {
  151. System.out.println("未找到匹配的文件");
  152. } else {
  153. for (int i = 0; i < searchResults.size(); i++) {
  154. File file = searchResults.get(i);
  155. try {
  156. long size = Files.size(file.toPath());
  157. String sizeStr = size < 1024 ? size + " B" :
  158. size < 1024*1024 ? String.format("%.2f KB", size/1024.0) :
  159. String.format("%.2f MB", size/(1024.0*1024.0));
  160. System.out.printf("%d. %s (大小: %s)\n", i + 1, file.getAbsolutePath(), sizeStr);
  161. } catch (IOException e) {
  162. System.out.printf("%d. %s (无法获取文件大小)\n", i + 1, file.getAbsolutePath());
  163. }
  164. }
  165. }
  166. }
  167. }

在这个实战案例中,我们创建了一个多线程文件搜索工具,它可以高效地在指定目录中搜索符合特定条件的文件。主要特点:

  1. 使用多个线程并行搜索,提高搜索效率
  2. 使用线程安全的并发集合来共享数据
  3. 使用守护线程来显示搜索进度
  4. 使用原子变量来安全地计数
  5. 通过join()方法等待所有搜索线程完成
  6. 使用接口定义搜索条件,提高灵活性

常见问题与解决方案

问题1:主线程结束但程序不退出

问题描述: 有时主线程已经执行完所有代码,但整个Java程序却不退出。

原因: 这通常是因为程序中还有非守护线程在运行。只有当所有非守护线程都结束时,Java程序才会退出。

解决方案:

  1. 确保所有工作线程都能正常结束
  2. 对于不需要一直运行的后台任务,使用守护线程
  3. 使用线程池时,记得调用shutdown()方法

问题2:线程无法被中断

问题描述: 调用interrupt()方法后,线程没有响应中断请求,继续执行。

原因: 线程必须主动检查中断状态或处理InterruptedException才能响应中断请求。

解决方案:

  1. 在循环中定期检查中断状态:Thread.currentThread().isInterrupted()
  2. 正确处理InterruptedException,通常是重设中断状态并返回
  3. 避免屏蔽中断请求
  1. // 正确处理中断的方式
  2. public void run() {
  3. try {
  4. while (!Thread.currentThread().isInterrupted()) {
  5. // 执行任务
  6. doTask();
  7. // 可中断的阻塞操作
  8. Thread.sleep(100);
  9. }
  10. } catch (InterruptedException e) {
  11. // 记录日志,清理资源
  12. // 重新设置中断状态
  13. Thread.currentThread().interrupt();
  14. } finally {
  15. // 清理资源
  16. cleanup();
  17. }
  18. }

问题3:线程优先级设置不生效

问题描述: 设置了线程的优先级,但没有观察到预期的效果。

原因: 线程优先级依赖于操作系统的支持,不同的操作系统对线程优先级的支持程度不同。

解决方案:

  1. 不要依赖线程优先级来保证程序的正确性
  2. 使用其他机制(如线程池的任务队列)来控制任务的执行顺序
  3. 在需要严格控制执行顺序的场景,使用明确的同步机制

小结

在本章中,我们学习了线程的基本操作及其应用:

  1. 线程的基本操作: 我们学习了如何启动线程、让线程休眠以及正确地中断线程。这些是多线程编程的基础操作,掌握这些操作可以帮助我们更好地控制线程的行为。

  2. 线程Join操作: 我们了解了join()方法的作用及其适用场景,如等待工作线程完成、顺序执行任务和实现简单的任务分解与合并。

  3. 线程优先级: 我们学习了如何设置线程优先级,以及线程优先级的影响。同时,我们也认识到线程优先级的局限性,不应该依赖线程优先级来确保程序的正确性。

  4. 守护线程: 我们了解了守护线程的概念和特性,以及其在后台任务、监控和自动保存等场景的应用。

  5. 实战应用: 通过文件搜索工具的实战案例,我们将所学知识应用到实际问题中,创建了一个高效的多线程文件搜索工具。

通过本章的学习,你应该能够熟练地操作线程,包括启动、休眠、中断和连接线程,以及合理地设置线程优先级和使用守护线程。这些知识为后续深入学习线程同步和并发控制奠定了基础。

在下一章中,我们将开始探讨线程安全问题,学习如何识别和解决多线程程序中的并发问题。

本章节源代码地址为 https://github.com/qianmoQ/tutorial/tree/main/java-multithreading-tutorial/src/main/java/org/devlive/tutorial/multithreading/chapter03