我有什么:
我想做什么:
我想将文件下载到我的android项目的RAW folder
我熟悉AsyncTask
和HttpClient
,但是什么
我应该按照方法(步骤)下载文件吗?
我尝试在stackoverflow中搜索类似的问题,但无法找到一个,所以我自己发布了一个问题
答案 0 :(得分:2)
您无法将文件下载到" assets"或" / res / raw"。那些被编译到你的APK。
您可以将文件下载到应用内部数据目录。请参阅Saving Files | Android Developers。
有很多示例和库可以帮助您进行下载。以下是您可以在项目中使用的静态工厂方法:
public static void download(String url, File file) throws MalformedURLException, IOException {
URLConnection ucon = new URL(url).openConnection();
HttpURLConnection httpConnection = (HttpURLConnection) ucon;
int responseCode = httpConnection.getResponseCode();
if (responseCode == HttpURLConnection.HTTP_OK) {
BufferedInputStream bis = new BufferedInputStream(ucon.getInputStream());
ByteArrayBuffer baf = new ByteArrayBuffer(50);
int current = 0;
while ((current = bis.read()) != -1) {
baf.append((byte) current);
}
FileOutputStream fos = new FileOutputStream(file);
fos.write(baf.toByteArray());
fos.close();
bis.close();
}
}
然后,从Dropbox下载文件:
String url = "https://dl.dropboxusercontent.com/u/27262221/test.txt";
File file = new File(getFilesDir(), "test.txt");
try {
download(url, file);
} catch (MalformedURLException e) {
// TODO handle error
} catch (IOException e) {
// TODO handle error
}
请注意,上述代码应该从后台线程运行,否则您将获得NetworkOnMainThreadException
。
您还需要在AndroidManifest中声明以下权限:
<uses-permission android:name="android.permission.INTERNET" />
您可以在此处找到一些有用的图书馆:https://android-arsenal.com/free
我个人推荐http-request。您可以使用HttpRequest下载您的Dropbox文件,如下所示:
HttpRequest.get("https://dl.dropboxusercontent.com/u/27262221/test.txt").receive(
new File(getFilesDir(), "test.txt"));