Jak skopiować pliki z folderu „asset” na sdcard?

251

Mam kilka plików w assetsfolderze. Muszę skopiować je wszystkie do folderu say / sdcard / folder. Chcę to zrobić z wątku. Jak mam to zrobić?

Rohith Nandakumar
źródło
Czy szukasz tego stackoverflow.com/questions/4447477/…
DropAndTrap
2
Zanim skopiujesz / wkleisz jedno z poniższych (świetnych!) Rozwiązań, rozważ użycie tej biblioteki w jednym wierszu kodu: stackoverflow.com/a/41970539/9648
JohnnyLambada

Odpowiedzi:

346

Jeśli ktoś ma ten sam problem, właśnie tak to zrobiłem

private void copyAssets() {
    AssetManager assetManager = getAssets();
    String[] files = null;
    try {
        files = assetManager.list("");
    } catch (IOException e) {
        Log.e("tag", "Failed to get asset file list.", e);
    }
    if (files != null) for (String filename : files) {
        InputStream in = null;
        OutputStream out = null;
        try {
          in = assetManager.open(filename);
          File outFile = new File(getExternalFilesDir(null), filename);
          out = new FileOutputStream(outFile);
          copyFile(in, out);
        } catch(IOException e) {
            Log.e("tag", "Failed to copy asset file: " + filename, e);
        }     
        finally {
            if (in != null) {
                try {
                    in.close();
                } catch (IOException e) {
                    // NOOP
                }
            }
            if (out != null) {
                try {
                    out.close();
                } catch (IOException e) {
                    // NOOP
                }
            }
        }  
    }
}
private void copyFile(InputStream in, OutputStream out) throws IOException {
    byte[] buffer = new byte[1024];
    int read;
    while((read = in.read(buffer)) != -1){
      out.write(buffer, 0, read);
    }
}

Odwołanie: przenieś plik przy użyciu Java

Rohith Nandakumar
źródło
28
aby zapisać pliki na karcie SD, musisz wyrazić zgodę na manifest, np. <uses-permission android: name = "android.permission.WRITE_EXTERNAL_STORAGE" />
IronBlossom
22
Nie polegałbym również na tym, że sdcard znajduje się w / sdcard, ale pobierałem ścieżkę za pomocą Environment.getExternalStorageDirectory ()
Axarydax
2
Czy powinienem użyć: 16 * 1024 (16 kb) Zwykle wybieram 16 K lub 32 K jako dobrą równowagę między zużyciem pamięci a wydajnością.
Nam Vu,
3
@ rciovati dostał ten błąd czasu wykonaniaFailed to copy asset file: myfile.txt java.io.FileNotFoundException: myfile.txt at android.content.res.AssetManager.openAsset(Native Method)
likejudo
7
Dla mnie ten kod działa tylko wtedy, gdy dodam: in = assetManager.open("images-wall/"+filename);gdzie „obrazy-ściana” to mój folder w zasobach
Ultimo_m
62

W oparciu o twoje rozwiązanie zrobiłem coś własnego, aby umożliwić podfoldery. Ktoś może uznać to za pomocne:

...

copyFileOrDir("myrootdir");

...

private void copyFileOrDir(String path) {
    AssetManager assetManager = this.getAssets();
    String assets[] = null;
    try {
        assets = assetManager.list(path);
        if (assets.length == 0) {
            copyFile(path);
        } else {
            String fullPath = "/data/data/" + this.getPackageName() + "/" + path;
            File dir = new File(fullPath);
            if (!dir.exists())
                dir.mkdir();
            for (int i = 0; i < assets.length; ++i) {
                copyFileOrDir(path + "/" + assets[i]);
            }
        }
    } catch (IOException ex) {
        Log.e("tag", "I/O Exception", ex);
    }
}

private void copyFile(String filename) {
    AssetManager assetManager = this.getAssets();

    InputStream in = null;
    OutputStream out = null;
    try {
        in = assetManager.open(filename);
        String newFileName = "/data/data/" + this.getPackageName() + "/" + filename;
        out = new FileOutputStream(newFileName);

        byte[] buffer = new byte[1024];
        int read;
        while ((read = in.read(buffer)) != -1) {
            out.write(buffer, 0, read);
        }
        in.close();
        in = null;
        out.flush();
        out.close();
        out = null;
    } catch (Exception e) {
        Log.e("tag", e.getMessage());
    }

}
DannyA
źródło
1
assetManager.list(path)może być powolny na urządzeniu, aby wcześniej utworzyć listę ścieżek zasobów, tego fragmentu można użyć z assetsfind . -name "*" -type f -exec ls -l {} \; | awk '{print substr($9,3)}' >> assets.list
katalogu
3
Fajne rozwiązanie! Jedyną wymaganą poprawką jest przycięcie wiodących separatorów na początku copyFileOrDir (): path = path.startsWith ("/")? path.substring (1): ścieżka;
Cross_
Ten
przepełnienie stosu występuje
2
zamień „/ data / data /” + this.getPackageName () na
this.getFilesDir
1
... i zamykaj strumienie w finallybloku))
Mixaz
48

Powyższe rozwiązanie nie działało z powodu niektórych błędów:

  • tworzenie katalogu nie działało
  • zasoby zwrócone przez system Android zawierają również trzy foldery: obrazy, dźwięki i zestaw webowy
  • Dodano sposób postępowania z dużymi plikami: dodaj rozszerzenie .mp3 do pliku w folderze zasobów w projekcie, a podczas kopiowania plik docelowy będzie bez rozszerzenia .mp3

Oto kod (zostawiłem instrukcje Log, ale możesz je teraz upuścić):

final static String TARGET_BASE_PATH = "/sdcard/appname/voices/";

private void copyFilesToSdCard() {
    copyFileOrDir(""); // copy all files in assets folder in my project
}

private void copyFileOrDir(String path) {
    AssetManager assetManager = this.getAssets();
    String assets[] = null;
    try {
        Log.i("tag", "copyFileOrDir() "+path);
        assets = assetManager.list(path);
        if (assets.length == 0) {
            copyFile(path);
        } else {
            String fullPath =  TARGET_BASE_PATH + path;
            Log.i("tag", "path="+fullPath);
            File dir = new File(fullPath);
            if (!dir.exists() && !path.startsWith("images") && !path.startsWith("sounds") && !path.startsWith("webkit"))
                if (!dir.mkdirs())
                    Log.i("tag", "could not create dir "+fullPath);
            for (int i = 0; i < assets.length; ++i) {
                String p;
                if (path.equals(""))
                    p = "";
                else 
                    p = path + "/";

                if (!path.startsWith("images") && !path.startsWith("sounds") && !path.startsWith("webkit"))
                    copyFileOrDir( p + assets[i]);
            }
        }
    } catch (IOException ex) {
        Log.e("tag", "I/O Exception", ex);
    }
}

private void copyFile(String filename) {
    AssetManager assetManager = this.getAssets();

    InputStream in = null;
    OutputStream out = null;
    String newFileName = null;
    try {
        Log.i("tag", "copyFile() "+filename);
        in = assetManager.open(filename);
        if (filename.endsWith(".jpg")) // extension was added to avoid compression on APK file
            newFileName = TARGET_BASE_PATH + filename.substring(0, filename.length()-4);
        else
            newFileName = TARGET_BASE_PATH + filename;
        out = new FileOutputStream(newFileName);

        byte[] buffer = new byte[1024];
        int read;
        while ((read = in.read(buffer)) != -1) {
            out.write(buffer, 0, read);
        }
        in.close();
        in = null;
        out.flush();
        out.close();
        out = null;
    } catch (Exception e) {
        Log.e("tag", "Exception in copyFile() of "+newFileName);
        Log.e("tag", "Exception in copyFile() "+e.toString());
    }

}

EDYCJA: Poprawiono źle umieszczony „;” powodowało to systematyczny błąd „nie można utworzyć katalogu”.

Yoram Cohen
źródło
4
to musi stać się rozwiązaniem!
Massimo Variolo,
1
UWAGA: Log.i („tag”, „nie można utworzyć katalogu” + fullPath); zawsze dzieje się jako; jest źle umieszczone w if.
RoundSparrow hilltx
świetny sposób! Wielkie dzięki! Ale dlaczego sprawdzasz plik jpg?
Phuong,
32

Wiem, że udzielono odpowiedzi, ale mam nieco bardziej elegancki sposób kopiowania z katalogu zasobów do pliku na karcie SD. Nie wymaga pętli „for”, ale zamiast tego używa strumieni plików i kanałów do wykonania pracy.

(Uwaga) Jeśli używasz dowolnego typu skompresowanego pliku, APK, PDF, ... możesz zmienić nazwę rozszerzenia pliku przed wstawieniem do zasobu, a następnie zmienić nazwę po skopiowaniu go na kartę SD)

AssetManager am = context.getAssets();
AssetFileDescriptor afd = null;
try {
    afd = am.openFd( "MyFile.dat");

    // Create new file to copy into.
    File file = new File(Environment.getExternalStorageDirectory() + java.io.File.separator + "NewFile.dat");
    file.createNewFile();

    copyFdToFile(afd.getFileDescriptor(), file);

} catch (IOException e) {
    e.printStackTrace();
}

Sposób na skopiowanie pliku bez konieczności jego zapętlania.

