0

我正在尝试为MethodHandle上游库中的非公共方法初始化一个。

private static Method OF_METHOD;

static Method ofMethod() {
    if (OF_METHOD == null) {
        try {
            OF_METHOD = RequestObject.class.getDeclaredMethod(
                    "of", Class.class, String.class, String.class,
                    Object.class, Object.class);
            if (!OF_METHOD.isAccessible()) {
                OF_METHOD.setAccessible(true);
            }
        } catch (final NoSuchMethodException nsme) {
            throw new RuntimeException(nsme);
        }
    }
    return OF_METHOD;
}

private static MethodHandle OF_HANDLE;

static MethodHandle ofHandle() {
    if (OF_HANDLE == null) {
        try {
            OF_HANDLE = MethodHandles.lookup().unreflect(ofMethod());
        } catch (final ReflectiveOperationException roe) {
            throw new RuntimeException(roe);
        }
    }
    return OF_HANDLE;
}

我的SpotBugs Bug Detecter Report 说ofMethod()存在LI_LAZY_INIT_UPDATE_STATIC问题。

我明白它在说什么。我看到这两个步骤(分配和设置可访问)在多线程环境中是有问题的。

我该如何解决这个问题?我应该应用双重检查锁定吗?

还是我应该把ofMethod()逻辑放进去ofHandle()

4

1 回答 1

0

我正在回答我自己的问题。

持有惰性对象引用的想法是个坏主意。

即使使用双重检查锁定

private static volatile Method OF_METHOD;

static Method ofMethod() {
    Method ofMethod = OF_METHOD;
    if (ofMethod == null) {
        synchronized (JacksonRequest.class) {
            ofMethod = OF_METHOD;
            if (ofMethod == null) {
                try {
                    ofMethod = ...;
                } catch (final NoSuchMethodException nsme) {
                    throw new RuntimeException(nsme);
                }
                if (!ofMethod.isAccessible()) {
                    ofMethod.setAccessible(true);
                }
                OF_METHOD = ofMethod;
            }
        }
    }
    return ofMethod;
}

任何人都可以更改accessible状态。

我最终得到了以下不依赖于任何外部变量的代码。

static Method ofMethod() {
    try {
        final Method ofMethod = ...;
        if (!ofMethod.isAccessible()) {
            ofMethod.setAccessible(true);
        }
        return ofMethod;
    } catch (final NoSuchMethodException nsme) {
        throw new RuntimeException(nsme);
    }
}
于 2019-07-05T02:54:21.040 回答