位置:首页 > Java技术 > Java.io包 > Java.io.ObjectInputStream.registerValidation()方法实例

Java.io.ObjectInputStream.registerValidation()方法实例

java.io.ObjectInputStream.registerValidation(ObjectInputValidation obj, int prio) 方法用于注册对象的图形被返回之前进行验证。虽然类似resolveObject这些验证被称为整个图形被改组之后。通常情况下,一个readObject方法将注册对象,这样,当所有的对象都恢复了最后一组的验证可以进行数据流。

声明

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

public void registerValidation(ObjectInputValidation obj, int prio)

参数

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

  • prio -- 控制回调的顺序,0是一个很好的默认值。使用更高的数字被称为背前面,较小的数字后回调。在一个优先级,回调在没有特定的顺序进行处理。

返回值

此方法无返回值。

异常

  • NotActiveException -- 该流不是正在读取对象,因此是无效的注册一个回调函数。

  • InvalidObjectException -- 验证对象为null。

例子

下面的示例演示java.io.ObjectInputStream.registerValidation()方法的用法。

package com.yiibai;

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.