5

我正在使用 OkHttp 3.1.2。我创建了类似于此处找到的原始配方的文件上传:https ://github.com/square/okhttp/blob/master/samples/guide/src/main/java/okhttp3/recipes/PostMultipart.java

我找不到如何根据用户请求中止上传大文件的示例。我的意思不是如何获取用户请求,而是如何告诉 OkHttp 停止发送数据。到目前为止,我能想象的唯一解决方案是使用 custom RequestBody,添加一个abort()方法并覆盖这样的writeTo()方法:

public void abort() {
    aborted = true;
}

@Override
public void writeTo(BufferedSink sink) throws IOException {
    Source source = null;
    try {
        source = Okio.source(mFile);
        long transferred = 0;
        long read;

        while (!aborted && (read = source.read(sink.buffer(), SEGMENT_SIZE)) != -1) {
            transferred += read;
            sink.flush();
            mListener.transferredSoFar(transferred);

        }
    } finally {
        Util.closeQuietly(source);
    }
}

还有其他方法吗?

4

1 回答 1

1

事实证明这很容易:

只需保持对Call对象的引用并在需要时取消它,如下所示:

private Call mCall;


private void executeRequest (Request request) {
    mCall = mOkHttpClient.newCall(request);
    try {
        Response response = mCall.execute();
        ...
    } catch (IOException e) {
        if (!mCall.isCanceled()) {
            mLogger.error("Error uploading file: {}", e);
            uploadFailed(); // notify whoever is needed
        }
    }
}


public void abortUpload() {
    if (mCall != null) {
        mCall.cancel();
    }
}

请注意,当您取消Call上传IOException时将抛出一个,因此您必须检查catch是否已取消(如上所示),否则您将误报错误。

我认为同样的方法可以用于中止大文件的下载。

于 2016-03-06T14:55:58.900 回答