“不可变类”的 Java 构造函数,其中许多字段具有默认值?

2022-09-02 00:40:00

我有一个JAVA类,有很多字段。它们基本上应该在构造函数阶段设置,并且永远不会改变。从语义上讲,该类是一个不可变的类。

public class A{
    final int a;
    final short b;
    final double e;
    final String f;
    final String g;
    //and more
}

问题是,通常这些字段具有默认值,因此我不想总是用构造函数来负担用户。大多数时候,他们只需要设置几个。有几种方法可以解决这个问题:

  1. 我需要很多具有不同签名的构造函数。
  2. 创建这些字段的一堆集合方法,并仅设置这些非默认值。但这在某种程度上表明了一种不同的语义,而不是不可变的性质。
  3. 创建一个可变的新参数类,并将该类用作构造函数。

这些都不是完全令人满意的。还有其他方法吗?谢谢。单程


答案 1

我将使用参数类和流畅的构建器API的组合来创建参数:

public class A {
    private final int a;
    private final short b;
    private final double e;
    private final String g;

    public static class Aparam {
        private int a = 1;
        private short b = 2;
        private double e = 3.141593;
        private String g = "NONE";

        public Aparam a(int a) {
            this.a = a;
            return this;
        }

        public Aparam b(short b) {
            this.b = b;
            return this;
        }

        public Aparam e(double e) {
            this.e = e;
            return this;
        }

        public Aparam g(String g) {
            this.g = g;
            return this;
        }

        public A build() {
            return new A(this);
        }
    }

    public static Aparam a(int a) {
        return new Aparam().a(a);
    }

    public static Aparam b(short b) {
        return new Aparam().b(b);
    }

    public static Aparam e(double e) {
        return new Aparam().e(e);
    }

    public static Aparam g(String g) {
        return new Aparam().g(g);
    }

    public static A build() {
        return new Aparam().build();
    }

    private A(Aparam p) {
        this.a = p.a;
        this.b = p.b;
        this.e = p.e;
        this.g = p.g;
    }

    @Override public String toString() {
        return "{a=" + a + ",b=" + b + ",e=" + e + ",g=" + g + "}";
    }
}

然后创建 A 的实例,如下所示:

A a1 = A.build();
A a2 = A.a(7).e(17.5).build();
A a3 = A.b((short)42).e(2.218282).g("fluent").build();

类 A 是不可变的,参数是可选的,接口流畅。


答案 2

您可以执行两项操作: