在java.net.URL类中提供DNS查找的自定义实现

时间:2015-02-06 08:07:36

标签: java caching dns

我想知道是否有可能在java.net.URL上为DNS查找提供自定义实现 - 我的托管服务提供商的DNS在一天的某些时间变得不稳定,然后DNS查找失败几分钟,但如果我手动配置在我的hosts文件中的相关域,它们工作正常,所以我想做的是在软件级别有某种DNS缓存,如果DNS查找成功,更新缓存,如果失败,则回退到缓存的IP地址并在该IP地址上打开URLConnection。

这是我的URL连接实现:

    URL endpoint = new URL(null, url, new URLStreamHandler() {
        @Override
        protected URLConnection openConnection(URL url)
                throws IOException {
            URL target = new URL(url.toString());
            URLConnection connection = target.openConnection();
            // Connection settings
            connection.setConnectTimeout(connectionTimeout);
            connection.setReadTimeout(readTimeout);
            return (connection);
        }
    });

我正在查看Oracle上的代理,但看不到任何直接的方法在软件级别进行自定义DNS查找。

限制

1:它需要在Java6中工作(可能是Java7,但客户端不会很快切换到Java8)

2:无法添加JVM args

3:我没有这些端点,因此用主机名替换IP地址不是解决方案,因为负载均衡器将根据您是来自主机名还是IP地址来提供不同的内容/ API。例如:mail.google.com解析为216.58.223.37,转到该IP地址将提供google.com内容而不是mail.google.com内容,因为两个服务都使用单个IP地址位于同一负载均衡器后面

4:我不知道我需要缓存多少网址的DNS解析,但我知道它不会超过1000.理想的解决方案是在静态hashmap中使用DNS解析,如果任何DNS解析成功,请更新hashmap,如果失败,请使用hashmap中的DNS解析。

5:如果有本机java解决方案,我宁愿使用JNI - Understanding host name resolution and DNS behavior in Java

2 个答案:

答案 0 :(得分:0)

您可以简单地构建另一个网址:

URL target = new URL(
    url.getProtocol(),
    customDns.resolve(url.getHost()),
    url.getFile());

您可以使用您需要的任何策略来实施customDns.resolve(String)

答案 1 :(得分:0)

您可以创建自定义方法来检查主机是否解析为IP。在主机无法解析之前打开连接之前,请执行查找并直接使用IP来构建URL:

在班级:

private Map<String,InetAddress> cacheMap = new HashMap<String,InetAddress>();

....然后有几种方法来构建你的网址:

private URL buildUrl (String host) throws MalformedURLException {
    InetAddress ia = resolveHostToIp(host);
    URL url = null;

    if (ia != null) {
        url = new URL(ia.getHostAddress());
    } else {
        // Does not resolve and is not in cache....dunno
    }
    return url;
}


 private InetAddress resolveHostToIp(String host) {
    InetAddress ia = null;
    try {
        ia = InetAddress.getByName(host);
        // Update your cache
        cacheMap.put(host, ia);
    } catch (UnknownHostException uhe) {
        System.out.println("\"" + host + "\" does not resolve to an IP! Looking for it in the cacheMap....");
        // Head off to your cache and return the InetAddress from there.....
        ia = cacheMap.get(host);
    }
    return ia;
}