URLの接続に5秒以上かかる場合はfalseを返します-Javaを使用してこれを行うにはどうすればよいですか? URLが有効かどうかを確認するために使用しているコードは次のとおりです。
HttpURLConnection.setFollowRedirects(false);
HttpURLConnection con = (HttpURLConnection) new URL(url).openConnection();
con.setRequestMethod("HEAD");
return (con.getResponseCode() == HttpURLConnection.HTTP_OK);
HttpURLConnection
には setConnectTimeout メソッドがあります。
タイムアウトを5000ミリ秒に設定し、Java.net.SocketTimeoutException
をキャッチするだけです
コードは次のようになります。
try {
HttpURLConnection.setFollowRedirects(false);
HttpURLConnection con = (HttpURLConnection) new URL(url).openConnection();
con.setRequestMethod("HEAD");
con.setConnectTimeout(5000); //set timeout to 5 seconds
return (con.getResponseCode() == HttpURLConnection.HTTP_OK);
} catch (Java.net.SocketTimeoutException e) {
return false;
} catch (Java.io.IOException e) {
return false;
}
このようにタイムアウトを設定できますが、
con.setConnectTimeout(connectTimeout);
con.setReadTimeout(socketTimeout);
HTTP接続がタイムアウトしない場合、バックグラウンドスレッド自体(AsyncTask、Serviceなど)にタイムアウトチェッカーを実装できます。次のクラスは、一定期間後にタイムアウトするAsyncTaskのカスタマイズの例です。
public abstract class AsyncTaskWithTimer<Params, Progress, Result> extends
AsyncTask<Params, Progress, Result> {
private static final int HTTP_REQUEST_TIMEOUT = 30000;
@Override
protected Result doInBackground(Params... params) {
createTimeoutListener();
return doInBackgroundImpl(params);
}
private void createTimeoutListener() {
Thread timeout = new Thread() {
public void run() {
Looper.prepare();
final Handler handler = new Handler();
handler.postDelayed(new Runnable() {
@Override
public void run() {
if (AsyncTaskWithTimer.this != null
&& AsyncTaskWithTimer.this.getStatus() != Status.FINISHED)
AsyncTaskWithTimer.this.cancel(true);
handler.removeCallbacks(this);
Looper.myLooper().quit();
}
}, HTTP_REQUEST_TIMEOUT);
Looper.loop();
}
};
timeout.start();
}
abstract protected Result doInBackgroundImpl(Params... params);
}
これのサンプル
public class AsyncTaskWithTimerSample extends AsyncTaskWithTimer<Void, Void, Void> {
@Override
protected void onCancelled(Void void) {
Log.d(TAG, "Async Task onCancelled With Result");
super.onCancelled(result);
}
@Override
protected void onCancelled() {
Log.d(TAG, "Async Task onCancelled");
super.onCancelled();
}
@Override
protected Void doInBackgroundImpl(Void... params) {
// Do background work
return null;
};
}