Java 中的流序列化

Roy*_*Roy 0 c++ java serialization stream

在 C++ 中,我创建了一个名为 Serializer 的类。我想复制 Java 中的功能。以下是序列化器的工作原理。

Serializer s;
s.writeString(myString); // automatically converted to Big-Endian unicode string with length prepended.
s.writeInt(myInt); // automatically converted to Big-Endian integer (swizzled if necessary)
s.writeObject(myObject); // which implements the Serializable interface
    {
        s.writeInt(myObjectId); // internally, it writes the data that I want to serialize.
        ...
    }

ZlibCompressor.compress(s); // 's' is compressed
    {
        bytes = s.getBytes(); // internally, it gets bytes, ...
        compressFunc(bytes); // compress them
        s.overwrite(bytes); // and overwrites
    }

AESCipher.encrypt(s); // similarly, 's' is encrypted

// and the reverse in the same file, using the same all-in-one class to manipulate byte data.

AESCipher.decrypt(s);
ZlibCompressor.decompress(s);

s.readString(myString);
s.readInt(myInt);
s.readObject(myObject);
Run Code Online (Sandbox Code Playgroud)

当然,这些是您可以执行的其他几个功能(从 C++ 复制并粘贴):

ByteArray Split(const Uint32& start, const Uint32& size);

inline Uint32 GetSize() const                                       { return mBytes.size(); }
inline const Uint32& GetPos() const                                 { return mPos; }
inline Bool IsEmpty() const                                         { return mBytes.empty(); }
inline const Bool& IsError() const                                  { return mError; }

inline void Resize(const Uint32& size, const Byte& val = 0)         { mBytes.resize(size, val); }
inline void SetPos(const Uint32& pos) const                         { mPos = pos; }
inline void Reset() const                                           { mPos = 0; mError = false; }
inline void Clear()                                                 { mBytes.clear(); Reset(); }
inline void Push(const Byte& x)                                     { mBytes.push_back(x); }
inline void Pop()                                                   { mBytes.pop_back(); }
Run Code Online (Sandbox Code Playgroud)
  • 是否有任何内置类可以做到这一点,能够自由地操作字节数据?
  • 如果没有,可以一起使用输入流和输出流吗?
  • 如果不能,如何在InputStream和OutputStream之间进行转换?
  • 还有其他方法可以解决这个问题吗?

旁注:所有字节数据都可以在内存中。内存不是问题。

谢谢。

Chr*_*ung 5

Java 有一个对象序列化系统,这听起来很适合您想要做的事情。快速总结:

  • 让你的类实现java.io.Serializable,并添加一个private static final long serialVersionUID字段(使用你喜欢的任何值——通常我只是从 1 开始)。
  • 将您不想序列化的所有字段标记为transient; 所有非transient字段都将被序列化。
  • 确保要序列化的所有字段都是原始类型或可序列化类型 - 所有不可序列化类型都必须是瞬态的。
  • serialVersionUID每当您对序列化的字段进行更改时,请更改。通常我只是将值增加 1。
  • 对于自定义序列化,您可以实现readObjectwriteObject方法。
  • 对于严格的自定义序列化,还有java.io.Externalizable.

要实际序列化或反序列化对象,请使用DataOutputStreamDataInputStream类。是的,您可以通过压缩和/或加密来包装流。:-)