void registerValidation(ObjectInputValidation obj, int prio)


描述

所述java.io.ObjectInputStream.registerValidation(ObjectInputValidation OBJ,INT PRIO)方法用于注册的对象被返回图形之前进行验证。虽然类似于resolveObject,但在重构整个图之后会调用这些验证。通常,readObject方法将使用流注册对象,以便在恢复所有对象时可以执行最后一组验证。

声明

以下是java.io.ObjectInputStream.registerValidation()方法的声明。

public void registerValidation(ObjectInputValidation obj, int prio)

参数

obj - 接收验证回调的对象。

prio - 控制回调的顺序;零是一个很好的默认值。使用较高的数字可以较早回调,较低的数字可用于以后的回调。在优先级内,回调按特定顺序处理。

返回值

此方法不返回值。

异常

NotActiveException - 流当前不读取对象,因此注册回调无效。

InvalidObjectException - 验证对象为null。

实例

以下示例显示了java.io.ObjectInputStream.registerValidation()方法的用法。

package com.tutorialspoint;

import java.io.*;

public class ObjectInputStreamDemo {
   public static void main(String[] args) {
      try {
         // create a new file with an ObjectOutputStream
         FileOutputStream out = new FileOutputStream("test.txt");
         ObjectOutputStream oout = new ObjectOutputStream(out);

         // write something in the file
         oout.writeObject(new Example());
         oout.flush();

         // create an ObjectInputStream for the file we created before
         ObjectInputStream ois = new ObjectInputStream(new FileInputStream("test.txt"));

         // read the object and print the string
         Example a = (Example) ois.readObject();

         // print the string that is in Example class
         System.out.println("" + a.s);

         // validate the object
         a.validateObject();
      } catch (Exception ex) {
         ex.printStackTrace();
      }
   }

   static class Example implements Serializable, ObjectInputValidation {
      String s = "Hello World!";

      private String readObject(ObjectInputStream in)
         throws IOException, ClassNotFoundException {

         // call readFields in readObject
         ObjectInputStream.GetField gf = in.readFields();

         // register validation for the object
         in.registerValidation(this, 0);

         // save the string and return it
         return (String) gf.get("s", null);
      }

      public void validateObject() throws InvalidObjectException {
         System.out.println("Validating object...");

         if (this.s.equals("Hello World!")) {
            System.out.println("Validated.");
         } else {
            System.out.println("Not validated.");
         }
      }
   }
}

让我们编译并运行上面的程序,这将产生以下结果

Hello World!
Validating object...
Validated.