public static void copyFdToFile(FileDescriptor src, File dst) throws IOException {
    FileChannel inChannel = new FileInputStream(src).getChannel();
    FileChannel outChannel = new FileOutputStream(dst).getChannel();
    try {
        inChannel.transferTo(0, inChannel.size(), outChannel);
    } finally {
        if (inChannel != null)
            inChannel.close();
        if (outChannel != null)
            outChannel.close();
    }
}
JPM
źródło
Podobało mi się to w porównaniu z innymi rozwiązaniami, nieco starszymi. Nieznaczna modyfikacja mojego, która obejmuje tworzenie brakujących folderów plików. Twoje zdrowie!
Chris.Jenkins
3
Nie działałoby to dla mnie poza deskryptorem pliku This file can not be opened as a file descriptor; it is probably compressed- jest to plik pdf. Wiesz jak to naprawić?
Gaʀʀʏ
1
Zakłada się, że inChannel.size () zwraca rozmiar pliku. Nie daje takiej gwarancji . Dostaję 2,5 MiB za 2 pliki o wielkości 450 KiB każdy.
AI0867
1
Właśnie odkryłem, że AssetFileDescriptor.getLength () zwróci prawidłowy rozmiar pliku.
AI0867
1
Oprócz powyższego zasób nie może zaczynać się w lokalizacji 0 w deskryptorze pliku. AssetFileDescriptor.getStartOffset () zwróci początkowe przesunięcie.
AI0867
5

wypróbuj to jest o wiele prostsze, to pomoże ci:

// Open your local db as the input stream
    InputStream myInput = _context.getAssets().open(YOUR FILE NAME);

    // Path to the just created empty db
    String outFileName =SDCARD PATH + YOUR FILE NAME;

    // Open the empty db as the output stream
    OutputStream myOutput = new FileOutputStream(outFileName);

    // transfer bytes from the inputfile to the outputfile
    byte[] buffer = new byte[1024];
    int length;
    while ((length = myInput.read(buffer)) > 0) {
        myOutput.write(buffer, 0, length);
    }
    // Close the streams
    myOutput.flush();
    myOutput.close();
    myInput.close();
ZŁOTO
źródło
5

W Kotlinie byłoby to zwięzłe.

    fun AssetManager.copyRecursively(assetPath: String, targetFile: File) {
        val list = list(assetPath)
        if (list.isEmpty()) { // assetPath is file
            open(assetPath).use { input ->
                FileOutputStream(targetFile.absolutePath).use { output ->
                    input.copyTo(output)
                    output.flush()
                }
            }

        } else { // assetPath is folder
            targetFile.delete()
            targetFile.mkdir()

            list.forEach {
                copyRecursively("$assetPath/$it", File(targetFile, it))
            }
        }
    }
cchcc
źródło
list (assetPath) ?. Niech {...} w rzeczywistości. Nullable.
Gábor
4

Oto oczyszczona wersja dla obecnych urządzeń z Androidem, funkcjonalny projekt metody, dzięki czemu można skopiować ją do klasy AssetsHelper np;)

/**
 * 
 * Info: prior to Android 2.3, any compressed asset file with an
 * uncompressed size of over 1 MB cannot be read from the APK. So this
 * should only be used if the device has android 2.3 or later running!
 * 
 * @param c
 * @param targetFolder
 *            e.g. {@link Environment#getExternalStorageDirectory()}
 * @throws Exception
 */
@TargetApi(Build.VERSION_CODES.GINGERBREAD)
public static boolean copyAssets(AssetManager assetManager,
        File targetFolder) throws Exception {
    Log.i(LOG_TAG, "Copying files from assets to folder " + targetFolder);
    return copyAssets(assetManager, "", targetFolder);
}

/**
 * The files will be copied at the location targetFolder+path so if you
 * enter path="abc" and targetfolder="sdcard" the files will be located in
 * "sdcard/abc"
 * 
 * @param assetManager
 * @param path
 * @param targetFolder
 * @return
 * @throws Exception
 */
public static boolean copyAssets(AssetManager assetManager, String path,
        File targetFolder) throws Exception {
    Log.i(LOG_TAG, "Copying " + path + " to " + targetFolder);
    String sources[] = assetManager.list(path);
    if (sources.length == 0) { // its not a folder, so its a file:
        copyAssetFileToFolder(assetManager, path, targetFolder);
    } else { // its a folder:
        if (path.startsWith("images") || path.startsWith("sounds")
                || path.startsWith("webkit")) {
            Log.i(LOG_TAG, "  > Skipping " + path);
            return false;
        }
        File targetDir = new File(targetFolder, path);
        targetDir.mkdirs();
        for (String source : sources) {
            String fullSourcePath = path.equals("") ? source : (path
                    + File.separator + source);
            copyAssets(assetManager, fullSourcePath, targetFolder);
        }
    }
    return true;
}

