GSON无法使用Java 17序列化异常

tcbh2hod  于 2022-11-06  发布在  Java
关注(0)|答案(2)|浏览(358)

以下代码用于Java 11:

new Gson().toJson(new Exception())

在JDK 17上,我收到以下错误:

Unable to make field private java.lang.String java.lang.Throwable.detailMessage accessible: module java.base does not "opens java.lang" to unnamed module @147ed70f

通过阅读this page,我想我可以用--add-opens java.base/java.lang=ALL-UNNAMED来解决它。但是有没有更好的方法?也许用一个自定义的反序列化器?

ltskdhd1

ltskdhd11#

下面是我添加的代码,用于对异常进行反序列化。这可以用在如下的类中:

public class Result {
    public final Object result;
    public final Error error;

    public Result(Object result) { ... }

    public Result(Exception e) {
        this.result = null;
        this.error = new Error(e);
    }
}

而另一个则调用result.error.toThrowable()

public static class Error {
    public final String message;
    public final List<STE> stackTrace;
    public final Error cause;

    public Error(Throwable e) {
        message = e.getMessage();
        stackTrace = Arrays.stream(e.getStackTrace()).map(STE::new).collect(Collectors.toList());
        cause = e.getCause() != null ? new Error(e.getCause()) : null;
    }

    public Throwable toThrowable() {
        Throwable t = new Throwable(message);
        t.setStackTrace(stackTrace.stream().map(STE::toStackTraceElement).toArray(StackTraceElement[]::new));
        if (cause != null) {
            t.initCause(cause.toThrowable());
        }
        return t;
    }

    private static class STE {
        public final String declaringClass;
        public final String methodName;
        public final String fileName;
        public final int    lineNumber;

        public STE(StackTraceElement ste) {
            this.declaringClass = ste.getClassName();
            this.methodName = ste.getMethodName();
            this.fileName = ste.getFileName();
            this.lineNumber = ste.getLineNumber();
        }

        public StackTraceElement toStackTraceElement() {
            return new StackTraceElement(declaringClass, methodName, fileName, lineNumber);
        }
    }
}
n3schb8v

n3schb8v2#

我昨天有这个。我当时用的是Java 17。我回到Java 11,它运行得很好。
我想是因为这样:https://bugs.openjdk.java.net/browse/JDK-8256358
我很懒,使用的是GSON默认的反射类型适配器。
您必须实现自己的TypeAdapter来修复它。或者使用另一个JSON反序列化器,如Jackson,我可能稍后会这样做。

相关问题