Come spostare, copiare ed eliminare in modo programmatico file e directory su SD?


91

Voglio spostare, copiare ed eliminare in modo programmatico file e directory sulla scheda SD. Ho eseguito una ricerca su Google ma non sono riuscito a trovare nulla di utile.

Risposte:


26

Usa I / O Java standard . Utilizzare Environment.getExternalStorageDirectory()per accedere alla radice della memoria esterna (che, su alcuni dispositivi, è una scheda SD).


Questi copiano il contenuto dei file ma non copiano realmente il file - cioè i metadati del file system non copiati ... Voglio un modo per farlo (come la shell cp) per fare un backup prima di sovrascrivere un file. È possibile?
Sanjay Manohar

9
In realtà la parte più rilevante dell'I / O Java standard, java.nio.file, purtroppo non è disponibile su Android (livello API 21).
corwin.amber

1
@CommonsWare: possiamo accedere pragmaticamente ai file privati ​​da SD? o eliminare qualsiasi file privato?
Saad Bilal

@ SaadBilal: una scheda SD è solitamente un archivio rimovibile e non hai accesso arbitrario ai file su un archivio rimovibile tramite il filesystem.
CommonsWare

3
con il rilascio di Android 10 l'archiviazione con ambito è diventata la nuova norma e anche tutti i metodi per eseguire operazioni con i file sono cambiati, i modi di fare java.io non funzioneranno più a meno che non si aggiunga "RequestLagacyStorage" con il valore "true" nel file manifest anche il metodo Environment.getExternalStorageDirectory () è
obsoleto

158

impostare le autorizzazioni corrette nel manifest

     <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />

di seguito è una funzione che sposterà il file a livello di programmazione

private void moveFile(String inputPath, String inputFile, String outputPath) {

    InputStream in = null;
    OutputStream out = null;
    try {

        //create output directory if it doesn't exist
        File dir = new File (outputPath); 
        if (!dir.exists())
        {
            dir.mkdirs();
        }


        in = new FileInputStream(inputPath + inputFile);        
        out = new FileOutputStream(outputPath + inputFile);

        byte[] buffer = new byte[1024];
        int read;
        while ((read = in.read(buffer)) != -1) {
            out.write(buffer, 0, read);
        }
        in.close();
        in = null;

            // write the output file
            out.flush();
        out.close();
        out = null;

        // delete the original file
        new File(inputPath + inputFile).delete();  


    } 

         catch (FileNotFoundException fnfe1) {
        Log.e("tag", fnfe1.getMessage());
    }
          catch (Exception e) {
        Log.e("tag", e.getMessage());
    }

}

Per eliminare il file utilizzare

private void deleteFile(String inputPath, String inputFile) {
    try {
        // delete the original file
        new File(inputPath + inputFile).delete();  
    }
    catch (Exception e) {
        Log.e("tag", e.getMessage());
    }
}

Copiare

private void copyFile(String inputPath, String inputFile, String outputPath) {

    InputStream in = null;
    OutputStream out = null;
    try {

        //create output directory if it doesn't exist
        File dir = new File (outputPath); 
        if (!dir.exists())
        {
            dir.mkdirs();
        }


        in = new FileInputStream(inputPath + inputFile);        
        out = new FileOutputStream(outputPath + inputFile);

        byte[] buffer = new byte[1024];
        int read;
        while ((read = in.read(buffer)) != -1) {
            out.write(buffer, 0, read);
        }
        in.close();
        in = null;

            // write the output file (You have now copied the file)
            out.flush();
        out.close();
        out = null;        

    }  catch (FileNotFoundException fnfe1) {
        Log.e("tag", fnfe1.getMessage());
    }
            catch (Exception e) {
        Log.e("tag", e.getMessage());
    }

}

9
Non dimenticare di impostare le autorizzazioni nel manifest <uses-permission android: name = "android.permission.WRITE_EXTERNAL_STORAGE" />
Daniel Leahy

5
Inoltre, non dimenticare di aggiungere una barra alla fine di inputPath e outputPath, Es: / sdcard / NOT / sdcard
CONvid19

ho provato a muovermi ma non riesco. questo è il mio codice moveFile (file.getAbsolutePath (), myfile, Environment.getExternalStorageDirectory () + "/ CopyEcoTab /");
Meghna

3
Inoltre, non dimenticare di eseguirli su un thread in background tramite AsyncTask o un gestore, ecc.
w3bshark

1
@DanielLeahy Come assicurarsi che il file sia stato copiato correttamente e quindi eliminare solo il file originale?
Rahulrr2602

142

Sposta file:

