我有一个我需要在我的一个项目中使用的库,不幸的是它注册了自己的URLStreamHandler
来处理http - URLs
。有没有办法获得对Java的默认http-和https - URLStreamHandlers
的引用,所以我可以在URL
的构造函数中指定其中一个来打开标准的http连接而不使用协议覆盖在图书馆?
答案 0 :(得分:12)
找到它:
sun.net.www.protocol.http.Handler
有了这个,我现在可以做到:
URL url = new URL(null, "http://...", new sun.net.www.protocol.http.Handler());
HttpURLConnection cxn = (HttpURLConnection) url.openConnection();
我得到一个普通的Java HttpURLConnection而不是库提供的那个。
<强>更新强>
我发现了另一种更通用的方法:删除库的URLStreamHandlerFactory
!
这有点棘手,因为URL类在技术上不允许你多次设置工厂或用官方函数调用来清除它,但是有一点反射魔法,我们可以做到反正:
public static String unsetURLStreamHandlerFactory() {
try {
Field f = URL.class.getDeclaredField("factory");
f.setAccessible(true);
Object curFac = f.get(null);
f.set(null, null);
URL.setURLStreamHandlerFactory(null);
return curFac.getClass().getName();
} catch (Exception e) {
return null;
}
}
此方法抓取factory
- 类中的静态字段URL
,使其可访问,获取其当前值并将其更改为 null 。然后,它调用URL.setStreamHandlerFactory(null)(现在完成而没有错误)使此设置为“正式”,即让函数有机会进行其可能想要执行的任何其他清理。然后它返回先前注册的工厂的类名,仅供参考。如果出现任何问题,它会吞下异常(我知道,糟糕的主意......)并返回 null 。
供参考:以下是relevant source-code for URL.java。
注意:这种方法可能比使用内部sun-class更具风险(就可移植性而言)因为它依赖于URL类的特定内部结构(即存在)和factory
- 字段的确切函数,但它确实有一个优点,我不需要通过我的所有代码来查找所有的URL构造函数并添加handler-parameter ...此外,它可能会破坏依赖于其注册处理程序的库的某些功能。幸运的是,这两个问题(可移植性和部分损坏的库功能)都是与我的情况相关的问题。
更新:#2
虽然我们正在使用反射:这是获得对默认处理程序的引用的最安全的方法:
public static URLStreamHandler getURLStreamHandler(String protocol) {
try {
Method method = URL.class.getDeclaredMethod("getURLStreamHandler", String.class);
method.setAccessible(true);
return (URLStreamHandler) method.invoke(null, protocol);
} catch (Exception e) {
return null;
}
}
然后你简单地称之为:
URLStreamHandler hander = getURLStreamHandler("http");
注意:此调用需要在之前库注册其URLStreamHandlerFactory
,否则您将最终获得对其处理程序的引用。
为什么我认为这是最安全的方法?因为URL.getURLStreamHandler(...)
不是完全私有的方法,而只是包私有。因此,修改其调用签名可能会破坏同一包中的其他代码。此外,它的名字并没有留下太多空间来返回我们正在寻找的东西。因此,我认为URL
- 类的不同/未来实现不可能(尽管仍然不是不可能)与此处的假设不相容。
答案 1 :(得分:0)
您可以使用URLStreamHandlerFactory
URL.setURLStreamHandlerFactory(new URLStreamHandlerFactory());
public class URLStreamHandlerFactory implements java.net.URLStreamHandlerFactory {
public URLStreamHandlerFactory() {}
public URLStreamHandler createURLStreamHandler(String protocol) {
if(protocol.equals("http")) {
return new sun.net.www.protocol.http.Handler();
} else if(protocol.equals("https")) {
return new sun.net.www.protocol.https.Handler();
}
return null;
}
}
所以你可以使用标准处理程序编辑:找到this code
答案 2 :(得分:0)
这里是Markus针对Android重写的解决方案:
public static URLStreamHandler getURLStreamHandler(String protocolIdentifier) {
try {
URL url = new URL(protocolIdentifier);
Field handlerField = URL.class.getDeclaredField("handler");
handlerField.setAccessible(true);
return (URLStreamHandler)handlerField.get(url);
} catch (Exception e) {
return null;
}
}
getURLStreamHandler方法在android中不存在,因此需要进行不同的处理。 protocolIdentifier是协议名称加冒号。您需要传递一个值,以便可以用来为所需的协议URLStreamHandler实例化URL实例。如果要使用标准的“ jar:”协议处理程序,则必须输入如下内容:“ jar:file:!/”。可以将“文件”替换为“ http”或“ https”,因为它们都会为您提供相同的处理程序实例。
android支持的标准处理程序是http,https,file,jar,ftp。