private static void copyAssetFileToFolder(AssetManager assetManager,
        String fullAssetPath, File targetBasePath) throws IOException {
    InputStream in = assetManager.open(fullAssetPath);
    OutputStream out = new FileOutputStream(new File(targetBasePath,
            fullAssetPath));
    byte[] buffer = new byte[16 * 1024];
    int read;
    while ((read = in.read(buffer)) != -1) {
        out.write(buffer, 0, read);
    }
    in.close();
    out.flush();
    out.close();
}
Szymon
źródło
4

Zmodyfikowano tę odpowiedź SO przez @DannyA

private void copyAssets(String path, String outPath) {
    AssetManager assetManager = this.getAssets();
    String assets[];
    try {
        assets = assetManager.list(path);
        if (assets.length == 0) {
            copyFile(path, outPath);
        } else {
            String fullPath = outPath + "/" + path;
            File dir = new File(fullPath);
            if (!dir.exists())
                if (!dir.mkdir()) Log.e(TAG, "No create external directory: " + dir );
            for (String asset : assets) {
                copyAssets(path + "/" + asset, outPath);
            }
        }
    } catch (IOException ex) {
        Log.e(TAG, "I/O Exception", ex);
    }
}

private void copyFile(String filename, String outPath) {
    AssetManager assetManager = this.getAssets();

    InputStream in;
    OutputStream out;
    try {
        in = assetManager.open(filename);
        String newFileName = outPath + "/" + filename;
        out = new FileOutputStream(newFileName);

        byte[] buffer = new byte[1024];
        int read;
        while ((read = in.read(buffer)) != -1) {
            out.write(buffer, 0, read);
        }
        in.close();
        out.flush();
        out.close();
    } catch (Exception e) {
        Log.e(TAG, e.getMessage());
    }

}

Przygotowania

w src/main/assets dodaj folder z nazwąfold

Stosowanie

File outDir = new File(Environment.getExternalStoragePublicDirectory(Environment.DIRECTORY_DOWNLOADS).toString());
copyAssets("fold",outDir.toString());

W katalogu zewnętrznym znajdź wszystkie pliki i katalogi znajdujące się w zasobach fold

Webserveis
źródło
3

Skopiuj wszystkie pliki i katalogi z zasobów do swojego folderu!

do kopiowania lepiej użyj apache commons io

public void doCopyAssets() throws IOException {
    File externalFilesDir = context.getExternalFilesDir(null);

    doCopy("", externalFilesDir.getPath());

}

// TO JEST GŁÓWNA METODA KOPIOWANIA

private void doCopy(String dirName, String outPath) throws IOException {

    String[] srcFiles = assets.list(dirName);//for directory
    for (String srcFileName : srcFiles) {
        String outFileName = outPath + File.separator + srcFileName;
        String inFileName = dirName + File.separator + srcFileName;
        if (dirName.equals("")) {// for first time
            inFileName = srcFileName;
        }
        try {
            InputStream inputStream = assets.open(inFileName);
            copyAndClose(inputStream, new FileOutputStream(outFileName));
        } catch (IOException e) {//if directory fails exception
            new File(outFileName).mkdir();
            doCopy(inFileName, outFileName);
        }

    }
}

public static void closeQuietly(AutoCloseable autoCloseable) {
    try {
        if(autoCloseable != null) {
            autoCloseable.close();
        }
    } catch(IOException ioe) {
        //skip
    }
}

public static void copyAndClose(InputStream input, OutputStream output) throws IOException {
    copy(input, output);
    closeQuietly(input);
    closeQuietly(output);
}

public static void copy(InputStream input, OutputStream output) throws IOException {
    byte[] buffer = new byte[1024];
    int n = 0;
    while(-1 != (n = input.read(buffer))) {
        output.write(buffer, 0, n);
    }
}
Serhii Bohutskyi
źródło
2

W oparciu o odpowiedź Yorama Cohena, oto wersja, która obsługuje niestatyczny katalog docelowy.

