首页 > 代码库 > Android学习笔记——保存文件(Saving Files)

Android学习笔记——保存文件(Saving Files)

          Android设备有两种文件存储区域:
                       
                        内部存储和外部存储 ("internal" and "external" storage)。
 
         这名字来自早期Android,那时大多数Android设备提供两种存储方式:内置的非易失的内存(内部存储)和可移动的存储例如micro SD卡(外部存储)。
              一些设备将永久内存分为内部和外部两部分,因此即使没有外部存储,依旧有两种存储空间。不管有没有外部存储,API的方法都是一样的。
 
          内部存储
  1.  始终都是可用的
  2.   保存的文件只能被你的app以默认的方式访问
  3.   卸载app,系统从内部存储中删除你app的所有文件
         
       内部存储适用于你不想用户或其他app访问你的文件
 
           外部存储:
  1. 不总是可用的(用户可能将外部存储以USB方式连接, 一些情况下会从设备中移除)
  2. 是全局可读的(world-readable),因此一些文件可能不受控制地被读取
  3. 卸载app,只删除你存储在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 }

 

Android学习笔记——保存文件(Saving Files)