Android - 多个活动使用的一个类

时间:2014-02-22 14:16:58

标签: java android class android-activity

我有一个类来管理从文件加载的数据。此类在主Activity中初始化。当主Activity创建一个新Activity时,新Activity需要文件中的数据,换句话说,它需要对管理数据的类的引用。最好的方法是什么?

4 个答案:

答案 0 :(得分:2)

是的,最好的方法是只创建一个instance个班级。这是 Singleton 设计模式。

答案 1 :(得分:0)

singleton模式应该符合您的需求。这基本上是一个只能实例化一次并管理该实例本身的类,所以你可以从任何地方获取它。

这样的教程将帮助您入门:http://portabledroid.wordpress.com/2012/05/04/singletons-in-android/

答案 2 :(得分:0)

如果一个类只是代表它从文件中读取的一大块数据,那么使你的类成为一个单例是没有错的,如下所示:

class FileData {
    private static final FileData instance = readFile();
    public static FileData getInstance() {
         return instance;
    }
    private static readFile() {
        ... // Read the file, and create FileData from it
    }
    public int getImportantNumber() {
        return ...
    }
}

现在您可以引用所有其他类的数据,如下所示:

FileData.getInstance().getImportantNumber();

答案 3 :(得分:0)

1:单身模式
2:你可以使类Parcelable。

// simple class that just has one member property as an example
public class MyParcelable implements Parcelable {
private int mData;

/* everything below here is for implementing Parcelable */

// 99.9% of the time you can just ignore this
public int describeContents() {
    return 0;
}

// write your object's data to the passed-in Parcel
public void writeToParcel(Parcel out, int flags) {
    out.writeInt(mData);
}

// this is used to regenerate your object. All Parcelables must have a CREATOR that implements these two methods
public static final Parcelable.Creator<MyParcelable> CREATOR = new Parcelable.Creator<MyParcelable>() {
    public MyParcelable createFromParcel(Parcel in) {
        return new MyParcelable(in);
    }

    public MyParcelable[] newArray(int size) {
        return new MyParcelable[size];
    }
};

// example constructor that takes a Parcel and gives you an object populated with it's values
private MyParcelable(Parcel in) {
    mData = in.readInt();
}

}

然后你可以通过意图发送你的对象:

Intent i = new Intent();
i.putExtra("name_of_extra", myParcelableObject);

并在第二个活动中得到它:

Intent i = getIntent();
MyParcelable myParcelableObject = (MyParcelable) i.getParcelableExtra("name_of_extra");

为方便起见,我从this SO线程中获取了代码,因为它非常好,但它也非常基本。你甚至可以通过Intent发送对象列表,但这有点复杂,需要更多示例代码和解释。如果那是你的目标,请问。对于一个对象,代码完全正常。