📜  java中的编组和解组是什么(1)

📅  最后修改于: 2023-12-03 14:42:59.139000             🧑  作者: Mango

Java中的编组和解组

在 Java 中,编组和解组是用于将数据打包成二进制形式和将二进制数据解包回其原始表单的过程。这种打包和解包数据的过程有时也被称为序列化和反序列化。

序列化

序列化是将一个对象转换为可进行传输或持久化的格式的过程。在 Java 中,序列化通过将对象的状态写入 OutputStream(如 FileOutputStream)来实现。以下是将一个对象进行序列化的示例代码:

import java.io.*;

public class SerializationDemo {
   public static void main(String [] args) {
      Employee e = new Employee();
      e.name = "John Doe";
      e.address = "1234 Main St";
      e.SSN = 123456789;
      e.number = 101;

      try {
         FileOutputStream fileOut =
         new FileOutputStream("employee.ser");
         ObjectOutputStream out = new ObjectOutputStream(fileOut);
         out.writeObject(e);
         out.close();
         fileOut.close();
         System.out.printf("Serialized data is saved in employee.ser");
      } catch (IOException i) {
         i.printStackTrace();
      }
   }
}

在上面的示例中,Employee 对象被序列化并存储在名为 "employee.ser" 的文件中。

反序列化

反序列化是将序列化的二进制数据转换回对象状态的过程。在 Java 中,反序列化通过从 InputStream(如 FileInputStream)中读取 Object 的状态来实现。以下是将一个对象进行反序列化的示例代码:

import java.io.*;

public class DeserializationDemo {
   public static void main(String [] args) {
      Employee e = null;
      try {
         FileInputStream fileIn = new FileInputStream("employee.ser");
         ObjectInputStream in = new ObjectInputStream(fileIn);
         e = (Employee) in.readObject();
         in.close();
         fileIn.close();
      } catch (IOException i) {
         i.printStackTrace();
         return;
      } catch (ClassNotFoundException c) {
         System.out.println("Employee class not found");
         c.printStackTrace();
         return;
      }
      System.out.println("Deserialized Employee...");
      System.out.println("Name: " + e.name);
      System.out.println("Address: " + e.address);
      System.out.println("SSN: " + e.SSN);
      System.out.println("Number: " + e.number);
   }
}

在上面的示例中,我们使用 FileInputStream 从名为 "employee.ser" 的文件中读取 Employee 对象的序列化状态。通过 ObjectInputStream 的 readObject() 方法,我们将这个序列化状态转换回 Employee 对象。

总结

在 Java 中,序列化和反序列化是将对象转换为二进制数据以便于存储、传输或持久化的一种方式。要进行序列化,需要将对象的状态写入 OutputStream,而要进行反序列化,则可通过从 InputStream 中读取 Object 的状态来实现。