getExternalFilesDir()目录下的文件
外部存储适用于不需要存储限制的文件以及你想要与其他app共享的文件或者是允许用户用电脑访问的文件
app默认安装在内部存储中,通过指定android:installLocation
属性值可以让app安装在外部存储中。
获取外部存储权限:
读与写:
<manifest ...> <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" /> ... </manifest>
读:
<manifest ...> <uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE" /> ... </manifest>
在内部存储保存文件不需要任何权限,你的app在内部存储中总是有读写权限。
在内部存储中保存文件:
获取适当的目录:
getFilesDir() app文件在内部存储中的目录
eg:
File file = new File(context.getFilesDir(), filename);
getCacheDir() app临时缓存文件在内部存储中的目录
调用openFileOutput()获取FileOutputStream写入文件到内部目录
eg:
1 String filename = "myfile"; 2 String string = "Hello world!"; 3 FileOutputStream outputStream; 4 5 try { 6 outputStream = openFileOutput(filename, Context.MODE_PRIVATE); 7 outputStream.write(string.getBytes()); 8 outputStream.close(); 9 } catch (Exception e) { 10 e.printStackTrace(); 11 }
调用createTempFile()
缓存一些文件:
1 public File getTempFile(Context context, String url) { 2 File file; 3 try { 4 String fileName = Uri.parse(url).getLastPathSegment(); 5 file = File.createTempFile(fileName, null, context.getCacheDir()); 6 catch (IOException e) { 7 // Error while creating file 8 } 9 return file; 10 }
在外部存储中保存文件:
由于外部存储不总是可用的,正如上面所提到的,用户可能移除了SD卡或USB模式连接了电脑。所有在访问之前需要确认外部存储是可用的。
可以调用getExternalStorageState() 返回外部存储的状态,如果返回的是
MEDIA_MOUNTED,则可以读写在外部存储的文件。
1 //判断外部存储是否可以读写 2 public boolean isExternalStorageWritable() { 3 String state = Environment.getExternalStorageState(); 4 if (Environment.MEDIA_MOUNTED.equals(state)) { 5 return true; 6 } 7 return false; 8 } 9 10 //判断外部存储是否至少可以读 11 public boolean isExternalStorageReadable() { 12 String state = Environment.getExternalStorageState(); 13 if (Environment.MEDIA_MOUNTED.equals(state) || 14 Environment.MEDIA_MOUNTED_READ_ONLY.equals(state)) { 15 return true; 16 } 17 return false; 18 }
外部存储可以被用户或其他app访问,我们可以保存两种文件到外部存储:
1.公共文件(public files)
可以自由地被用户或其他app访问的文件,当用户卸载app时,这些文件依然存在。
调用 getExternalStoragePublicDirectory()获得目录,保
存公共文件到外部存储:
1 public File getAlbumStorageDir(String albumName) { 2 // 获得用户公共的图片目录 3 File file = new File(Environment.getExternalStoragePublicDirectory( 4 Environment.DIRECTORY_PICTURES), albumName); 5 if (!file.mkdirs()) { 6 Log.e(LOG_TAG, "Directory not created"); 7 } 8 return file; 9 }
2.私有文件(private files)
属于你app的文件,当用户卸载时,这些文件将被删除。
调用getExternalFilesDir() 获得适当的目录,保存私有文件到外部存储:
1 public File getAlbumStorageDir(Context context, String albumName) { 2 // 获得应用私有的图片目录 3 File file = new File(context.getExternalFilesDir( 4 Environment.DIRECTORY_PICTURES), albumName); 5 if (!file.mkdirs()) { 6 Log.e(LOG_TAG, "Directory not created"); 7 } 8 return file; 9 }
删除文件:
myFile.delete();
删除保存在内部存储中的文件:
myContext.deleteFile(fileName);
当用户卸载app时,Android系统会删除下列文件:
1.所有保存在内部存储中的文件
2.所有用getExternalFilesDir()保存的文件
我们应该删除所有用getCacheDir()
生成的文件以及不再需要的文件