File from = new File(Environment.getExternalStorageDirectory().getAbsolutePath()+"/kaic1/imagem.jpg");
File to = new File(Environment.getExternalStorageDirectory().getAbsolutePath()+"/kaic2/imagem.jpg");
from.renameTo(to);

31
Un avviso; "Entrambi i percorsi si trovano sullo stesso punto di montaggio. Su Android, è molto probabile che le applicazioni colpiscano questa limitazione quando tentano di copiare tra la memoria interna e una scheda SD."
zyamys

renameTofallisce senza alcuna spiegazione
sasha199568

Stranamente, questo crea una directory con il nome desiderato, invece di un file. Qualche idea al riguardo? Il file "da" è leggibile ed entrambi si trovano nella scheda SD.
xarlymg89

37

Funzione per spostare i file:

private void moveFile(File file, File dir) throws IOException {
    File newFile = new File(dir, file.getName());
    FileChannel outputChannel = null;
    FileChannel inputChannel = null;
    try {
        outputChannel = new FileOutputStream(newFile).getChannel();
        inputChannel = new FileInputStream(file).getChannel();
        inputChannel.transferTo(0, inputChannel.size(), outputChannel);
        inputChannel.close();
        file.delete();
    } finally {
        if (inputChannel != null) inputChannel.close();
        if (outputChannel != null) outputChannel.close();
    }

}

Quali modifiche sono necessarie per COPIARE il file?
BlueMango

3
@BlueMango Rimuovi la linea 10file.delete()
Peter Tran

Questo codice non funzionerà per file di grandi dimensioni come file da 1 GB o 2 GB.
Vishal Sojitra

@Vishal Perché no?
LarsH

Immagino che @Vishal significhi che la copia e l'eliminazione di un file di grandi dimensioni richiede molto più spazio su disco e tempo rispetto allo spostamento di quel file.
LarsH

19

Elimina

public static void deleteRecursive(File fileOrDirectory) {

 if (fileOrDirectory.isDirectory())
    for (File child : fileOrDirectory.listFiles())
        deleteRecursive(child);

    fileOrDirectory.delete();

    }

controllare questo collegamento per la funzione di cui sopra.

copia

public static void copyDirectoryOneLocationToAnotherLocation(File sourceLocation, File targetLocation)
    throws IOException {

if (sourceLocation.isDirectory()) {
    if (!targetLocation.exists()) {
        targetLocation.mkdir();
    }

    String[] children = sourceLocation.list();
    for (int i = 0; i < sourceLocation.listFiles().length; i++) {

        copyDirectoryOneLocationToAnotherLocation(new File(sourceLocation, children[i]),
                new File(targetLocation, children[i]));
    }
} else {

    InputStream in = new FileInputStream(sourceLocation);

    OutputStream out = new FileOutputStream(targetLocation);

    // Copy the bits from instream to outstream
    byte[] buf = new byte[1024];
    int len;
    while ((len = in.read(buf)) > 0) {
        out.write(buf, 0, len);
    }
    in.close();
    out.close();
}

}

Mossa

spostare non è niente, basta copiare la cartella da una posizione all'altra, quindi eliminare la cartella e basta

manifesto

     <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />

11
  1. Autorizzazioni:

    <uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE" />
    <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
  2. Ottieni la cartella principale della scheda SD:

    Environment.getExternalStorageDirectory()
  3. Elimina file: questo è un esempio su come eliminare tutte le cartelle vuote in una cartella principale:

    public static void deleteEmptyFolder(File rootFolder){
        if (!rootFolder.isDirectory()) return;
    
        File[] childFiles = rootFolder.listFiles();
        if (childFiles==null) return;
        if (childFiles.length == 0){
            rootFolder.delete();
        } else {
            for (File childFile : childFiles){
                deleteEmptyFolder(childFile);
            }
        }
    }
  4. Copia il file:

    public static void copyFile(File src, File dst) throws IOException {
        FileInputStream var2 = new FileInputStream(src);
        FileOutputStream var3 = new FileOutputStream(dst);
        byte[] var4 = new byte[1024];
    
        int var5;
        while((var5 = var2.read(var4)) > 0) {
            var3.write(var4, 0, var5);
        }
    
        var2.close();
        var3.close();
    }
  5. Sposta file = copia + elimina file sorgente


6
File from = new File(Environment.getExternalStorageDirectory().getAbsolutePath().getAbsolutePath()+"/kaic1/imagem.jpg");
File to = new File(Environment.getExternalStorageDirectory().getAbsolutePath()+"/kaic2/imagem.jpg");
from.renameTo(to);

6
File.renameTo funziona solo sullo stesso volume del file system. Inoltre dovresti controllare il risultato di renameTo.
MyDogTom

5

