返回未知类型

目前我正在尝试编写一个返回未知对象类型(序列化)的方法。但是,我不断收到来自 java 的错误,要求我提供一个类型 - 但显然,我不知道反序列化对象的具体类型是什么。


这是代码:


public static <?> T deSerialize(String path) throws IOException {//Line in question

    try {

        ObjectInputStream o = new ObjectInputStream(new FileInputStream(path));


        return o.readObject();

    }catch(Exception e) {

        e.printStackTrace();

    }

    return null;


}

我知道我可以简单地返回 type object,但我想知道如何使用泛型来做到这一点。


谢谢你的帮助


慕哥9229398
浏览 199回答 1
1回答

开满天机

中的readObject方法ObjectInputStream返回Object对正确类型的引用。从 ObjectInputStream 中读取一个对象。读取对象的类、类的签名以及类及其所有超类型的非瞬态和非静态字段的值。...应该使用 Java 的安全转换来获得所需的类型。因此,当您调用该方法时,您应该让调用者将其转换为正确的类型。// Non-generic method.public static Object deSerialize(String path) throws IOException {// ...YourType foo = (YourType) deSerialize(path);如果必须使其泛型,则必须有一个类型见证 a Class,它可以为您执行动态类型转换,以便编译器在编译时和运行时检查类型Class.cast。仍然由调用者提供正确的Class.public static <T> T deSerialize(String path, Class<T> clazz) throws IOException {&nbsp; &nbsp; try {&nbsp; &nbsp; &nbsp; &nbsp; ObjectInputStream o = new ObjectInputStream(new FileInputStream(path));&nbsp; &nbsp; &nbsp; &nbsp; return clazz.cast(o.readObject());&nbsp; &nbsp; }catch(Exception e) {&nbsp; &nbsp; &nbsp; &nbsp; e.printStackTrace();&nbsp; &nbsp; }&nbsp; &nbsp; return null;}
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Java