UrlEncodedFormEntity的Android HTTP上传进度

时间:2012-03-24 18:55:59

标签: android httpclient

有几个问题讨论了如何使用multipart / form-data数据格式将进度指示添加到Android中的HTTP文件上传中。建议的典型方法由Can't grab progress on http POST file upload (Android)中的最高答案集中体现 - 包括来自完整Apache HTTPClient库的MultipartEntity类,然后包装它用于获取数据的输入流,这些数据在读取时计算字节数

这种方法适用于这种情况,但不幸的是,对于通过UrlEncodedFormEntity发送数据的请求不起作用,UrlEncodedFormEntity期望其数据在Strings而不是InputStream中传递给它。

所以我的问题是,有哪些方法可以通过这种机制确定上传的进度?

1 个答案:

答案 0 :(得分:6)

您可以覆盖任何#writeTo实现的HttpEntity方法,并在写入输出流时计算字节数。

DefaultHttpClient httpclient = new DefaultHttpClient();
try {
   HttpPost httppost = new HttpPost("http://www.google.com/sorry");

   MultipartEntity outentity = new MultipartEntity() {

    @Override
    public void writeTo(final OutputStream outstream) throws IOException {
        super.writeTo(new CoutingOutputStream(outstream));
    }

   };
   outentity.addPart("stuff", new StringBody("Stuff"));
   httppost.setEntity(outentity);

   HttpResponse rsp = httpclient.execute(httppost);
   HttpEntity inentity = rsp.getEntity();
   EntityUtils.consume(inentity);
} finally {
    httpclient.getConnectionManager().shutdown();
}

static class CoutingOutputStream extends FilterOutputStream {

    CoutingOutputStream(final OutputStream out) {
        super(out);
    }

    @Override
    public void write(int b) throws IOException {
        out.write(b);
        System.out.println("Written 1 byte");
    }

    @Override
    public void write(byte[] b) throws IOException {
        out.write(b);
        System.out.println("Written " + b.length + " bytes");
    }

    @Override
    public void write(byte[] b, int off, int len) throws IOException {
        out.write(b, off, len);
        System.out.println("Written " + len + " bytes");
    }

}
相关问题