Copia il file usando Okio di Square :

BufferedSink bufferedSink = Okio.buffer(Okio.sink(destinationFile));
bufferedSink.writeAll(Okio.source(sourceFile));
bufferedSink.close();

3
/**
     * Copy the local DB file of an application to the root of external storage directory
     * @param context the Context of application
     * @param dbName The name of the DB
     */
    private void copyDbToExternalStorage(Context context , String dbName){

        try {
            File name = context.getDatabasePath(dbName);
            File sdcardFile = new File(Environment.getExternalStorageDirectory() , "test.db");//The name of output file
            sdcardFile.createNewFile();
            InputStream inputStream = null;
            OutputStream outputStream = null;
            inputStream = new FileInputStream(name);
            outputStream = new FileOutputStream(sdcardFile);
            byte[] buffer = new byte[1024];
            int read;
            while ((read = inputStream.read(buffer)) != -1) {
                outputStream.write(buffer, 0, read);
            }
            inputStream.close();
            outputStream.flush();
            outputStream.close();
        }
        catch (Exception e) {
            Log.e("Exception" , e.toString());
        }
    }


1

Xamarin Android

public static bool MoveFile(string CurrentFilePath, string NewFilePath)
{
    try
    {
        using (var f = new File(CurrentFilePath))
        using (var i = new FileInputStream(f))
        using (var o = new FileOutputStream(NewFilePath))
        {
            i.Channel.TransferTo(0, i.Channel.Size(), o.Channel);
            f.Delete();
        }

        return true;
    }
    catch { return false; }
}

public static bool CopyFile(string CurrentFilePath, string NewFilePath)
{
    try
    {
        using (var i = new FileInputStream(CurrentFilePath))
        using (var o = new FileOutputStream(NewFilePath))
            i.Channel.TransferTo(0, i.Channel.Size(), o.Channel);

        return true;
    }
    catch { return false; }
}

public static bool DeleteFile(string FilePath)
{
    try
    {
        using (var file = new File(FilePath))
            file.Delete();

        return true;
    }
    catch { return false; }
}

1

Per spostare un file è possibile utilizzare questa API ma è necessario almeno 26 come livello API -

sposta file

Ma se si desidera spostare la directory non è presente alcun supporto, quindi è possibile utilizzare questo codice nativo

    import org.apache.commons.io.FileUtils;

    import java.io.IOException;
    import java.io.File;

    public class FileModule {

    public void moveDirectory(String src, String des) {
    File srcDir = new File(src);
    File destDir = new File(des);
     try {
        FileUtils.moveDirectory(srcDir,destDir);
    } catch (Exception e) {
      Log.e("Exception" , e.toString());
      }
    }

    public void deleteDirectory(String dir) {
      File delDir = new File(dir);
      try {
        FileUtils.deleteDirectory(delDir);
       } catch (IOException e) {
      Log.e("Exception" , e.toString());
      }
     }
    }

1

Spostamento di file utilizzando kotlin. L'app deve avere l'autorizzazione per scrivere un file nella directory di destinazione.

@Throws(FileNotFoundException::class, IOError::class)
private fun moveTo(source: File, dest: File, destDirectory: File? = null) {

    if (destDirectory?.exists() == false) {
        destDirectory.mkdir()
    }

    val fis = FileInputStream(source)
    val bufferLength = 1024
    val buffer = ByteArray(bufferLength)
    val fos = FileOutputStream(dest)
    val bos = BufferedOutputStream(fos, bufferLength)
    var read = fis.read(buffer, 0, read)
    while (read != -1) {
        bos.write(buffer, 0, read)
        read = fis.read(buffer) // if read value is -1, it escapes loop.
    }
    fis.close()
    bos.flush()
    bos.close()

    if (!source.delete()) {
        HLog.w(TAG, klass, "failed to delete ${source.name}")
    }
}

0

Sposta file o cartella:

public static void moveFile(File srcFileOrDirectory, File desFileOrDirectory) throws IOException {
    File newFile = new File(desFileOrDirectory, srcFileOrDirectory.getName());
    try (FileChannel outputChannel = new FileOutputStream(newFile).getChannel(); FileChannel inputChannel = new FileInputStream(srcFileOrDirectory).getChannel()) {
        inputChannel.transferTo(0, inputChannel.size(), outputChannel);
        inputChannel.close();
        deleteRecursive(srcFileOrDirectory);
    }
}

private static void deleteRecursive(File fileOrDirectory) {
    if (fileOrDirectory.isDirectory())
        for (File child : Objects.requireNonNull(fileOrDirectory.listFiles()))
            deleteRecursive(child);
    fileOrDirectory.delete();
}
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.