java IO to copy one File to another

前端 未结 6 1077
别那么骄傲
别那么骄傲 2020-11-30 09:48

I have two Java.io.File objects file1 and file2. I want to copy the contents from file1 to file2. Is there an standard way to do this without me having to create a method th

相关标签:
6条回答
  • 2020-11-30 10:23

    No, there is no built-in method to do that. The closest to what you want to accomplish is the transferFrom method from FileOutputStream, like so:

      FileChannel src = new FileInputStream(file1).getChannel();
      FileChannel dest = new FileOutputStream(file2).getChannel();
      dest.transferFrom(src, 0, src.size());
    

    And don't forget to handle exceptions and close everything in a finally block.

    0 讨论(0)
  • 2020-11-30 10:27

    Since Java 7 you can use Files.copy() from Java's standard library.

    You can create a wrapper method:

    public static void copy(String sourcePath, String destinationPath) throws IOException {
        Files.copy(Paths.get(sourcePath), new FileOutputStream(destinationPath));
    }
    

    that can be used in the following way:

    copy("source.txt", "dest.txt");
    
    0 讨论(0)
  • 2020-11-30 10:28

    Or use Files.copy(file1,file2) from Google's Guava library.

    0 讨论(0)
  • 2020-11-30 10:30

    If you want to be lazy and get away with writing minimal code use

    FileUtils.copyFile(src, dest)
    

    from Apache IOCommons

    0 讨论(0)
  • 2020-11-30 10:33

    No. Every long-time Java programmer has their own utility belt that includes such a method. Here's mine.

    public static void copyFileToFile(final File src, final File dest) throws IOException
    {
        copyInputStreamToFile(new FileInputStream(src), dest);
        dest.setLastModified(src.lastModified());
    }
    
    public static void copyInputStreamToFile(final InputStream in, final File dest)
            throws IOException
    {
        copyInputStreamToOutputStream(in, new FileOutputStream(dest));
    }
    
    
    public static void copyInputStreamToOutputStream(final InputStream in,
            final OutputStream out) throws IOException
    {
        try
        {
            try
            {
                final byte[] buffer = new byte[1024];
                int n;
                while ((n = in.read(buffer)) != -1)
                    out.write(buffer, 0, n);
            }
            finally
            {
                out.close();
            }
        }
        finally
        {
            in.close();
        }
    }
    
    0 讨论(0)
  • 2020-11-30 10:41

    In Java 7 you can use Files.copy() and very important is: Do not forget to close the OutputStream after creating the new file.

    OutputStream os = new FileOutputStream(targetFile);
    Files.copy(Paths.get(sourceFile), os);
    os.close();
    
    0 讨论(0)
提交回复
热议问题