views:

315

answers:

3

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 that reads file1 and write to file2

+2  A: 

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();
    }
}
Jonathan Feinberg
No copyFileToInputStream?
Software Monkey
This was an *excerpt*. :)
Jonathan Feinberg
+5  A: 

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.

JG
Whoah. You've taught me.
Jonathan Feinberg
A more complete (and correct) version of this answer is available here: http://stackoverflow.com/questions/106770/standard-concise-way-to-copy-a-file-in-java/115086#115086. Thanks to http://stackoverflow.com/users/92937/twentymiles for schooling all of us.
vkraemer
+4  A: 

If you want to be lazy and get away with writing minimal code use FileUtils.copyFile(src, dest) from Apache IOCommons

Maddy
This is the way to go !
Calm Storm