我什么时候比另一个更喜欢?下面显示的方法的目的是什么?

class A {
    public static A newInstance() {
        A a = new A();
        return a ;
    }
}

有人可以向我解释这两个电话之间的区别吗?

最佳答案

newInstance()通常用作实例化对象的方法,而无需直接调用对象的默认构造函数。例如,它通常用于实现Singleton设计模式:

public class Singleton {
    private static final Singleton instance = null;

    // make the class private to prevent direct instantiation.
    // this forces clients to call newInstance(), which will
    // ensure the class' Singleton property.
    private Singleton() { }

    public static Singleton newInstance() {
        // if instance is null, then instantiate the object by calling
        // the default constructor (this is ok since we are calling it from
        // within the class)
        if (instance == null) {
            instance = new Singleton();
        }
        return instance;
    }
}

在这种情况下,程序员会强制客户端调用newInstance()来检索该类的实例。这很重要,因为仅提供默认构造函数将允许客户端访问该类的多个实例(这与Singleton属性背道而驰)。

Fragment的情况下,提供静态工厂方法newInstance()是一个好习惯,因为我们经常想向新实例化的对象添加初始化参数。可以让客户端提供一个newInstance()方法来执行此操作,而不是让客户端调用默认的构造函数并自己手动设置片段参数。例如,
public static MyFragment newInstance(int index) {
    MyFragment f = new MyFragment();
    Bundle args = new Bundle();
    args.putInt("index", index);
    f.setArguments(args);
    return f;
}

总体而言,虽然两者之间的差异主要只是设计问题,但这种差异确实很重要,因为它提供了另一种抽象级别,并使代码更易于理解。

10-08 00:42