在Android中将文件从内部存储复制到外部存储

我的应用程序( Android API 15 )制作图片并将其存储在内部存储器的文件夹中。 现在,我想将此文件复制到外部存储器内的另一个文件夹,例如/sdcard/myapp 。 我尝试了以下方法:

方法#1:

 private void copyFile(File src, File dst) throws IOException { File from = new File(src.getPath()); File to = new File(dst.getPath()); from.renameTo(to); } 

方法#2:

 private void copyFile(File src, File dst) throws IOException { FileChannel inChannel = null; FileChannel outChannel = null; try { inChannel = new FileInputStream(src).getChannel(); outChannel = new FileOutputStream(dst).getChannel(); } catch (FileNotFoundException e) { e.printStackTrace(); } try { inChannel.transferTo(0, inChannel.size(), outChannel); } finally { if (inChannel != null) inChannel.close(); if (outChannel != null) outChannel.close(); } } 

方法#3:

 private void copyFile(File src, File dst) throws IOException { FileInputStream inStream = new FileInputStream(src); if (!dst.exists()) { dst.mkdir(); } if (!dst.canWrite()) { System.out.print("CAN'T WRITE"); return; } FileOutputStream outStream = new FileOutputStream(dst); FileChannel inChannel = inStream.getChannel(); FileChannel outChannel = outStream.getChannel(); inChannel.transferTo(0, inChannel.size(), outChannel); inStream.close(); outStream.close(); } 

这些方法都没有解决我的任务。 在检查了一些相关的主题,我发现的唯一建议是validation持久性

  

AndroidManifest.xml ,它确实存在。

方法#1完成执行,但没有复制文件夹和文件。

方法#2中 ,应用程序失败,exceptionjava.lang.NullPointerException at outChannel = new FileOutputStream(dst).getChannel(); ,但对象dst不是null。

方法#3中 ,我决定validation目标对象是否存在,并在需要时创建文件夹,但是当我检查是否可以写入时,检查返回false

我尝试了几种其他方法,这些方法成功创建了一个空文件夹,但没有真正复制的文件。

由于这是我迈向Android的第一步,我觉得我想念一些小事。 请指出,如何将文件从一个文件夹复制到Android中的另一个文件夹,包括从内部存储器移动到外部存储器的文件。

谢谢。

我解决了我的问题。 问题出在目标路径中,原始代码中:

 File dst = new File(dstPath); 

变量dstPath具有完整的目标路径,包括文件名,这是错误的。 这是正确的代码片段:

 String dstPath = Environment.getExternalStorageDirectory() + File.separator + "myApp" + File.separator; File dst = new File(dstPath); exportFile(pictureFile, dst); 

 private File exportFile(File src, File dst) throws IOException { //if folder does not exist if (!dst.exists()) { if (!dst.mkdir()) { return null; } } String timeStamp = new SimpleDateFormat("yyyyMMdd_HHmmss").format(new Date()); File expFile = new File(dst.getPath() + File.separator + "IMG_" + timeStamp + ".jpg"); FileChannel inChannel = null; FileChannel outChannel = null; try { inChannel = new FileInputStream(src).getChannel(); outChannel = new FileOutputStream(expFile).getChannel(); } catch (FileNotFoundException e) { e.printStackTrace(); } try { inChannel.transferTo(0, inChannel.size(), outChannel); } finally { if (inChannel != null) inChannel.close(); if (outChannel != null) outChannel.close(); } return expFile; } 

谢谢你的提示。