我正在编写一个需要从 Google Drive 下载图像的应用程序。我目前正在使用以下代码执行此操作:
protected void downloadFromDrive(Context context) {
InputStream input = null;
FileOutputStream output = null;
try {
HttpRequest request = GoogleDriveWorker.get(context)
.getDrive()
.getRequestFactory()
.buildGetRequest(new GenericUrl(getUri()));
input = request.execute().getContent();
output = context.openFileOutput(getImageFilename(), Context.MODE_PRIVATE);
int bufferSize = 1024;
byte[] buffer = new byte[bufferSize];
int len = 0;
while ((len = input.read(buffer)) != -1) {
output.write(buffer, 0, len);
}
} catch (UnrecoverableKeyException e) {
e.printStackTrace();
} catch (NoSuchAlgorithmException e) {
e.printStackTrace();
} catch (CertificateException e) {
e.printStackTrace();
} catch (KeyStoreException e) {
e.printStackTrace();
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
} finally {
try {
if(output!=null)
output.close();
if(input!=null)
input.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
public String getUri() {
return mUri;
}
GoogleDriveWorker
只是一个使用我们正在使用的凭据获取谷歌驱动器的类。无论如何,我能找到的大多数示例都使用这种基本结构从 an 下载文件InputStream
并将其放入 an OutputStream
,但下载速度相当慢。
首先,我可以通过使用比一次同步缓冲一千字节更复杂的方法InputStream
来加速它吗?OutputStream
令我震惊的是,我应该尝试InputStream
在不同的线程上读取,并OutputStream
使用块队列将输出到千字节块变得可用。将读取代码和写入代码捆绑在一起看起来很笨拙,而且它们肯定会互相拖慢。
其次,改变缓冲区大小会影响数据速率吗?一千字节似乎很小,但在移动连接上可能并没有那么小。再一次,块越大,读/写循环的每个部分的等待就越大。是否值得考虑使用不同大小的缓冲区?