Java 11中是否有一些快速的“声明式”方法,而不是乏味的手动实现,可以检查证书是否被吊销?
我尝试使用此答案中的属性: Check X509 certificate revocation status in Spring-Security before authenticating 拥有此虚拟吊销证书:https://revoked.badssl.com 但是代码始终接受证书。我是在做错什么,还是这些属性不再适用于Java 11?如果是这样,我们还有其他选择吗?
下面是我的代码:
public static void validateOnCertificateRevocation(boolean check) {
if (check) {
System.setProperty("com.sun.net.ssl.checkRevocation", "true");
System.setProperty("com.sun.security.enableCRLDP", "true");
Security.setProperty("ocsp.enable", "true");
}
try {
new URL("https://revoked.badssl.com").openConnection().connect();
} catch (IOException e) {
e.printStackTrace();
}
}
答案 0 :(得分:2)
似乎必须在执行第一个请求之前设置这些选项。
因此,以下代码作为独立的Java程序抛出CertPathValidatorException: Certificate has been revoked
(在Windows上使用OpenJDK 11.0.2 x64测试):
public static void main(String[] args) {
validateOnCertificateRevocation(true); // throws CertPathValidatorException
}
但是以下代码不会引起任何错误/异常:
public static void main(String[] args) {
validateOnCertificateRevocation(false);
validateOnCertificateRevocation(true); // nothing happens
}
您可以看到在处理完第一个请求后更改选项无效。我假设这些选项是在某些与证书验证相关的类的static { ... }
块中处理的。
如果您仍想基于每个请求启用/禁用证书吊销检查,则可以通过使用X509TrustManager
实现自己的CertPathValidator
来实现(为此您可以启用/禁用证书吊销)通过PKIXParameters.setRevocationEnabled(boolean)
检查。
或者,有一种解决方案可以全局启用证书吊销检查并显式处理CertificateRevokedException:
private boolean checkOnCertificateRevocation;
@Override
public void checkServerTrusted(X509Certificate[] certs, String authType) throws CertificateException {
try {
getDefaultTrustManager().checkServerTrusted(certs, authType);
} catch (CertificateException e) {
if (checkOnCertificateRevocation) {
if (getRootCause(e) instanceof CertificateRevokedException) {
throw e;
}
}
}
}