1. ホーム
  2. java

[解決済み】アンドロイドでファイルのコピーを作成する方法は?

2022-04-12 05:22:11

質問

私のアプリでは、あるファイルのコピーを別の名前(ユーザーから取得)で保存したいのです。

ファイルの中身を開いて、別のファイルに書き込む必要が本当にあるのでしょうか?

そのためには、どのような方法がありますか?

どのように解決するのですか?

ファイルをコピーして、保存先のパスに保存するには、以下の方法があります。

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();
    }
}

API 19+ では、Java 自動リソース管理を使用できます。

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);
            }
        }
    }
}