0

所以我有这个对象的数组列表,我想以二进制格式存储到 dat 文件中。

objectA 类有这个构造函数

public ObjectA(String aString,int aNumber ,String[] sampleA){
    this.aString = aString;
    this.aNumber = aNumber;
    this.sampleA= sampleA;
}

在另一个类文件中,我在类上实例化了它,并用 ObjectA 对象填充了数组列表

      private static ArrayList<ObjectA> objectA = new ArrayList<ObjectA>();

我有这个方法

 private static void createFile() {
    System.out.println("Creating file...");

    try {
        FileOutputStream fileOut = new FileOutputStream("file.dat");
        ObjectOutputStream objectOut = new ObjectOutputStream(fileOut);

            for (ObjectA o : objectA) {
                objectOut.writeObject(o); //write the object
            }

            objectOut.close(); //then close the writer

        }CATCH EXCEPTIONS***************{}

}

但是,当我尝试在 createFile() 上运行此错误时,我发现了此错误!java.io.NotSerializableException:trycatch 中的 ObjectA 有什么想法吗?

4

1 回答 1

3

ObjectA必须实现java.io.Serializable接口。

public ObjectA implements Serializable {

} 

不过,这不是唯一有效的方法。

实现java.io.Externalizable也是有效的。不同之处在于java.io.Serializable它被称为标记接口(例如,接口不提供实现方法),而java.io.Externalizable强制您实现两个方法,因此提供了实现自定义序列化机制的必要手段。

public class ObjectA implements Externalizable {
    @Override
    public void writeExternal(ObjectOutput out) { ... }

    @Override
    public void readExternal(ObjectInput in) { ... }
}
于 2013-10-19T18:32:38.080 回答