Invoque with, copyFileOrDir(getDataDir(), "")aby zapisać do wewnętrznego folderu przechowywania aplikacji / danych / danych / pkg_name /

  • Obsługuje podfoldery.
  • Obsługuje niestandardowy i niestatyczny katalog docelowy
  • Unika kopiowania „obrazów” itp. Fałszywych folderów zasobów, takich jak

    private void copyFileOrDir(String TARGET_BASE_PATH, String path) {
    AssetManager assetManager = this.getAssets();
    String assets[] = null;
    try {
        Log.i("tag", "copyFileOrDir() "+path);
        assets = assetManager.list(path);
        if (assets.length == 0) {
            copyFile(TARGET_BASE_PATH, path);
        } else {
            String fullPath =  TARGET_BASE_PATH + "/" + path;
            Log.i("tag", "path="+fullPath);
            File dir = new File(fullPath);
            if (!dir.exists() && !path.startsWith("images") && !path.startsWith("sounds") && !path.startsWith("webkit"))
                if (!dir.mkdirs())
                    Log.i("tag", "could not create dir "+fullPath);
            for (int i = 0; i < assets.length; ++i) {
                String p;
                if (path.equals(""))
                    p = "";
                else 
                    p = path + "/";
    
                if (!path.startsWith("images") && !path.startsWith("sounds") && !path.startsWith("webkit"))
                    copyFileOrDir(TARGET_BASE_PATH, p + assets[i]);
            }
        }
    } catch (IOException ex) {
        Log.e("tag", "I/O Exception", ex);
    }
    }
    
    private void copyFile(String TARGET_BASE_PATH, String filename) {
    AssetManager assetManager = this.getAssets();
    
    InputStream in = null;
    OutputStream out = null;
    String newFileName = null;
    try {
        Log.i("tag", "copyFile() "+filename);
        in = assetManager.open(filename);
        if (filename.endsWith(".jpg")) // extension was added to avoid compression on APK file
            newFileName = TARGET_BASE_PATH + "/" + filename.substring(0, filename.length()-4);
        else
            newFileName = TARGET_BASE_PATH + "/" + filename;
        out = new FileOutputStream(newFileName);
    
        byte[] buffer = new byte[1024];
        int read;
        while ((read = in.read(buffer)) != -1) {
            out.write(buffer, 0, read);
        }
        in.close();
        in = null;
        out.flush();
        out.close();
        out = null;
    } catch (Exception e) {
        Log.e("tag", "Exception in copyFile() of "+newFileName);
        Log.e("tag", "Exception in copyFile() "+e.toString());
    }
    
    }
KrisWebDev
źródło
2

Korzystając z niektórych pojęć w odpowiedziach na to pytanie, napisałem klasę powołaną, AssetCopieraby uprościć kopiowanie /assets/. Jest dostępny na github i można uzyskać do niego dostęp za pomocą jitpack.io :

new AssetCopier(MainActivity.this)
        .withFileScanning()
        .copy("tocopy", destDir);

Więcej informacji na stronie https://github.com/flipagram/android-assetcopier .

JohnnyLambada
źródło
2

Istnieją zasadniczo dwa sposoby, aby to zrobić.

Po pierwsze, możesz użyć AssetManager.open i, jak opisano przez Rohith Nandakumar i iterować po strumieniu wejściowym.

