在丢失信息的情况下转换为父级 class - 存储对象的一部分

Casting to parent class with losing information - store parts of an object

我有一个包含很多信息的 class Bucket,我只想将其中的两个字段存储(可序列化)到一个文件中。因此,我制作了 Bucket extend ChatData ,它只包含这两个字段,因为我认为在向上转换时,我可能会丢失无用的信息并将 bucket 对象存储为 chatdata 然后对象。

但是,向上转换为超级 class 不会使对象丢失其子class 信息。我怎样才能做到这一点?

public class ChatData implements Serializable {
    private int f1 = 1;
    private int f2 = 2;
}

public class Bucket extends ChatData implements Serializable {
    private int f3 = 3;
    private int f4 = 4;    // useless data when it comes to storing
    private int f5 = 5;
    public void store(ObjectOutputStream oos) {
        oos.writeObject( (ChatData) this );    // does also store f3, f4, f5,
        // ... but I don't whant these!
        // also, unnecessary cast, does not do anything
    }

    public static void main(String[] args) {
        Bucket b = new Bucket();
        b.store(new ObjectOutputStream(new FileOutputStream("C:/output.dat"));
    }
}

(未经测试的代码,仅用于可视化)

如何将 Bucket 对象作为 ChatData 对象写入硬盘?如果不是,仅部分存储对象的首选方式是什么?

我可以想到一个简单的解决方案,比如创建一个全新的 ChatData 对象,但我更想了解什么是最好的方法。

如果您不想序列化 class 的成员。只需将其标记为 transient

在您的特定情况下,您无需经历创建超级 class 的麻烦。改为这样做:

public class Bucket implements Serializable {
    transient private int f3 = 3;
    transient private int f4 = 4;    // useless data when it comes to storing
    transient private int f5 = 5;
    private int f1 = 1;
    private int f2 = 2;

   //leave the remaining code in this class as it is
}