3
public static void main(String[] args) throws Exception {
    Socket socket = new Socket("127.0.0.1", 2345);

    ObjectOutputStream oos = new ObjectOutputStream(socket.getOutputStream());
    Map<Integer, Integer> testMap = new HashMap<Integer, Integer>();

    testMap.put(1,1);
    oos.writeObject(testMap);
    oos.flush();

    testMap.put(2,2);
    oos.writeObject(testMap);
    oos.flush();

    oos.close();
}


public static void main(String[] args) throws Exception {
    ServerSocket ss = new ServerSocket(2345);
    Socket s = ss.accept();
    ObjectInputStream ois = new ObjectInputStream(s.getInputStream());

    System.out.println((HashMap<Integer, Integer>) ois.readObject());
    System.out.println((HashMap<Integer, Integer>) ois.readObject());

    ois.close;
}

上面的代码来自两个文件。运行它们时,控制台会打印相同的结果:

{1=1}
{1=1}

这怎么可能发生?

4

2 回答 2

6

ObjectOutputStream 会记住它已经写入的对象,并且在重复写入时只会输出一个指针(而不是再次输出内容)。这保留了对象身份,并且对于循环图是必需的。

所以你的流包含的基本上是:

  • HashMap A,内容为 {1:1}
  • 指针:“再次HashMap A”

您需要在您的情况下使用新的 HashMap 实例。

于 2012-05-30T02:58:39.493 回答
2

正如Thilo已经说过的,anObjectOutputStream会缓存它已经写过的东西。您可以按照他的建议使用新地图,也可以清除缓存。

在调用ObjectOutputStream.reset之间调用 towriteObject将清除缓存并为您提供最初预期的行为。

public static void main(String[] args) throws IOException,
        ClassNotFoundException {
    ByteArrayOutputStream baos = new ByteArrayOutputStream();
    try (ObjectOutputStream oos = new ObjectOutputStream(baos)) {
        HashMap<Integer, Integer> foo = new HashMap<>();
        foo.put(1, 1);
        oos.writeObject(foo);
        // oos.reset();
        foo.put(2, 2);
        oos.writeObject(foo);
    }

    ByteArrayInputStream bais = new ByteArrayInputStream(baos.toByteArray());
    try (ObjectInputStream ois = new ObjectInputStream(bais)) {
        System.out.println(ois.readObject());
        System.out.println(ois.readObject());
    }
}
于 2012-05-30T03:02:41.320 回答