Java – How do I copy files in android?

How do I copy files in android?… here is a solution to the problem.

How do I copy files in android?

In my application, I want to save a copy of a certain file under a different name (which I got from the user).

Do I really need to open the contents of a file and write it to another file?

What’s the best way to do it?

Solution

To copy a file and save it to the destination path, you can use the following method.

public static void copy(File src, File dst) throws IOException {
    InputStream in = new FileInputStream(src);
    try {
        OutputStream out = new FileOutputStream(dst);
        try {
             Transfer bytes from in to out
            byte[] buf = new byte[1024];
            int len;
            while ((len = in.read(buf)) > 0) {
                out.write(buf, 0, len);
            }
        } finally {
            out.close();
        }
    } finally {
        in.close();
    }
}

On API 19+, you can use Java automatic resource management:

public static void copy(File src, File dst) throws IOException {
    try (InputStream in = new FileInputStream(src)) {
        try (OutputStream out = new FileOutputStream(dst)) {
             Transfer bytes from in to out
            byte[] buf = new byte[1024];
            int len;
            while ((len = in.read(buf)) > 0) {
                out.write(buf, 0, len);
            }
        }
    }
}

Related Problems and Solutions