public class 直接公开字段从来都不是一个好主意,但如果字段是不可变的,为什么危害较小?

It''s never a good idea for a public class to expose fields directly, but why it is less harmful if the fields are immutable?

我正在阅读 Effective Java 项目 14 中的一篇文章 - 在 public classes 中,使用访问器方法,而不是 public 字段。书中说:虽然 public class 直接公开字段从来都不是一个好主意,但如果字段是不可变的,则危害较小。

我的问题是,如果字段不可变,为什么危害较小?你能举一个现实生活中的例子来证明吗?这是书中的代码示例。

/ Encapsulation of data by accessor methods and mutators
class Point {
   private double x;
   private double y;

   public Point(double x, double y) {
      this.x = x;
      this.y = y;
   }

   public double getX() { return x; }
   public void setX(double x) { this.x = x; }

   public double getY() { return y; }
   public void setY(double y) { this.y = y; }
}

虽然 public class 直接公开字段从来都不是一个好主意,但如果字段是不可变的,则危害较小。

// Public class with exposed immutable fields - questionable
public final class Time {
   public final int hour;
   public final int minute;

   public Time(int hour, int minute) {
      this.hour = hour;
      this.minute = minute;
   }
}
// Public class with exposed immutable fields - questionable
public final class Time {
   public final int hour;
   public final int minute;

   public Time(int hour, int minute) {
      this.hour = hour;
      this.minute = minute;
   }
}

使用上述代码,创建上述 class 对象的 Class 必须了解字段。这引入了紧密耦合。

此外,如果您在使用接口名称声明对象时对接口进行编码,则所有实现都将实现这些方法,并且开发人员可以更轻松地使用方法访问值,并且每个实现都可以使用这些 class 级别变量和 return 根据实施细节。

如果您的对象只有不可变字段,那么很可能该对象本身可以被视为不可变。

这意味着:创建后,该对象将永远不会更改其内容。因此,您可以从任意数量的地方引用该对象。并且没有其他对象需要担心相应的数据会神奇地改变,因为其他一些代码做了一些事情。

本质上,直接字段访问和提供 setter 方法之间的区别并不重要!唯一产生巨大概念差异的是:可变与不可变。

注意:理想情况下,class 的 public 方法为您提供客户端代码可以使用的行为!

下面这句话解释的很清楚,然后他举了个例子。我有第二版,也许你有第一版,但它不见了?

While it’s never a good idea for a public class to expose fields directly, it is less harmful if the fields are immutable. You can’t change the representation of such a class without changing its API, and you can’t take auxiliary actions when a field is read, but you can enforce invariants. (emphasis mine)

书中给出的强制不变量示例:

For example, this class guarantees that each instance represents a valid time:

// Public class with exposed immutable fields - questionable
public final class Time {
    private static final int HOURS_PER_DAY = 24;
    private static final int MINUTES_PER_HOUR = 60;

    public final int hour;
    public final int minute;

    public Time(int hour, int minute) {
        if (hour < 0 || hour >= HOURS_PER_DAY)
            throw new IllegalArgumentException("Hour: " + hour);
        if (minute < 0 || minute >= MINUTES_PER_HOUR)
            throw new IllegalArgumentException("Min: " + minute);
        this.hour = hour;
        this.minute = minute;
    }
// Remainder omitted
}