在"Concurrency in Practice"的清单 7.15 中,内部类和外部类如何在"this"上同步?


public class LogService {
  private final BlockingQueue<String> queue;
  private final LoggerThread loggerThread;
  private final PrintWriter writer;
  @GuardedBy("this") private boolean isShutdown;
  @GuardedBy("this") private int reservations;
  public void start() { loggerThread.start(); }
  public void stop() {
      synchronized (this) { isShutdown = true; }
      loggerThread.interrupt();
  }
  public void log(String msg) throws InterruptedException {
      synchronized (this) {
          if (isShutdown)
              throw new IllegalStateException(...);
          ++reservations;
      }
      queue.put(msg);
  }
  private class LoggerThread extends Thread {
      public void run() {
          try {
              while (true) {
                  try {
                      synchronized (this) {
                          if (isShutdown && reservations == 0)
                              break;
                      }
                      String msg = queue.take();
                      synchronized (this) { --reservations; }
                      writer.println(msg);
                  } catch (InterruptedException e) { /* retry */ }
              }
          } finally {
              writer.close();
          }
      }
  }
}

这是"实践中的Java并发"书中列出的7.15。我不明白同步如何在那里工作。为什么内部和外部类在访问字段的不同对象上同步?这个错误和内部类是否必须使用同步(logService.this)?或者我完全误解了同步的工作方式?

这是书中的一个错误,在errata

中列出

p.154:在清单7.15中,最后两个同步(此)线应读取同步(logService.This)。

最新更新