Po drugie, możesz użyć AssetManager.openFd , który pozwala na użycie FileChannel (który ma [transferTo] ( https://developer.android.com/reference/java/nio/channels/FileChannel.html#transferTo(long , long, java.nio.channels.WritableByteChannel)) i [transferFrom] ( https://developer.android.com/reference/java/nio/channels/FileChannel.html#transferFrom(java.nio.channels.ReadableByteChannel , długie, długie)))), więc nie musisz samodzielnie zapętlać strumienia wejściowego.

Opiszę tutaj metodę openFd.

Kompresja

Najpierw musisz upewnić się, że plik jest przechowywany bez kompresji. System pakowania może wybrać kompresję dowolnego pliku z rozszerzeniem, które nie jest oznaczone jako noCompress , a skompresowanych plików nie można zmapować w pamięci, więc będziesz musiał polegać na AssetManager.open w takim przypadku .

Możesz dodać rozszerzenie „.mp3” do swojego pliku, aby zatrzymać kompresję, ale właściwym rozwiązaniem jest zmodyfikowanie pliku app / build.gradle i dodanie następujących wierszy (aby wyłączyć kompresję plików PDF)

aaptOptions {
    noCompress 'pdf'
}

Pakowanie plików

Zauważ, że program pakujący wciąż może spakować wiele plików w jeden, więc nie możesz po prostu odczytać całego pliku, który daje Ci AssetManager . Musisz zapytać AssetFileDescriptor które części potrzebujesz.

Znalezienie właściwej części spakowanego pliku

Po upewnieniu się, że plik jest przechowywany nieskompresowany, możesz użyć metody AssetManager.openFd , aby uzyskać AssetFileDescriptor , którego można użyć do uzyskania FileInputStream (w przeciwieństwie do AssetManager.open , który zwraca InputStream ), który zawiera FileChannel . Zawiera także początkowe przesunięcie (getStartOffset) i rozmiar (getLength) , których potrzebujesz, aby uzyskać poprawną część pliku.

Realizacja

Przykładowe wdrożenie podano poniżej:

private void copyFileFromAssets(String in_filename, File out_file){
    Log.d("copyFileFromAssets", "Copying file '"+in_filename+"' to '"+out_file.toString()+"'");
    AssetManager assetManager = getApplicationContext().getAssets();
    FileChannel in_chan = null, out_chan = null;
    try {
        AssetFileDescriptor in_afd = assetManager.openFd(in_filename);
        FileInputStream in_stream = in_afd.createInputStream();
        in_chan = in_stream.getChannel();
        Log.d("copyFileFromAssets", "Asset space in file: start = "+in_afd.getStartOffset()+", length = "+in_afd.getLength());
        FileOutputStream out_stream = new FileOutputStream(out_file);
        out_chan = out_stream.getChannel();
        in_chan.transferTo(in_afd.getStartOffset(), in_afd.getLength(), out_chan);
    } catch (IOException ioe){
        Log.w("copyFileFromAssets", "Failed to copy file '"+in_filename+"' to external storage:"+ioe.toString());
    } finally {
        try {
            if (in_chan != null) {
                in_chan.close();
            }
            if (out_chan != null) {
                out_chan.close();
            }
        } catch (IOException ioe){}
    }
}

Ta odpowiedź jest oparta na odpowiedzi JPM .

AI0867
źródło
1
import android.app.Activity;
import android.content.Intent;
import android.content.res.AssetManager;
import android.net.Uri;
import android.os.Environment;
import android.os.Bundle;
import android.util.Log;
import java.io.BufferedOutputStream;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;


public class MainActivity extends Activity {

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);

        copyReadAssets();
    }


    private void copyReadAssets()
    {
        AssetManager assetManager = getAssets();

        InputStream in = null;
        OutputStream out = null;

        String strDir = Environment.getExternalStoragePublicDirectory(Environment.DIRECTORY_DOWNLOADS)+ File.separator + "Pdfs";
        File fileDir = new File(strDir);
        fileDir.mkdirs();   // crear la ruta si no existe
        File file = new File(fileDir, "example2.pdf");



        try
        {

            in = assetManager.open("example.pdf");  //leer el archivo de assets
            out = new BufferedOutputStream(new FileOutputStream(file)); //crear el archivo


            copyFile(in, out);
            in.close();
            in = null;
            out.flush();
            out.close();
            out = null;
        } catch (Exception e)
        {
            Log.e("tag", e.getMessage());
        }

        Intent intent = new Intent(Intent.ACTION_VIEW);
        intent.setDataAndType(Uri.parse("file://" + Environment.getExternalStoragePublicDirectory(Environment.DIRECTORY_DOWNLOADS) + File.separator + "Pdfs" + "/example2.pdf"), "application/pdf");
        startActivity(intent);
    }

    private void copyFile(InputStream in, OutputStream out) throws IOException
    {
        byte[] buffer = new byte[1024];
        int read;
        while ((read = in.read(buffer)) != -1)
        {
            out.write(buffer, 0, read);
        }
    }
}

zmień części kodu w następujący sposób:

out = new BufferedOutputStream(new FileOutputStream(file));

poprzedni przykład dotyczy plików PDF, w przypadku np. .txt

FileOutputStream fos = new FileOutputStream(file);
Alex Zaraos
źródło
1

Użyj AssetManager , pozwala odczytać pliki w zasobach. Następnie użyj zwykłego Java IO, aby zapisać pliki na sdcard.

Google jest twoim przyjacielem, poszukaj przykładu.

Drakosha
źródło
1

