我已经被困了两天了,终于决定在这里发帖。
我看到loopj库被用于异步调用,并有很多示例和解释。
但由于我不能在安卓系统的IntentDrive中使用异步调用,我被迫使用SyncHttpClient,但它似乎不起作用,因为当我使用SyncHttpClient时,只调用onFailure回调。
文档中也没有使用SyncHttpClient的示例。
这里也讨论了这个问题。
那么,有人能给出正确的方法吗?
您的方法与异步http客户端相同,您提供了实现ResponseHandlerInterface的处理程序,但现在该请求将在同一线程中执行。通过将调试器设置为同步http客户端调用后的下一条语句,您可以很容易地自己检查它,并查看调试器是否会在执行onSuccess/onFailure回调后命中此语句。如果异步调试器甚至在onStart方法之前就遇到了这个问题,因为它将在单独的线程中执行。
示例:
mSyncClient.post("http://example.com", params, new JsonHttpResponseHandler() {
@Override
public void onStart() {
// you can do something here before request starts
}
@Override
public void onSuccess(int statusCode, Header[] headers, JSONObject response) {
// success logic here
}
@Override
public void onFailure(int statusCode, Header[] headers, Throwable e, JSONObject errorResponse) {
// handle failure here
}
});
// the statements after this comment line will be executed after onSuccess (or onFailure ) callback.
您可以使用SyncHttpClient
,但不能取消它。我制作了一个使用AsyncHttpClient
上传文件的类,但它比SyncHttpClient
类有优势,它允许取消。我已经在其他线程中发布了代码。
来自同一线程的代码:
public class AsyncUploader {
private String mTitle;
private String mPath;
private Callback mCallback;
public void AsyncUploader(String title, String filePath, MyCallback callback) {
mTitle = title;
mPath = filePath;
mCallback = callback;
}
public void startTransfer() {
mClient = new AsyncHttpClient();
RequestParams params = new RequestParams();
File file = new File(mPath);
try {
params.put("title", mTitle);
params.put("video", file);
} catch (FileNotFoundException e) {
e.printStackTrace();
}
mClient.setTimeout(50000);
mClient.post(mContext, mUrl, params, new ResponseHandlerInterface() {
@Override
public void sendResponseMessage(HttpResponse response) throws IOException {
HttpEntity entity = response.getEntity();
if (entity != null) {
InputStream instream = entity.getContent();
// TODO convert instream to JSONObject and do whatever you need to
mCallback.uploadComplete();
}
}
@Override
public void sendProgressMessage(int bytesWritten, int bytesTotal) {
mCallback.progressUpdate(bytesWritten, bytesTotal);
}
@Override
public void sendFailureMessage(int statusCode, Header[] headers, byte[] responseBody, Throwable error) {
mCallback.failedWithError(error.getMessage());
}
});
}
/**
* Cancel upload by calling this method
*/
public void cancel() {
mClient.cancelAllRequests(true);
}
}
这就是运行它的方式:
AsyncUploader uploader = new AsyncUploader(myTitle, myFilePath, myCallback);
uploader.startTransfer();
/* Transfer started */
/* Upon completion, myCallback.uploadComplete() will be called */
要取消上传,只需调用cancel()
,如:
uploader.cancel();