我正在创建一个需要从文件中读取数据的应用程序。我最初是使用 aBufferedReader
和 an从 assets 文件夹中读取它,InputStreamReader
但我遇到了内存问题(请参阅Android:文件读取 - OutOfMemory 问题)。一个建议是将数据从 assets 文件夹复制到内部存储(不是 SD 卡),然后通过RandomAccessFile
. 所以我查找了如何将文件从资产复制到内部存储,我发现了 2 个来源:
https://groups.google.com/forum/?fromgroups=#!topic/android-developers/RpXiMYV48Ww
http://developergoodies.blogspot.com/2012/11/copy-android-asset-to-internal-storage.html
我决定使用第二个代码并为我的文件修改它。所以它看起来像这样:
public void copyFile() {
//Open your file in assets
Context context = getApplicationContext();
String destinationFile = context.getFilesDir().getPath() + File.separator + "text.txt";
if (!new File(destinationFile).exists()) {
try {
copyFromAssetsToStorage(context, "text.txt", destinationFile);
} catch (IOException e) {
e.printStackTrace();
}
}
}
private void copyStream(InputStream input, OutputStream output) throws IOException {
byte[] buffer = new byte[1024];
int length = Input.read(buffer);
while (length > 0) {
output.write(buffer, 0, length);
length = input.read(buffer);
}
}
private void copyFromAssetsToStorage(Context context, String sourceFile, String destinationFile) throws IOException {
InputStream inputStream = context.getAssets().open(sourceFile);
OutputStream outputStream = new FileOutputStream(destinationFile);
copyStream(inputStream , outputStream );
outputStream.flush();
outputStream.close();
inputStream.close();
}
我假设这会将文件复制到应用程序的数据目录中。我无法对其进行测试,因为我希望能够使用RandomAccessFile
. 但是,我从来没有做过这两个中的任何一个(从 assets 和 复制文件RandomAccessFile
),所以我被卡住了。这个应用程序的工作已经停止,因为这是唯一阻止我完成它的事情。
任何人都可以向我提供有关如何使用 访问数据的更正、建议和正确实现RandomAccessFile
吗?(数据是每行长度为 4-15 个字符的字符串列表。)
编辑*
private File createCacheFile(Context context, String filename){
File cacheFile = new File(context.getCacheDir(), filename);
if (cacheFile.exists()) {
return cacheFile ;
}
InputStream inputStream = null;
FileOutputStream fileOutputStream = null;
try {
inputStream = context.getAssets().open(filename);
fileOutputStream = new FileOutputStream(cacheFile);
int bufferSize = 1024;
byte[] buffer = new byte[bufferSize];
int length = -1;
while ( (length = inputStream.read(buffer)) > 0) {
fileOutputStream.write(buffer,0,length);
}
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
finally {
try {
fileOutputStream.close();
} catch (IOException e) {
e.printStackTrace();
}
try {
inputStream.close();
} catch (IOException e) {
e.printStackTrace();
}
}
return cacheFile;
}