Singleton类vs静态方法和字段?

时间:2017-11-16 09:11:17

标签: java android singleton

为什么在Android / Java中使用Singleton类,当使用具有静态字段和方法的类提供相同的功能 时?

e.g。

public class StaticClass {
    private static int foo = 0;

    public static void setFoo(int f) {
        foo = f;
    }

    public static int getFoo() {
        return foo;
    }
}

VS

public class SingletonClass implements Serializable {

    private static volatile SingletonClass sSoleInstance;
    private int foo;

    //private constructor.
    private SingletonClass(){

        //Prevent form the reflection api.
        if (sSoleInstance != null){
            throw new RuntimeException("Use getInstance() method to get the single instance of this class.");
        }

        foo = 0;
    }

    public static SingletonClass getInstance() {
        if (sSoleInstance == null) { //if there is no instance available... create new one
            synchronized (SingletonClass.class) {
                if (sSoleInstance == null) sSoleInstance = new SingletonClass();
            }
        }

        return sSoleInstance;
    }

    //Make singleton from serialize and deserialize operation.
    protected SingletonClass readResolve() {
        return getInstance();
    }

    public void setFoo(int foo) {
        this.foo = foo;
    }

    public int getFoo() {
        return foo;
    }
}

1 个答案:

答案 0 :(得分:5)

这主要是由于static typessingletons的限制。这是:

  • 静态类型无法实现接口并从基类派生。
  • 从上面我们可以看到静态类型导致高耦合 - 你不能在测试和不同的环境中使用其他类。
  • 无法使用依赖注入注入静态类。
  • 单身人士更容易嘲笑和填充。
  • 单身人士可以很容易地转变为瞬变。

这些原因来自我的头脑。这可能不是全部。