Cześć chłopaki, zrobiłem coś takiego. Dla N-tej głębokości skopiuj folder i pliki do skopiowania. Który pozwala skopiować całą strukturę katalogów do skopiowania z Android AssetManager :)

    private void manageAssetFolderToSDcard()
    {

        try
        {
            String arg_assetDir = getApplicationContext().getPackageName();
            String arg_destinationDir = FRConstants.ANDROID_DATA + arg_assetDir;
            File FolderInCache = new File(arg_destinationDir);
            if (!FolderInCache.exists())
            {
                copyDirorfileFromAssetManager(arg_assetDir, arg_destinationDir);
            }
        } catch (IOException e1)
        {

            e1.printStackTrace();
        }

    }


    public String copyDirorfileFromAssetManager(String arg_assetDir, String arg_destinationDir) throws IOException
    {
        File sd_path = Environment.getExternalStorageDirectory(); 
        String dest_dir_path = sd_path + addLeadingSlash(arg_destinationDir);
        File dest_dir = new File(dest_dir_path);

        createDir(dest_dir);

        AssetManager asset_manager = getApplicationContext().getAssets();
        String[] files = asset_manager.list(arg_assetDir);

        for (int i = 0; i < files.length; i++)
        {

            String abs_asset_file_path = addTrailingSlash(arg_assetDir) + files[i];
            String sub_files[] = asset_manager.list(abs_asset_file_path);

            if (sub_files.length == 0)
            {
                // It is a file
                String dest_file_path = addTrailingSlash(dest_dir_path) + files[i];
                copyAssetFile(abs_asset_file_path, dest_file_path);
            } else
            {
                // It is a sub directory
                copyDirorfileFromAssetManager(abs_asset_file_path, addTrailingSlash(arg_destinationDir) + files[i]);
            }
        }

        return dest_dir_path;
    }


    public void copyAssetFile(String assetFilePath, String destinationFilePath) throws IOException
    {
        InputStream in = getApplicationContext().getAssets().open(assetFilePath);
        OutputStream out = new FileOutputStream(destinationFilePath);

        byte[] buf = new byte[1024];
        int len;
        while ((len = in.read(buf)) > 0)
            out.write(buf, 0, len);
        in.close();
        out.close();
    }

    public String addTrailingSlash(String path)
    {
        if (path.charAt(path.length() - 1) != '/')
        {
            path += "/";
        }
        return path;
    }

    public String addLeadingSlash(String path)
    {
        if (path.charAt(0) != '/')
        {
            path = "/" + path;
        }
        return path;
    }

    public void createDir(File dir) throws IOException
    {
        if (dir.exists())
        {
            if (!dir.isDirectory())
            {
                throw new IOException("Can't create directory, a file is in the way");
            }
        } else
        {
            dir.mkdirs();
            if (!dir.isDirectory())
            {
                throw new IOException("Unable to create directory");
            }
        }
    }

Na koniec utwórz asynctask:

    private class ManageAssetFolders extends AsyncTask<Void, Void, Void>
    {

        @Override
        protected Void doInBackground(Void... arg0)
        {
            manageAssetFolderToSDcard();
            return null;
        }

    }

nazwij to ze swojej działalności:

    new ManageAssetFolders().execute();
DropAndTrap
źródło
1

Niewielka modyfikacja powyższej odpowiedzi w celu rekurencyjnego skopiowania folderu i dostosowania go do niestandardowego miejsca docelowego.

public void copyFileOrDir(String path, String destinationDir) {
    AssetManager assetManager = this.getAssets();
    String assets[] = null;
    try {
        assets = assetManager.list(path);
        if (assets.length == 0) {
            copyFile(path,destinationDir);
        } else {
            String fullPath = destinationDir + "/" + path;
            File dir = new File(fullPath);
            if (!dir.exists())
                dir.mkdir();
            for (int i = 0; i < assets.length; ++i) {
                copyFileOrDir(path + "/" + assets[i], destinationDir + path + "/" + assets[i]);
            }
        }
    } catch (IOException ex) {
        Log.e("tag", "I/O Exception", ex);
    }
}

private void copyFile(String filename, String destinationDir) {
    AssetManager assetManager = this.getAssets();
    String newFileName = destinationDir + "/" + filename;

    InputStream in = null;
    OutputStream out = null;
    try {
        in = assetManager.open(filename);
        out = new FileOutputStream(newFileName);

        byte[] buffer = new byte[1024];
        int read;
        while ((read = in.read(buffer)) != -1) {
            out.write(buffer, 0, read);
        }
        in.close();
        in = null;
        out.flush();
        out.close();
        out = null;
    } catch (Exception e) {
        Log.e("tag", e.getMessage());
    }
    new File(newFileName).setExecutable(true, false);
}
Binoy Babu
źródło
1

W oparciu o rozwiązanie Rohitha Nandakumara zrobiłem coś własnego, aby skopiować pliki z podfolderu zasobów (tj. „ Asset / MyFolder ”). Sprawdzam też, czy plik już istnieje w sdcard, zanim spróbuję ponownie skopiować.

private void copyAssets() {
    AssetManager assetManager = getAssets();
    String[] files = null;
    try {
        files = assetManager.list("MyFolder");
    } catch (IOException e) {
        Log.e("tag", "Failed to get asset file list.", e);
    }
    if (files != null) for (String filename : files) {
        InputStream in = null;
        OutputStream out = null;
        try {
          in = assetManager.open("MyFolder/"+filename);
          File outFile = new File(getExternalFilesDir(null), filename);
          if (!(outFile.exists())) {// File does not exist...
                out = new FileOutputStream(outFile);
                copyFile(in, out);
          }
        } catch(IOException e) {
            Log.e("tag", "Failed to copy asset file: " + filename, e);
        }     
        finally {
            if (in != null) {
                try {
                    in.close();
                } catch (IOException e) {
                    // NOOP
                }
            }
            if (out != null) {
                try {
                    out.close();
                } catch (IOException e) {
                    // NOOP
                }
            }
        }  
    }
}
private void copyFile(InputStream in, OutputStream out) throws IOException {
    byte[] buffer = new byte[1024];
    int read;
    while((read = in.read(buffer)) != -1){
      out.write(buffer, 0, read);
    }
}
Pablo Alfonso
źródło
0

