byte [] para arquivar em Java


327

Com Java:

Eu tenho um byte[]que representa um arquivo.

Como escrevo isso em um arquivo (por exemplo, C:\myfile.pdf)

Eu sei que é feito com o InputStream, mas não consigo resolver isso.

Respostas:


502

Use o Apache Commons IO

FileUtils.writeByteArrayToFile(new File("pathname"), myByteArray)

Ou, se você insistir em fazer um trabalho para si mesmo ...

try (FileOutputStream fos = new FileOutputStream("pathname")) {
   fos.write(myByteArray);
   //fos.close(); There is no more need for this line since you had created the instance of "fos" inside the try. And this will automatically close the OutputStream
}

28
@R. Bemrose Bem, provavelmente consegue limpar recursos no caso triste.
Tom Hawtin - defina

1
No documento: NOTA: A partir da v1.3, os diretórios pai do arquivo serão criados se eles não existirem.
bmargulies

24
Se a gravação falhar, você vazará o fluxo de saída. Você sempre deve usar try {} finally {}para garantir a limpeza adequada dos recursos.
Steven Schlansker

3
a instrução fos.close () é redundante, pois você está usando o try-with-resources, que fecha o fluxo automaticamente, mesmo se a gravação falhar.
Tihomir Meščić

4
Por que eu iria usar o Apache Commons IO quando é 2 linhas com Java regulares
GabrielBB

185

Sem nenhuma biblioteca:

try (FileOutputStream stream = new FileOutputStream(path)) {
    stream.write(bytes);
}

Com o Google Guava :

Files.write(bytes, new File(path));

Com o Apache Commons :

FileUtils.writeByteArrayToFile(new File(path), bytes);

Todas essas estratégias também exigem que você capture uma IOException em algum momento.


118

Outra solução usando java.nio.file:

byte[] bytes = ...;
Path path = Paths.get("C:\\myfile.pdf");
Files.write(path, bytes);

1
somente para Andorid O (8.0) +
kangear 9/04/19

2
Eu não acho que C:\myfile.pdfiria trabalhar em Android de qualquer maneira ...;)
TBieniek

37

Também desde o Java 7, uma linha com java.nio.file.Files:

Files.write(new File(filePath).toPath(), data);

Onde data é seu byte [] e filePath é uma String. Você também pode adicionar várias opções de abertura de arquivo com a classe StandardOpenOptions. Adicione arremessos ou surround com try / catch.


6
Você poderia usar em Paths.get(filePath);vez denew File(filePath).toPath()
Tim Büthe

@ Halil Eu não acho isso certo. De acordo com os javadocs, existe um terceiro argumento opcional para opções abertas e "Se nenhuma opção estiver presente, esse método funcionará como se as opções CREATE, TRUNCATE_EXISTING e WRITE estivessem presentes. Em outras palavras, ele abre o arquivo para gravação, criando o arquivo, se ele não existir, ou truncar inicialmente um arquivo regular existente para um tamanho de 0. "
Kevin Sadler

19

A partir do Java 7, você pode usar a instrução try-with-resources para evitar o vazamento de recursos e facilitar a leitura do seu código. Mais sobre isso aqui .

Para escrever seu byteArrayem um arquivo, você faria:

try (FileOutputStream fos = new FileOutputStream("fullPathToFile")) {
    fos.write(byteArray);
} catch (IOException ioe) {
    ioe.printStackTrace();
}

Eu tentei usar isso e causou problemas com bytes que não eram caracteres UTF-8, portanto, seria cuidadoso com este caso você esteja tentando escrever bytes individuais para criar um arquivo, por exemplo.
Pdum



1
File f = new File(fileName);    
byte[] fileContent = msg.getByteSequenceContent();    

Path path = Paths.get(f.getAbsolutePath());
try {
    Files.write(path, fileContent);
} catch (IOException ex) {
    Logger.getLogger(Agent2.class.getName()).log(Level.SEVERE, null, ex);
}

1

////////////////////////// 1] File to Byte [] /////////////////// //

Path path = Paths.get(p);
                    byte[] data = null;                         
                    try {
                        data = Files.readAllBytes(path);
                    } catch (IOException ex) {
                        Logger.getLogger(Agent1.class.getName()).log(Level.SEVERE, null, ex);
                    }

/////////////////////// 2] Byte [] to File //////////////////// ///////

 File f = new File(fileName);
 byte[] fileContent = msg.getByteSequenceContent();
Path path = Paths.get(f.getAbsolutePath());
                            try {
                                Files.write(path, fileContent);
                            } catch (IOException ex) {
                                Logger.getLogger(Agent2.class.getName()).log(Level.SEVERE, null, ex);
                            }

Obrigado pela resposta .. mas eu tenho confusão sobre "fileName", quero dizer qual é o tipo de arquivo que você está salvando os dados? você pode explicar, por favor?
SRAM

1
Oi SRam, isso depende exclusivamente da sua aplicação porque você está fazendo a conversão e em qual formato deseja a saída, eu sugiro que você escolha um formato .txt (por exemplo: - myconvertedfilename.txt), mas novamente é a sua escolha.
Piyush Rumao

0

Exemplo básico:

String fileName = "file.test";

BufferedOutputStream bs = null;

try {

    FileOutputStream fs = new FileOutputStream(new File(fileName));
    bs = new BufferedOutputStream(fs);
    bs.write(byte_array);
    bs.close();
    bs = null;

} catch (Exception e) {
    e.printStackTrace()
}

if (bs != null) try { bs.close(); } catch (Exception e) {}

0

Este é um programa em que estamos lendo e imprimindo o deslocamento e o comprimento da matriz de bytes usando o String Builder e gravando a extensão do deslocamento da matriz de bytes no novo arquivo.

` Digite o código aqui

import java.io.File;   
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;        

//*This is a program where we are reading and printing array of bytes offset and length using StringBuilder and Writing the array of bytes offset length to the new file*//     

public class ReadandWriteAByte {
    public void readandWriteBytesToFile(){
        File file = new File("count.char"); //(abcdefghijk)
        File bfile = new File("bytefile.txt");//(New File)
        byte[] b;
        FileInputStream fis = null;              
        FileOutputStream fos = null;          

        try{               
            fis = new FileInputStream (file);           
            fos = new FileOutputStream (bfile);             
            b = new byte [1024];              
            int i;              
            StringBuilder sb = new StringBuilder();

            while ((i = fis.read(b))!=-1){                  
                sb.append(new String(b,5,5));               
                fos.write(b, 2, 5);               
            }               

            System.out.println(sb.toString());               
        }catch (IOException e) {                    
            e.printStackTrace();                
        }finally {               
            try {              
                if(fis != null);           
                    fis.close();    //This helps to close the stream          
            }catch (IOException e){           
                e.printStackTrace();              
            }            
        }               
    }               

    public static void main (String args[]){              
        ReadandWriteAByte rb = new ReadandWriteAByte();              
        rb.readandWriteBytesToFile();              
    }                 
}                

O / P no console: fghij

O / P em novo arquivo: cdefg


Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.