最近同步数据的时候发现了一个问题,我本身后台插入数据后给其他部门后台做同步。说简单一点其实就是调用对方提供的接口,进行HTTP请求调用。然后后面发现问题了。HTTP请求的话,有可能请求超时,中断失败,IO异常其实都有可能,如果是平时打开一个网页还好,打不开的时候,你会关掉,或者他页面给你显示信息。但是同步,不可以这样做,一旦请求失败,必须让数据正确的同步,今天才意识到这个问题的重要性。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
|
String httpUrl = "https://www.baidu.com/s?ie=UTF-8&tn=90594569_hao_pg&wd=1" ;
URL url = null ;
HttpURLConnection httpConn = null ;
String result = "" ;
try {
String address = httpUrl;
url = new URL(address);
httpConn = (HttpURLConnection) url.openConnection();
//A URL connection can be used for input and/or output. Set the
//DoInput flag to true if you intend to use the URL connection for input,
//false if not. The default is true.
//URL连接可用于input或output。如果想用URL连接输入,设置DoInput标签为true。
//输入和输出是针对计算机的,如果以程序员的角度考虑,经常弄混。
//input输入,output输出,那么不是从output里read,input中write吗,其实相反
//input输入进计算机,计算机才能读,所以是从input read,而output是计算机输出,通过output write。
httpConn.setDoOutput( false );
//所以如果setDoInput(false),想从URLConnection读取时不能读取
//Cannot read from URLConnection if doInput=false (call setDoInput(true))
httpConn.setDoInput( true );
//连接建立超时时间还有读取数据超时时间,
httpConn.setConnectTimeout( 600000 );
httpConn.setReadTimeout( 600000 );
httpConn.setRequestMethod( "GET" );
httpConn.connect();
//获取状态码
int code = httpConn.getResponseCode();
System.out.println(code);
//读http请求响应
BufferedReader reader = new BufferedReader( new InputStreamReader(httpConn.getInputStream()));
String line;
while ((line = reader.readLine()) != null )
{
result = result + line+ "\n" ;
}
System.out.println(result);
//关闭IO和连接
reader.close();
httpConn.disconnect();
}
catch (Exception e){
log.error(e);
}
finally {
if (httpConn!= null )
httpConn.disconnect();
}
|
代码看上去写的没什么,该释放资源的地方也释放了。该打日志输出的也打了。其实问题就是异常的处理。之前以为一些东西没有同步过去是因为连接超时的问题。所以特地捕获SocketTimeoutException异常,后面看了日志之后,发现是同步接口那边服务器的问题,报了502错误。其实异常是IO异常。
无论是那种情况,我们都要在出现这种问题之后,再次地把请求发送过去,根据接口返回的结果,确认对方已经同步到。如果服务器暂时性的出了问题,我们可以暂停一小段时间后,然后再次请求。
所以暂时想到的方法是,由于同步的实时性要求不高,那么可以间隔的时间可以长一点。然后循环,另起线程,每次间隔5分钟,直至结果正常。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
catch (Exception e){
for ( int i = 0 ; i < 6 ; i++) {
Thread t = new Thread(){ public void run(){get();}};
t.start();
if (result.equals( "ok" )){
break ;
}
try {
Thread.sleep( 300000 );
} catch (InterruptedException e2) {
log.error(e2);
}
}
log.error(e);
}
|
以上就是对Java HttpURLConnection超时和IO异常处理的资料整理,后续继续补充相关资料,谢谢大家对本站的支持!
原文链接:http://blog.csdn.net/iaiti/article/details/52036947