To zdecydowanie najlepsze rozwiązanie, jakie udało mi się znaleźć w Internecie. Użyłem następującego linku https://gist.github.com/mhasby/026f02b33fcc4207b302a60645f6e217 ,
ale miał jeden błąd, który naprawiłem, a potem działa jak urok. Oto mój kod. Możesz go łatwo używać, ponieważ jest to niezależna klasa Java.

public class CopyAssets {
public static void copyAssets(Context context) {
    AssetManager assetManager = context.getAssets();
    String[] files = null;
    try {
        files = assetManager.list("");
    } catch (IOException e) {
        Log.e("tag", "Failed to get asset file list.", e);
    }
    if (files != null) for (String filename : files) {
        InputStream in = null;
        OutputStream out = null;
        try {
            in = assetManager.open(filename);

            out = new FileOutputStream(Environment.getExternalStorageDirectory()+"/www/resources/" + filename);
            copyFile(in, out);
        } catch(IOException e) {
            Log.e("tag", "Failed to copy asset file: " + filename, e);
        }
        finally {
            if (in != null) {
                try {
                    in.close();
                    in = null;
                } catch (IOException e) {

                }
            }
            if (out != null) {
                try {
                    out.flush();
                    out.close();
                    out = null;
                } catch (IOException e) {

                }
            }
        }
    }
}

public static void copyFile(InputStream in, OutputStream out) throws IOException {
    byte[] buffer = new byte[1024];
    int read;
    while((read = in.read(buffer)) != -1){
        out.write(buffer, 0, read);
    }
}}

Jak widać, po prostu stwórz instancję CopyAssetsw swojej klasie Java, która ma aktywność. Teraz ta część jest ważna, jeśli chodzi o moje badania i poszukiwania w internecie You cannot use AssetManager if the class has no activity. Ma to coś wspólnego z kontekstem klasy java.
Teraz c.copyAssets(getApplicationContext())jest to łatwy sposób na dostęp do metody, gdzie cjest i instancja CopyAssetsklasy. Zgodnie z moimi wymaganiami zezwoliłem programowi na skopiowanie wszystkich plików zasobów z assetfolderu do /www/resources/mojego katalogu wewnętrznego.
Możesz łatwo znaleźć część, w której musisz dokonać zmian w katalogu zgodnie z przeznaczeniem. Jeśli potrzebujesz pomocy, wyślij mi ping.

Shan Singh
źródło
0

Dla tych, którzy aktualizują się do Kotlin:

Postępując zgodnie z tymi krokami, aby uniknąć FileUriExposedExceptions, załóżmy, że użytkownik udzielił WRITE_EXTERNAL_STORAGEuprawnienia, a plik jest w assets/pdfs/mypdf.pdf.

private fun openFile() {
    var inputStream: InputStream? = null
    var outputStream: OutputStream? = null
    try {
        val file = File("${activity.getExternalFilesDir(null)}/$PDF_FILE_NAME")
        if (!file.exists()) {
            inputStream = activity.assets.open("$PDF_ASSETS_PATH/$PDF_FILE_NAME")
            outputStream = FileOutputStream(file)
            copyFile(inputStream, outputStream)
        }

        val uri = FileProvider.getUriForFile(
            activity,
            "${BuildConfig.APPLICATION_ID}.provider.GenericFileProvider",
            file
        )
        val intent = Intent(Intent.ACTION_VIEW).apply {
            setDataAndType(uri, "application/pdf")
            addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION)
            addFlags(Intent.FLAG_ACTIVITY_NO_HISTORY)
        }
        activity.startActivity(intent)
    } catch (ex: IOException) {
        ex.printStackTrace()
    } catch (ex: ActivityNotFoundException) {
        ex.printStackTrace()
    } finally {
        inputStream?.close()
        outputStream?.flush()
        outputStream?.close()
    }
}

@Throws(IOException::class)
private fun copyFile(input: InputStream, output: OutputStream) {
    val buffer = ByteArray(1024)
    var read: Int = input.read(buffer)
    while (read != -1) {
        output.write(buffer, 0, read)
        read = input.read(buffer)
    }
}

companion object {
    private const val PDF_ASSETS_PATH = "pdfs"
    private const val PDF_FILE_NAME = "mypdf.pdf"
}
Arscar
źródło