在使用HttpGet下载文件的时候,遇到一个比较坑的问题就是获取文件大小.
无论是使用HttpURLConnection还是使用HttpClient最后返回的response中response.getEntity().getContentLength()的值始终是-1。
因为使用response的Header中就没有Content-Length这个字段,
在Http 1.0及之前版本中,Content-Length字段可有可无。
在http1.1及之后版本。如果是keep alive,则Content-Length和Chunk必然是二选一。若是非keep alive,则和http1.0一样,Content-Length可有可无。
header中如果有Transfer-Encoding(重点是Chunked模式),则在header中就不能有Content-Length,有也会被忽视,
如果head中有Content-Length,那么这个Content-Length既表示实体长度,又表示传输长度。如果实体长度和传输长度不相等(比如说设置了Transfer-Encoding),那么则不能设置Content-Length。如果设置了Transfer-Encoding,那么Content-Length将被忽视
有人说使用HttpURLConnection的时候需要设置conn.setRequestProperty("Accept-Encoding", "identity");
说是HttpURLConnection使用了gzip压缩的方式,告诉服务器不要使用gzip压缩,
由于我使用的是HttpClient来实现下载,及时设置了这个属性,还是无法获取文件大小。
最后发现服务端使用的javax.servlet.http.HttpServletResponse有个方法
public abstract void setContentLength(int paramInt);
这个方法可以用来返回文件的大小,response.setContentLength(((Long)file.length()).intValue());
注意file的大小不能为0;
这样在客户端就能通过response.getEntity().getContentLength()来得到文件的大小,
其实这样有个问题就是由于setContentLength的参数是int类型的,int的最大值是2147483647,
也就是说只能返回约2G大小的文件的长度,这就有点郁闷了。
不过由于项目中不允许上传那么大的文件,所以是满足需求的。
使用HttpClient下载并计算下载进度部分代码:
HttpClient client = SSLSocketFactoryEx.getNewHttpClient();
client.getParams().setParameter(CoreConnectionPNames.CONNECTION_TIMEOUT, CONNECTION_TIMEOUT);
client.getParams().setParameter(CoreConnectionPNames.SO_TIMEOUT, 60000);
//get请求加入参数
String content =null;
StringBuilder sb =new StringBuilder();
sb.append(remoteUrl);
Iterator it =map.entrySet().iterator();
while (it.hasNext()) {
Map.Entry entry = (Map.Entry) it.next();
try {
sb.append("&").append(entry.getKey()).append("=").append(URLEncoder.encode(entry.getValue(), "utf-8"));
}catch (UnsupportedEncodingException e) {
e.printStackTrace();
}
}
content = sb.toString();
HttpGet get =new HttpGet(content);
try {
HttpResponse response = client.execute(get);
int status = response.getStatusLine().getStatusCode();
if (200 == status) {
if (response.getEntity() ==null){
callback.onError("response error");
}
length = response.getEntity().getContentLength();
localInputStream = response.getEntity().getContent();
//在本地存储文件
File localFile =new File(localFilePath);
localFileOutputStream =new FileOutputStream(localFile);
int bufsize = CommonUtils.getDownloadBufSize(this.context);
byte[] arrayOfByte =new byte[bufsize];
while ((i = localInputStream.read(arrayOfByte)) != -1) {
rate += i;
if (length >0) {
int progress = (int) (rate *100L / length); //下载进度
if (callback !=null) {
callback.onProgress(progress); //可以在回调中进行进度条更新
}
}
localFileOutputStream.write(arrayOfByte, 0, i);
}
callback.onSuccess(null);
}else {
if (callback !=null) {
callback.onError(null);
}
}
//后边的资源释放,异常捕获都省略了 ,只展示部分代码
希望对你有所帮助