HttpUrlConnection底层实现和关于java host绑定ip即时生效的设置及分析

Posted on

HttpUrlConnection底层实现和关于java host绑定ip即时生效的设置及分析

程序员之路
  1. 最近有个需求需要对于获取URL页面进行host绑定并且立即生效,在java里面实现可以用代理服务器来实现:因为在测试环境下可能需要通过绑定来访问测试环境的应用
  2. 实现代码如下:
  3. public static String getResponseText(String queryUrl,String host,String ip) { //queryUrl,完整的url,host和ip需要绑定的host和ip
  4. InputStream is = null;
  5. BufferedReader br = null;
  6. StringBuffer res = new StringBuffer();
  7. try {
  8. HttpURLConnection httpUrlConn = null;
  9. URL url = new URL(queryUrl);
  10. if(ip!=null){
  11. String str[] = ip.split("\.");
  12. byte[] b =new byte[str.length];
  13. for(int i=0,len=str.length;i<len;i++){
  14. b[i] = (byte)(Integer.parseInt(str[i],10));
  15. }
  16. Proxy proxy = new Proxy(Proxy.Type.HTTP,
  17. new InetSocketAddress(InetAddress.getByAddress(b), 80)); //b是绑定的ip,生成proxy代理对象,因为http底层是socket实现,
  18. httpUrlConn = (HttpURLConnection) url
  19. .openConnection(proxy);
  20. }else{
  21. httpUrlConn = (HttpURLConnection) url
  22. .openConnection();
  23. }
  24. httpUrlConn.setRequestMethod("GET");
  25. httpUrlConn.setDoOutput(true);
  26. httpUrlConn.setConnectTimeout(2000);
  27. httpUrlConn.setReadTimeout(2000);
  28. httpUrlConn.setDefaultUseCaches(false);
  29. httpUrlConn.setUseCaches(false);
  30. is = httpUrlConn.getInputStream();
  31. 那么底层对于proxy对象到底是怎么处理,底层的socket实现到底怎么样,带着这个疑惑看了下jdk的rt.jar对于这块的处理
  32. httpUrlConn = (HttpURLConnection) url.openConnection(proxy)
  33. java.net.URL类里面的openConnection方法:
  34. public URLConnection openConnection(Proxy proxy){
  35. return handler.openConnection(this, proxy); Handler是sun.net.www.protocol.http.Handler.java类,继承java.net. URLStreamHandler.java类,用来处理http连接请求响应的。
  36. }
  37. Handler的方法:
  38. protected java.net.URLConnection openConnection(URL u, Proxy p)
  39. throws IOException {
  40. return new HttpURLConnection(u, p, this);
  41. }
  42. 只是简单的生成sun.net.www.protocl.http.HttpURLConnection对象,并进行初始化
  43. protected HttpURLConnection(URL u, Proxy p, Handler handler) {
  44. super(u);
  45. requests = new MessageHeader(); 请求头信息生成类
  46. responses = new MessageHeader(); 响应头信息解析类
  47. this.handler = handler;
  48. instProxy = p; 代理服务器对象
  49. cookieHandler = (CookieHandler)java.security.AccessController.doPrivileged(
  50. new java.security.PrivilegedAction() {
  51. public Object run() {
  52. return CookieHandler.getDefault();
  53. }
  54. });
  55. cacheHandler = (ResponseCache)java.security.AccessController.doPrivileged(
  56. new java.security.PrivilegedAction() {
  57. public Object run() {
  58. return ResponseCache.getDefault();
  59. }
  60. });
  61. }
  62. 最终在httpUrlConn.getInputStream();才进行socket连接,发送http请求,解析http响应信息。具体过程如下:
  63. sun.net.www.protocl.http.HttpURLConnection.java的getInputStream方法:
  64. public synchronized InputStream getInputStream() throws IOException {
  65. ...socket连接
  66. connect();
  67. ...
  68. ps = (PrintStream)http.getOutputStream(); 获得输出流,打开连接之后已经生成。
  69. if (!streaming()) {
  70. writeRequests(); 输出http请求头信息
  71. }
  72. ...
  73. http.parseHTTP(responses, pi, this); 解析响应信息
  74. if(logger.isLoggable(Level.FINEST)) {
  75. logger.fine(responses.toString());
  76. }
  77. inputStream = http.getInputStream(); 获得输入流
  78. }
  79. 其中connect()调用方法链:
  80. plainConnect(){
  81. ...
  82. Proxy p = null;
  83. if (sel != null) {
  84. URI uri = sun.net.www.ParseUtil.toURI(url);
  85. Iterator it = sel.select(uri).iterator();
  86. while (it.hasNext()) {
  87. p = it.next();
  88. try {
  89. if (!failedOnce) {
  90. http = getNewHttpClient(url, p, connectTimeout);
  91. ...
  92. }
  93. getNewHttpClient(){
  94. ...
  95. return HttpClient.New(url, p, connectTimeout, useCache);
  96. ...
  97. }
  98. 下面跟进去最终建立socket连接的代码:
  99. sun.net.www.http.HttpClient.java的openServer()方法建立socket连接:
  100. protected synchronized void openServer() throws IOException {
  101. ...
  102. if ((proxy != null) && (proxy.type() == Proxy.Type.HTTP)) {
  103. sun.net.www.URLConnection.setProxiedHost(host);
  104. if (security != null) {
  105. security.checkConnect(host, port);
  106. }
  107. privilegedOpenServer((InetSocketAddress) proxy.address());最终socket连接的是设置的代理服务器的地址,
  108. ...
  109. }
  110. private synchronized void privilegedOpenServer(final InetSocketAddress server)
  111. throws IOException
  112. {
  113. try {
  114. java.security.AccessController.doPrivileged(
  115. new java.security.PrivilegedExceptionAction() {
  116. public Object run() throws IOException {
  117. openServer(server.getHostName(), server.getPort()); 注意openserver函数 这里的server的getHostName是设置的代理服务器,(ip或者hostname,如果是host绑定设置的代理服务器的ip,那么这里getHostName出来的就是ip地址,可以去查看InetSocketAddress类的getHostName方法)
  118. return null;
  119. }
  120. });
  121. } catch (java.security.PrivilegedActionException pae) {
  122. throw (IOException) pae.getException();
  123. }
  124. }
  125. public void openServer(String server, int port) throws IOException {
  126. serverSocket = doConnect(server, port); 生成的Socket连接对象
  127. try {
  128. serverOutput = new PrintStream(
  129. new BufferedOutputStream(serverSocket.getOutputStream()),
  130. false, encoding); 生成输出流,
  131. } catch (UnsupportedEncodingException e) {
  132. throw new InternalError(encoding+" encoding not found");
  133. }
  134. serverSocket.setTcpNoDelay(true);
  135. }
  136. protected Socket doConnect (String server, int port)
  137. throws IOException, UnknownHostException {
  138. Socket s;
  139. if (proxy != null) {
  140. if (proxy.type() == Proxy.Type.SOCKS) {
  141. s = (Socket) AccessController.doPrivileged(
  142. new PrivilegedAction() {
  143. public Object run() {
  144. return new Socket(proxy);
  145. }});
  146. } else
  147. s = new Socket(Proxy.NO_PROXY);
  148. } else
  149. s = new Socket();
  150. // Instance specific timeouts do have priority, that means
  151. // connectTimeout & readTimeout (-1 means not set)
  152. // Then global default timeouts
  153. // Then no timeout.
  154. if (connectTimeout >= 0) {
  155. s.connect(new InetSocketAddress(server, port), connectTimeout);
  156. } else {
  157. if (defaultConnectTimeout > 0) {
  158. s.connect(new InetSocketAddress(server, port), defaultConnectTimeout);//连接到代理服务器,看下面Socket类的connect方法代码
  159. } else {
  160. s.connect(new InetSocketAddress(server, port));
  161. }
  162. }
  163. if (readTimeout >= 0)
  164. s.setSoTimeout(readTimeout);
  165. else if (defaultSoTimeout > 0) {
  166. s.setSoTimeout(defaultSoTimeout);
  167. }
  168. return s;
  169. }
  170. 上面的new InetSocketAddress(server, port)这里会涉及到java DNS cache的处理,
  171. public InetSocketAddress(String hostname, int port) {
  172. if (port < 0 || port > 0xFFFF) {
  173. throw new IllegalArgumentException("port out of range:" + port);
  174. }
  175. if (hostname == null) {
  176. throw new IllegalArgumentException("hostname can't be null");
  177. }
  178. try {
  179. addr = InetAddress.getByName(hostname); //这里会有java DNS缓存的处理,先从缓存取hostname绑定的ip地址,如果取不到再通过OS的DNS cache机制去取,取不到再从DNS服务器上取。
  180. } catch(UnknownHostException e) {
  181. this.hostname = hostname;
  182. addr = null;
  183. }
  184. this.port = port;
  185. }
  186. 当然最终的Socket.java的connect方法
  187. java.net.socket
  188. public void connect(SocketAddress endpoint, int timeout) throws IOException {
  189. if (endpoint == null)
  190. if (timeout < 0)
  191. throw new IllegalArgumentException("connect: timeout can't be negative");
  192. if (isClosed())
  193. throw new SocketException("Socket is closed");
  194. if (!oldImpl && isConnected())
  195. throw new SocketException("already connected");
  196. if (!(endpoint instanceof InetSocketAddress))
  197. throw new IllegalArgumentException("Unsupported address type");
  198. InetSocketAddress epoint = (InetSocketAddress) endpoint;
  199. SecurityManager security = System.getSecurityManager();
  200. if (security != null) {
  201. if (epoint.isUnresolved())
  202. security.checkConnect(epoint.getHostName(),
  203. epoint.getPort());
  204. else
  205. security.checkConnect(epoint.getAddress().getHostAddress(),
  206. epoint.getPort());
  207. }
  208. if (!created)
  209. createImpl(true);
  210. if (!oldImpl)
  211. impl.connect(epoint, timeout);
  212. else if (timeout == 0) {
  213. if (epoint.isUnresolved()) //如果没有设置SocketAddress的ip地址,则用域名去访问
  214. impl.connect(epoint.getAddress().getHostName(),
  215. epoint.getPort());
  216. else
  217. impl.connect(epoint.getAddress(), epoint.getPort()); 最终socket连接的是设置的SocketAddress的ip地址,
  218. } else
  219. throw new UnsupportedOperationException("SocketImpl.connect(addr, timeout)");
  220. connected = true;
  221. //*
  222. /* If the socket was not bound before the connect, it is now because
  223. /* the kernel will have picked an ephemeral port & a local address
  224. /*/
  225. bound = true;
  226. }
  227. 我们再看下通过socket来发送HTTP请求的处理代码,也就是sun.net.www.protocl.http.HttpURLConnection.java的getInputStream方法中调用的writeRequests()方法:
  228. private void writeRequests() throws IOException { 这段代码就是封装http请求的头请求信息,通过socket发送出去
  229. //* print all message headers in the MessageHeader
  230. /* onto the wire - all the ones we've set and any
  231. /* others that have been set
  232. /*/
  233. // send any pre-emptive authentication
  234. if (http.usingProxy) {
  235. setPreemptiveProxyAuthentication(requests);
  236. }
  237. if (!setRequests) {
  238. //* We're very particular about the order in which we
  239. /* set the request headers here. The order should not
  240. /* matter, but some careless CGI programs have been
  241. /* written to expect a very particular order of the
  242. /* standard headers. To name names, the order in which
  243. / Navigator3.0 sends them. In particular, we make /sure/*
  244. /* to send Content-type: <> and Content-length:<> second
  245. /* to last and last, respectively, in the case of a POST
  246. /* request.
  247. /*/
  248. if (!failedOnce)
  249. requests.prepend(method + " " + http.getURLFile()+" " +
  250. httpVersion, null);
  251. if (!getUseCaches()) {
  252. requests.setIfNotSet ("Cache-Control", "no-cache");
  253. requests.setIfNotSet ("Pragma", "no-cache");
  254. }
  255. requests.setIfNotSet("User-Agent", userAgent);
  256. int port = url.getPort();
  257. String host = url.getHost();
  258. if (port != -1 && port != url.getDefaultPort()) {
  259. host += ":" + String.valueOf(port);
  260. }
  261. requests.setIfNotSet("Host", host);
  262. requests.setIfNotSet("Accept", acceptString);
  263. //*
  264. /* For HTTP/1.1 the default behavior is to keep connections alive.
  265. /* However, we may be talking to a 1.0 server so we should set
  266. /* keep-alive just in case, except if we have encountered an error
  267. /* or if keep alive is disabled via a system property
  268. /*/
  269. // Try keep-alive only on first attempt
  270. if (!failedOnce && http.getHttpKeepAliveSet()) {
  271. if (http.usingProxy) {
  272. requests.setIfNotSet("Proxy-Connection", "keep-alive");
  273. } else {
  274. requests.setIfNotSet("Connection", "keep-alive");
  275. }
  276. } else {
  277. //*
  278. /* RFC 2616 HTTP/1.1 section 14.10 says:
  279. /* HTTP/1.1 applications that do not support persistent
  280. /* connections MUST include the "close" connection option
  281. /* in every message
  282. /*/
  283. requests.setIfNotSet("Connection", "close");
  284. }
  285. // Set modified since if necessary
  286. long modTime = getIfModifiedSince();
  287. if (modTime != 0 ) {
  288. Date date = new Date(modTime);
  289. //use the preferred date format according to RFC 2068(HTTP1.1),
  290. // RFC 822 and RFC 1123
  291. SimpleDateFormat fo =
  292. new SimpleDateFormat ("EEE, dd MMM yyyy HH:mm:ss 'GMT'", Locale.US);
  293. fo.setTimeZone(TimeZone.getTimeZone("GMT"));
  294. requests.setIfNotSet("If-Modified-Since", fo.format(date));
  295. }
  296. // check for preemptive authorization
  297. AuthenticationInfo sauth = AuthenticationInfo.getServerAuth(url);
  298. if (sauth != null && sauth.supportsPreemptiveAuthorization() ) {
  299. // Sets "Authorization"
  300. requests.setIfNotSet(sauth.getHeaderName(), sauth.getHeaderValue(url,method));
  301. currentServerCredentials = sauth;
  302. }
  303. if (!method.equals("PUT") && (poster != null || streaming())) {
  304. requests.setIfNotSet ("Content-type",
  305. "application/x-www-form-urlencoded");
  306. }
  307. if (streaming()) {
  308. if (chunkLength != -1) {
  309. requests.set ("Transfer-Encoding", "chunked");
  310. } else {
  311. requests.set ("Content-Length", String.valueOf(fixedContentLength));
  312. }
  313. } else if (poster != null) {
  314. // add Content-Length & POST/PUT data //
  315. synchronized (poster) {
  316. // close it, so no more data can be added //
  317. poster.close();
  318. requests.set("Content-Length",
  319. String.valueOf(poster.size()));
  320. }
  321. }
  322. // get applicable cookies based on the uri and request headers
  323. // add them to the existing request headers
  324. setCookieHeader();
  325. }
  326. 再来看看把socket响应信息解析为http的响应信息的代码:
  327. sun.net.www.http.HttpClient.java的parseHTTP方法:
  328. private boolean parseHTTPHeader(MessageHeader responses, ProgressSource pi, HttpURLConnection httpuc)
  329. throws IOException {
  330. // If "HTTP//" is found in the beginning, return true. Let
  331. /* HttpURLConnection parse the mime header itself.
  332. /*
  333. /* If this isn't valid HTTP, then we don't try to parse a header
  334. /* out of the beginning of the response into the responses,
  335. /* and instead just queue up the output stream to it's very beginning.
  336. /* This seems most reasonable, and is what the NN browser does.
  337. /*/
  338. keepAliveConnections = -1;
  339. keepAliveTimeout = 0;
  340. boolean ret = false;
  341. byte[] b = new byte[8];
  342. try {
  343. int nread = 0;
  344. serverInput.mark(10);
  345. while (nread < 8) {
  346. int r = serverInput.read(b, nread, 8 - nread);
  347. if (r < 0) {
  348. break;
  349. }
  350. nread += r;
  351. }
  352. String keep=null;
  353. ret = b[0] == 'H' && b[1] == 'T'
  354. && b[2] == 'T' && b[3] == 'P' && b[4] == '/' &&
  355. b[5] == '1' && b[6] == '.';
  356. serverInput.reset();
  357. if (ret) { // is valid HTTP - response started w/ "HTTP/1."
  358. responses.parseHeader(serverInput);
  359. // we've finished parsing http headers
  360. // check if there are any applicable cookies to set (in cache)
  361. if (cookieHandler != null) {
  362. URI uri = ParseUtil.toURI(url);
  363. // NOTE: That cast from Map shouldn't be necessary but
  364. // a bug in javac is triggered under certain circumstances
  365. // So we do put the cast in as a workaround until
  366. // it is resolved.
  367. if (uri != null)
  368. cookieHandler.put(uri, (Map>)responses.getHeaders());
  369. }
  370. //* decide if we're keeping alive:
  371. /* This is a bit tricky. There's a spec, but most current
  372. /* servers (10/1/96) that support this differ in dialects.
  373. /* If the server/client misunderstand each other, the
  374. /* protocol should fall back onto HTTP/1.0, no keep-alive.
  375. /*/
  376. if (usingProxy) { // not likely a proxy will return this
  377. keep = responses.findValue("Proxy-Connection");
  378. }
  379. if (keep == null) {
  380. keep = responses.findValue("Connection");
  381. }
  382. if (keep != null && keep.toLowerCase().equals("keep-alive")) {
  383. //* some servers, notably Apache1.1, send something like:
  384. /* "Keep-Alive: timeout=15, max=1" which we should respect.
  385. /*/
  386. HeaderParser p = new HeaderParser(
  387. responses.findValue("Keep-Alive"));
  388. if (p != null) {
  389. // default should be larger in case of proxy //
  390. keepAliveConnections = p.findInt("max", usingProxy?50:5);
  391. keepAliveTimeout = p.findInt("timeout", usingProxy?60:5);
  392. }
  393. } else if (b[7] != '0') {
  394. //*
  395. /* We're talking 1.1 or later. Keep persistent until
  396. /* the server says to close.
  397. /*/
  398. if (keep != null) {
  399. //*
  400. /* The only Connection token we understand is close.
  401. /* Paranoia: if there is any Connection header then
  402. /* treat as non-persistent.
  403. /*/
  404. keepAliveConnections = 1;
  405. } else {
  406. keepAliveConnections = 5;
  407. }
  408. }
  409. ……
  410. }
  411. 对于java.net包的http,ftp等各种协议的底层实现,可以参考rt.jar下面的几个包的代码:
  412. sun.net.www.protocl下的几个包。
  413. 在http client中也可以设置代理:
  414. HostConfiguration conf = new HostConfiguration();
  415. conf.setHost(host);
  416. conf.setProxy(ip, 80);
  417. statusCode = httpclient.executeMethod(conf,getMethod);
  418. httpclient自己也是基于socket封装的http处理的库。底层代理的实现是一样的。
  419. 另外一种不设置代理,通过反射修改InetAddress的cache也是ok的。但是这种方法非常不推荐,不要使用,因为对于proxy代理服务器概念了解不清楚,最开始还使用这种方法,
  420. public static void jdkDnsNoCache(final String host, final String ip)
  421. throws SecurityException, NoSuchFieldException,
  422. IllegalArgumentException, IllegalAccessException {
  423. if (StringUtils.isBlank(host)) {
  424. return;
  425. }
  426. final Class clazz = java.net.InetAddress.class;
  427. final Field cacheField = clazz.getDeclaredField("addressCache");
  428. cacheField.setAccessible(true);
  429. final Object o = cacheField.get(clazz);
  430. Class clazz2 = o.getClass();
  431. final Field cacheMapField = clazz2.getDeclaredField("cache");
  432. cacheMapField.setAccessible(true);
  433. final Map cacheMap = (Map) cacheMapField.get(o);
  434. AccessController.doPrivileged(new PrivilegedAction() {
  435. public Object run() {
  436. try {
  437. synchronized (o) {// 同步是必须的,因为o可能会有多个线程同时访问修改。
  438. // cacheMap.clear();//这步比较关键,用于清除原来的缓存
  439. // cacheMap.remove(host);
  440. if (!StringUtils.isBlank(ip)) {
  441. InetAddress inet = InetAddress.getByAddress(host,IPUtil.int2byte(ip));
  442. InetAddress addressstart = InetAddress.getByName(host);
  443. Object cacheEntry = cacheMap.get(host);
  444. cacheMap.put(host,newCacheEntry(inet,cacheEntry));
  445. // cacheMap.put(host,newCacheEntry(newInetAddress(host, ip)));
  446. }else{
  447. cacheMap.remove(host);
  448. }
  449. // System.out.println(getStaticProperty(
  450. // "java.net.InetAddress", "addressCacheInit"));
  451. // System.out.println(invokeStaticMethod("java.net.InetAddress","getCachedAddress",new
  452. // Object[]{host}));
  453. }
  454. } catch (Throwable te) {
  455. throw new RuntimeException(te);
  456. }
  457. return null;
  458. }
  459. });
  460. final Map cacheMapafter = (Map) cacheMapField.get(o);
  461. System.out.println(cacheMapafter);
  462. }
  463. 关于java中对于DNS的缓存设置可以参考:
  464. 1.在${java_home}/jre/lib/secuiry/java.secuiry文件,修改下面为
  465. networkaddress.cache.negative.ttl=0 DNS解析不成功的缓存时间
  466. networkaddress.cache.ttl=0 DNS解析成功的缓存的时间
  467. 2.jvm启动时增加下面两个启动环境变量
  468. -Dsun.net.inetaddr.ttl=0
  469. -Dsun.net.inetaddr.negative.ttl=0
  470. 如果在java程序中使用,可以这么设置设置:
  471. java.security.Security.setProperty("networkaddress.cache.ttl" , "0");
  472. java.security.Security.setProperty("networkaddress.cache.negative.ttl" , "0");
  473. 还有几篇文档链接可以查看:
  474. http://www.rgagnon.com/javadetails/java-0445.html
  475. http://bugs.sun.com/bugdatabase/view_bug.do?bug_id=6247501
  476. linux下关于OS DNS设置的几个文件是
  477. /etc/resolve.conf
  478. /etc/nscd.conf
  479. /etc/nsswitch.conf
  480. http://www.linuxfly.org/post/543/
  481. http://linux.die.net/man/5/nscd.conf
  482. http://www.linuxhomenetworking.com/wiki/index.php/Quick_HOWTO_:_Ch18_:_Configuring_DNS
  483. http://linux.die.net/man/5/nscd.conf
    最近有个需求需要对于获取URL页面进行host绑定并且立即生效,在java里面实现可以用代理服务器来实现:因为在测试环境下可能需要通过绑定来访问测试环境的应用 实现代码如下: public static String getResponseText(String queryUrl,String host,String ip) { //queryUrl,完整的url,host和ip需要绑定的host和ip InputStream is = null; BufferedReader br = null; StringBuffer res = new StringBuffer(); try { HttpURLConnection httpUrlConn = null; URL url = new URL(queryUrl); if(ip!=null){ String str[] = ip.split("\."); byte[] b =new byte[str.length]; for(int i=0,len=str.length;i it = sel.select(uri).iterator(); while (it.hasNext()) { p = it.next(); try { if (!failedOnce) { http = getNewHttpClient(url, p, connectTimeout); ... } getNewHttpClient(){ ... return HttpClient.New(url, p, connectTimeout, useCache); ... } 下面跟进去最终建立socket连接的代码: sun.net.www.http.HttpClient.java的openServer()方法建立socket连接: protected synchronized void openServer() throws IOException { ... if ((proxy != null) && (proxy.type() == Proxy.Type.HTTP)) { sun.net.www.URLConnection.setProxiedHost(host); if (security != null) { security.checkConnect(host, port); } privilegedOpenServer((InetSocketAddress) proxy.address());最终socket连接的是设置的代理服务器的地址, ... } private synchronized void privilegedOpenServer(final InetSocketAddress server) throws IOException { try { java.security.AccessController.doPrivileged( new java.security.PrivilegedExceptionAction() { public Object run() throws IOException { openServer(server.getHostName(), server.getPort()); 注意openserver函数 这里的server的getHostName是设置的代理服务器,(ip或者hostname,如果是host绑定设置的代理服务器的ip,那么这里getHostName出来的就是ip地址,可以去查看InetSocketAddress类的getHostName方法) return null; } }); } catch (java.security.PrivilegedActionException pae) { throw (IOException) pae.getException(); } } public void openServer(String server, int port) throws IOException { serverSocket = doConnect(server, port); 生成的Socket连接对象 try { serverOutput = new PrintStream( new BufferedOutputStream(serverSocket.getOutputStream()), false, encoding); 生成输出流, } catch (UnsupportedEncodingException e) { throw new InternalError(encoding+" encoding not found"); } serverSocket.setTcpNoDelay(true); } protected Socket doConnect (String server, int port) throws IOException, UnknownHostException { Socket s; if (proxy != null) { if (proxy.type() == Proxy.Type.SOCKS) { s = (Socket) AccessController.doPrivileged( new PrivilegedAction() { public Object run() { return new Socket(proxy); }}); } else s = new Socket(Proxy.NOPROXY); } else s = new Socket(); // Instance specific timeouts do have priority, that means // connectTimeout & readTimeout (-1 means not set) // Then global default timeouts // Then no timeout. if (connectTimeout >= 0) { s.connect(new InetSocketAddress(server, port), connectTimeout); } else { if (defaultConnectTimeout > 0) { s.connect(new InetSocketAddress(server, port), defaultConnectTimeout);//连接到代理服务器,看下面Socket类的connect方法代码 } else { s.connect(new InetSocketAddress(server, port)); } } if (readTimeout >= 0) s.setSoTimeout(readTimeout); else if (defaultSoTimeout > 0) { s.setSoTimeout(defaultSoTimeout); } return s; } 上面的new InetSocketAddress(server, port)这里会涉及到java DNS cache的处理, public InetSocketAddress(String hostname, int port) { if (port < 0 || port > 0xFFFF) { throw new IllegalArgumentException("port out of range:" + port); } if (hostname == null) { throw new IllegalArgumentException("hostname can't be null"); } try { addr = InetAddress.getByName(hostname); //这里会有java DNS缓存的处理,先从缓存取hostname绑定的ip地址,如果取不到再通过OS的DNS cache机制去取,取不到再从DNS服务器上取。 } catch(UnknownHostException e) { this.hostname = hostname; addr = null; } this.port = port; } 当然最终的Socket.java的connect方法 java.net.socket public void connect(SocketAddress endpoint, int timeout) throws IOException { if (endpoint == null) if (timeout < 0) throw new IllegalArgumentException("connect: timeout can't be negative"); if (isClosed()) throw new SocketException("Socket is closed"); if (!oldImpl && isConnected()) throw new SocketException("already connected"); if (!(endpoint instanceof InetSocketAddress)) throw new IllegalArgumentException("Unsupported address type"); InetSocketAddress epoint = (InetSocketAddress) endpoint; SecurityManager security = System.getSecurityManager(); if (security != null) { if (epoint.isUnresolved()) security.checkConnect(epoint.getHostName(), epoint.getPort()); else security.checkConnect(epoint.getAddress().getHostAddress(), epoint.getPort()); } if (!created) createImpl(true); if (!oldImpl) impl.connect(epoint, timeout); else if (timeout == 0) { if (epoint.isUnresolved()) //如果没有设置SocketAddress的ip地址,则用域名去访问 impl.connect(epoint.getAddress().getHostName(), epoint.getPort()); else impl.connect(epoint.getAddress(), epoint.getPort()); 最终socket连接的是设置的SocketAddress的ip地址, } else throw new UnsupportedOperationException("SocketImpl.connect(addr, timeout)"); connected = true; // / If the socket was not bound before the connect, it is now because / the kernel will have picked an ephemeral port & a local address // bound = true; } 我们再看下通过socket来发送HTTP请求的处理代码,也就是sun.net.www.protocl.http.HttpURLConnection.java的getInputStream方法中调用的writeRequests()方法: private void writeRequests() throws IOException { 这段代码就是封装http请求的头请求信息,通过socket发送出去 // print all message headers in the MessageHeader / onto the wire - all the ones we've set and any / others that have been set // // send any pre-emptive authentication if (http.usingProxy) { setPreemptiveProxyAuthentication(requests); } if (!setRequests) { // We're very particular about the order in which we / set the request headers here. The order should not / matter, but some careless CGI programs have been / written to expect a very particular order of the / standard headers. To name names, the order in which / Navigator3.0 sends them. In particular, we make /sure/ / to send Content-type: <> and Content-length:<> second / to last and last, respectively, in the case of a POST / request. // if (!failedOnce) requests.prepend(method + " " + http.getURLFile()+" " + httpVersion, null); if (!getUseCaches()) { requests.setIfNotSet ("Cache-Control", "no-cache"); requests.setIfNotSet ("Pragma", "no-cache"); } requests.setIfNotSet("User-Agent", userAgent); int port = url.getPort(); String host = url.getHost(); if (port != -1 && port != url.getDefaultPort()) { host += ":" + String.valueOf(port); } requests.setIfNotSet("Host", host); requests.setIfNotSet("Accept", acceptString); // / For HTTP/1.1 the default behavior is to keep connections alive. / However, we may be talking to a 1.0 server so we should set / keep-alive just in case, except if we have encountered an error / or if keep alive is disabled via a system property // // Try keep-alive only on first attempt if (!failedOnce && http.getHttpKeepAliveSet()) { if (http.usingProxy) { requests.setIfNotSet("Proxy-Connection", "keep-alive"); } else { requests.setIfNotSet("Connection", "keep-alive"); } } else { // / RFC 2616 HTTP/1.1 section 14.10 says: / HTTP/1.1 applications that do not support persistent / connections MUST include the "close" connection option / in every message // requests.setIfNotSet("Connection", "close"); } // Set modified since if necessary long modTime = getIfModifiedSince(); if (modTime != 0 ) { Date date = new Date(modTime); //use the preferred date format according to RFC 2068(HTTP1.1), // RFC 822 and RFC 1123 SimpleDateFormat fo = new SimpleDateFormat ("EEE, dd MMM yyyy HH:mm:ss 'GMT'", Locale.US); fo.setTimeZone(TimeZone.getTimeZone("GMT")); requests.setIfNotSet("If-Modified-Since", fo.format(date)); } // check for preemptive authorization AuthenticationInfo sauth = AuthenticationInfo.getServerAuth(url); if (sauth != null && sauth.supportsPreemptiveAuthorization() ) { // Sets "Authorization" requests.setIfNotSet(sauth.getHeaderName(), sauth.getHeaderValue(url,method)); currentServerCredentials = sauth; } if (!method.equals("PUT") && (poster != null || streaming())) { requests.setIfNotSet ("Content-type", "application/x-www-form-urlencoded"); } if (streaming()) { if (chunkLength != -1) { requests.set ("Transfer-Encoding", "chunked"); } else { requests.set ("Content-Length", String.valueOf(fixedContentLength)); } } else if (poster != null) { // add Content-Length & POST/PUT data // synchronized (poster) { // close it, so no more data can be added // poster.close(); requests.set("Content-Length", String.valueOf(poster.size())); } } // get applicable cookies based on the uri and request headers // add them to the existing request headers setCookieHeader(); … } 再来看看把socket响应信息解析为http的响应信息的代码: sun.net.www.http.HttpClient.java的parseHTTP方法: private boolean parseHTTPHeader(MessageHeader responses, ProgressSource pi, HttpURLConnection httpuc) throws IOException { // If "HTTP//" is found in the beginning, return true. Let / HttpURLConnection parse the mime header itself. / / If this isn't valid HTTP, then we don't try to parse a header / out of the beginning of the response into the responses, / and instead just queue up the output stream to it's very beginning. / This seems most reasonable, and is what the NN browser does. // keepAliveConnections = -1; keepAliveTimeout = 0; boolean ret = false; byte[] b = new byte[8]; try { int nread = 0; serverInput.mark(10); while (nread < 8) { int r = serverInput.read(b, nread, 8 - nread); if (r < 0) { break; } nread += r; } String keep=null; ret = b[0] == 'H' && b[1] == 'T' && b[2] == 'T' && b[3] == 'P' && b[4] == '/' && b[5] == '1' && b[6] == '.'; serverInput.reset(); if (ret) { // is valid HTTP - response started w/ "HTTP/1." responses.parseHeader(serverInput); // we've finished parsing http headers // check if there are any applicable cookies to set (in cache) if (cookieHandler != null) { URI uri = ParseUtil.toURI(url); // NOTE: That cast from Map shouldn't be necessary but // a bug in javac is triggered under certain circumstances // So we do put the cast in as a workaround until // it is resolved. if (uri != null) cookieHandler.put(uri, (Map>)responses.getHeaders()); } // decide if we're keeping alive: / This is a bit tricky. There's a spec, but most current / servers (10/1/96) that support this differ in dialects. / If the server/client misunderstand each other, the / protocol should fall back onto HTTP/1.0, no keep-alive. // if (usingProxy) { // not likely a proxy will return this keep = responses.findValue("Proxy-Connection"); } if (keep == null) { keep = responses.findValue("Connection"); } if (keep != null && keep.toLowerCase().equals("keep-alive")) { // some servers, notably Apache1.1, send something like: / "Keep-Alive: timeout=15, max=1" which we should respect. // HeaderParser p = new HeaderParser( responses.findValue("Keep-Alive")); if (p != null) { // default should be larger in case of proxy // keepAliveConnections = p.findInt("max", usingProxy?50:5); keepAliveTimeout = p.findInt("timeout", usingProxy?60:5); } } else if (b[7] != '0') { // / We're talking 1.1 or later. Keep persistent until / the server says to close. // if (keep != null) { // / The only Connection token we understand is close. / Paranoia: if there is any Connection header then / treat as non-persistent. /*/ keepAliveConnections = 1; } else { keepAliveConnections = 5; } } …… } 对于java.net包的http,ftp等各种协议的底层实现,可以参考rt.jar下面的几个包的代码: sun.net.www.protocl下的几个包。 在http client中也可以设置代理: HostConfiguration conf = new HostConfiguration(); conf.setHost(host); conf.setProxy(ip, 80); statusCode = httpclient.executeMethod(conf,getMethod); httpclient自己也是基于socket封装的http处理的库。底层代理的实现是一样的。 另外一种不设置代理,通过反射修改InetAddress的cache也是ok的。但是这种方法非常不推荐,不要使用,因为对于proxy代理服务器概念了解不清楚,最开始还使用这种方法, public static void jdkDnsNoCache(final String host, final String ip) throws SecurityException, NoSuchFieldException, IllegalArgumentException, IllegalAccessException { if (StringUtils.isBlank(host)) { return; } final Class clazz = java.net.InetAddress.class; final Field cacheField = clazz.getDeclaredField("addressCache"); cacheField.setAccessible(true); final Object o = cacheField.get(clazz); Class clazz2 = o.getClass(); final Field cacheMapField = clazz2.getDeclaredField("cache"); cacheMapField.setAccessible(true); final Map cacheMap = (Map) cacheMapField.get(o); AccessController.doPrivileged(new PrivilegedAction() { public Object run() { try { synchronized (o) {// 同步是必须的,因为o可能会有多个线程同时访问修改。 // cacheMap.clear();//这步比较关键,用于清除原来的缓存 // cacheMap.remove(host); if (!StringUtils.isBlank(ip)) { InetAddress inet = InetAddress.getByAddress(host,IPUtil.int2byte(ip)); InetAddress addressstart = InetAddress.getByName(host); Object cacheEntry = cacheMap.get(host); cacheMap.put(host,newCacheEntry(inet,cacheEntry)); // cacheMap.put(host,newCacheEntry(newInetAddress(host, ip))); }else{ cacheMap.remove(host); } // System.out.println(getStaticProperty( // "java.net.InetAddress", "addressCacheInit")); // System.out.println(invokeStaticMethod("java.net.InetAddress","getCachedAddress",new // Object[]{host})); } } catch (Throwable te) { throw new RuntimeException(te); } return null; } }); final Map cacheMapafter = (Map) cacheMapField.get(o); System.out.println(cacheMapafter); } 关于java中对于DNS的缓存设置可以参考: 1.在${java_home}/jre/lib/secuiry/java.secuiry文件,修改下面为 networkaddress.cache.negative.ttl=0 DNS解析不成功的缓存时间 networkaddress.cache.ttl=0 DNS解析成功的缓存的时间 2.jvm启动时增加下面两个启动环境变量 -Dsun.net.inetaddr.ttl=0 -Dsun.net.inetaddr.negative.ttl=0 如果在java程序中使用,可以这么设置设置: java.security.Security.setProperty("networkaddress.cache.ttl" , "0"); java.security.Security.setProperty("networkaddress.cache.negative.ttl" , "0"); 还有几篇文档链接可以查看: http://www.rgagnon.com/javadetails/java-0445.html http://bugs.sun.com/bugdatabase/view_bug.do?bug_id=6247501 linux下关于OS DNS设置的几个文件是 /etc/resolve.conf /etc/nscd.conf /etc/nsswitch.conf http://www.linuxfly.org/post/543/ http://linux.die.net/man/5/nscd.conf http://www.linuxhomenetworking.com/wiki/index.php/Quick_HOWTO:Ch18:_Configuring_DNS http://linux.die.net/man/5/nscd.conf
希望本站内容对您有点用处,有什么疑问或建议请在后面留言评论
转载请注明作者(RobinChia)和出处 It so life ,请勿用于任何商业用途