Flussi binari di input e output utilizzando JERSEY?


111

Sto usando Jersey per implementare un'API RESTful che recupera e fornisce principalmente dati codificati JSON. Ma ho alcune situazioni in cui ho bisogno di ottenere quanto segue:

  • Esporta documenti scaricabili, come PDF, XLS, ZIP o altri file binari.
  • Recupera i dati multiparte, come alcuni JSON più un file XLS caricato

Ho un client Web basato su JQuery a pagina singola che crea chiamate AJAX a questo servizio Web. Al momento, non effettua invii di moduli e utilizza GET e POST (con un oggetto JSON). Devo utilizzare un modulo post per inviare dati e un file binario allegato o posso creare una richiesta multiparte con JSON più file binario?

Il livello di servizio della mia applicazione attualmente crea un ByteArrayOutputStream quando genera un file PDF. Qual è il modo migliore per inviare in output questo flusso al client tramite Jersey? Ho creato un MessageBodyWriter, ma non so come usarlo da una risorsa Jersey. È questo l'approccio giusto?

Ho esaminato gli esempi inclusi con Jersey, ma non ho ancora trovato nulla che illustri come fare una di queste cose. Se è importante, sto usando Jersey con Jackson per fare Object-> JSON senza il passaggio XML e non sto davvero utilizzando JAX-RS.

Risposte:


109

Sono riuscito a ottenere un file ZIP o un file PDF estendendo l' StreamingOutputoggetto. Ecco un po 'di codice di esempio:

@Path("PDF-file.pdf/")
@GET
@Produces({"application/pdf"})
public StreamingOutput getPDF() throws Exception {
    return new StreamingOutput() {
        public void write(OutputStream output) throws IOException, WebApplicationException {
            try {
                PDFGenerator generator = new PDFGenerator(getEntity());
                generator.generatePDF(output);
            } catch (Exception e) {
                throw new WebApplicationException(e);
            }
        }
    };
}

La classe PDFGenerator (la mia classe per la creazione del PDF) prende il flusso di output dal metodo di scrittura e scrive su quello invece di un flusso di output appena creato.

Non so se sia il modo migliore per farlo, ma funziona.


33
È anche possibile restituire StreamingOutput come entità a un Responseoggetto. In questo modo puoi controllare facilmente il tipo di supporto, il codice di risposta HTTP, ecc. Fammi sapere se vuoi che inserisca il codice.
Hank

3
@MyTitle: vedi esempio
Hank

3
Ho utilizzato gli esempi di codice in questo thread come riferimento e ho scoperto che avevo bisogno di scaricare OutputStream in StreamingOutput.write () affinché il client ricevesse l'output in modo affidabile. Altrimenti a volte ottenevo "Content-Length: 0" nelle intestazioni e nessun corpo, anche se i log mi dicevano che StreamingOutput era in esecuzione.
Jon Stewart

@ JonStewart - Credo che stavo facendo il flush all'interno del metodo generatePDF.
MikeTheReader

1
@ Dante617. Pubblichereste il codice lato client come il client Jersey invia il flusso binario al server (con jersey 2.x)?
Débora

29

Ho dovuto restituire un file RTF e questo ha funzionato per me.

// create a byte array of the file in correct format
byte[] docStream = createDoc(fragments); 

return Response
            .ok(docStream, MediaType.APPLICATION_OCTET_STREAM)
            .header("content-disposition","attachment; filename = doc.rtf")
            .build();

26
Non così buono, perché l'output viene inviato solo dopo essere stato completamente preparato. Un byte [] non è un flusso.
java.is.for.desktop

7
Questo consuma tutti i byte in memoria, il che significa che file di grandi dimensioni potrebbero arrestare il server. Lo scopo dello streaming è evitare di consumare tutti i byte in memoria.
Robert Christian

22

Sto usando questo codice per esportare il file excel (xlsx) (Apache Poi) in jersey come allegato.

@GET
@Path("/{id}/contributions/excel")
@Produces("application/vnd.openxmlformats-officedocument.spreadsheetml.sheet")
public Response exportExcel(@PathParam("id") Long id)  throws Exception  {

    Resource resource = new ClassPathResource("/xls/template.xlsx");

    final InputStream inp = resource.getInputStream();
    final Workbook wb = WorkbookFactory.create(inp);
    Sheet sheet = wb.getSheetAt(0);

    Row row = CellUtil.getRow(7, sheet);
    Cell cell = CellUtil.getCell(row, 0);
    cell.setCellValue("TITRE TEST");

    [...]

    StreamingOutput stream = new StreamingOutput() {
        public void write(OutputStream output) throws IOException, WebApplicationException {
            try {
                wb.write(output);
            } catch (Exception e) {
                throw new WebApplicationException(e);
            }
        }
    };


    return Response.ok(stream).header("content-disposition","attachment; filename = export.xlsx").build();

}

15

Ecco un altro esempio. Sto creando un QRCode come PNG tramite un file ByteArrayOutputStream. La risorsa restituisce un Responseoggetto e i dati del flusso sono l'entità.

Per illustrare la movimentazione codice di risposta, ho aggiunto la gestione delle intestazioni di cache ( If-modified-since, If-none-matches, ecc).

@Path("{externalId}.png")
@GET
@Produces({"image/png"})
public Response getAsImage(@PathParam("externalId") String externalId, 
        @Context Request request) throws WebApplicationException {

    ByteArrayOutputStream stream = new ByteArrayOutputStream();
    // do something with externalId, maybe retrieve an object from the
    // db, then calculate data, size, expirationTimestamp, etc

    try {
        // create a QRCode as PNG from data     
        BitMatrix bitMatrix = new QRCodeWriter().encode(
                data, 
                BarcodeFormat.QR_CODE, 
                size, 
                size
        );
        MatrixToImageWriter.writeToStream(bitMatrix, "png", stream);

    } catch (Exception e) {
        // ExceptionMapper will return HTTP 500 
        throw new WebApplicationException("Something went wrong …")
    }

    CacheControl cc = new CacheControl();
    cc.setNoTransform(true);
    cc.setMustRevalidate(false);
    cc.setNoCache(false);
    cc.setMaxAge(3600);

    EntityTag etag = new EntityTag(HelperBean.md5(data));

    Response.ResponseBuilder responseBuilder = request.evaluatePreconditions(
            updateTimestamp,
            etag
    );
    if (responseBuilder != null) {
        // Preconditions are not met, returning HTTP 304 'not-modified'
        return responseBuilder
                .cacheControl(cc)
                .build();
    }

    Response response = Response
            .ok()
            .cacheControl(cc)
            .tag(etag)
            .lastModified(updateTimestamp)
            .expires(expirationTimestamp)
            .type("image/png")
            .entity(stream.toByteArray())
            .build();
    return response;
}   

Per favore non picchiarmi nel caso in cui non stream.toByteArray()sia un ricordo saggio :) Funziona per i miei file PNG <1KB ...


6
Penso che sia un cattivo esempio di streaming, poiché l'oggetto restituito nell'output è un array di byte e non un flusso.
AlikElzin-kilaka

Buon esempio per creare una risposta a una richiesta di risorsa GET, non un buon esempio per lo streaming. Questo non è affatto un flusso.
Robert Christian

14

Ho composto i miei servizi Jersey 1.17 nel modo seguente:

FileStreamingOutput

public class FileStreamingOutput implements StreamingOutput {

    private File file;

    public FileStreamingOutput(File file) {
        this.file = file;
    }

    @Override
    public void write(OutputStream output)
            throws IOException, WebApplicationException {
        FileInputStream input = new FileInputStream(file);
        try {
            int bytes;
            while ((bytes = input.read()) != -1) {
                output.write(bytes);
            }
        } catch (Exception e) {
            throw new WebApplicationException(e);
        } finally {
            if (output != null) output.close();
            if (input != null) input.close();
        }
    }

}

GET

@GET
@Produces("application/pdf")
public StreamingOutput getPdf(@QueryParam(value="name") String pdfFileName) {
    if (pdfFileName == null)
        throw new WebApplicationException(Response.Status.BAD_REQUEST);
    if (!pdfFileName.endsWith(".pdf")) pdfFileName = pdfFileName + ".pdf";

    File pdf = new File(Settings.basePath, pdfFileName);
    if (!pdf.exists())
        throw new WebApplicationException(Response.Status.NOT_FOUND);

    return new FileStreamingOutput(pdf);
}

E il cliente, se ne hai bisogno:

Client

private WebResource resource;

public InputStream getPDFStream(String filename) throws IOException {
    ClientResponse response = resource.path("pdf").queryParam("name", filename)
        .type("application/pdf").get(ClientResponse.class);
    return response.getEntityInputStream();
}

7

Questo esempio mostra come pubblicare file di log in JBoss tramite una risorsa rest. Notare che il metodo get utilizza l'interfaccia StreamingOutput per trasmettere il contenuto del file di registro.

@Path("/logs/")
@RequestScoped
public class LogResource {

private static final Logger logger = Logger.getLogger(LogResource.class.getName());
@Context
private UriInfo uriInfo;
private static final String LOG_PATH = "jboss.server.log.dir";

public void pipe(InputStream is, OutputStream os) throws IOException {
    int n;
    byte[] buffer = new byte[1024];
    while ((n = is.read(buffer)) > -1) {
        os.write(buffer, 0, n);   // Don't allow any extra bytes to creep in, final write
    }
    os.close();
}

@GET
@Path("{logFile}")
@Produces("text/plain")
public Response getLogFile(@PathParam("logFile") String logFile) throws URISyntaxException {
    String logDirPath = System.getProperty(LOG_PATH);
    try {
        File f = new File(logDirPath + "/" + logFile);
        final FileInputStream fStream = new FileInputStream(f);
        StreamingOutput stream = new StreamingOutput() {
            @Override
            public void write(OutputStream output) throws IOException, WebApplicationException {
                try {
                    pipe(fStream, output);
                } catch (Exception e) {
                    throw new WebApplicationException(e);
                }
            }
        };
        return Response.ok(stream).build();
    } catch (Exception e) {
        return Response.status(Response.Status.CONFLICT).build();
    }
}

@POST
@Path("{logFile}")
public Response flushLogFile(@PathParam("logFile") String logFile) throws URISyntaxException {
    String logDirPath = System.getProperty(LOG_PATH);
    try {
        File file = new File(logDirPath + "/" + logFile);
        PrintWriter writer = new PrintWriter(file);
        writer.print("");
        writer.close();
        return Response.ok().build();
    } catch (Exception e) {
        return Response.status(Response.Status.CONFLICT).build();
    }
}    

}


1
Cordiali saluti: invece del metodo pipe potresti anche usare IOUtils.copy da Apache commons I / O.
David

7

Usare il download del file Jersey 2.16 è molto semplice.

Di seguito è riportato l'esempio per il file ZIP

@GET
@Path("zipFile")
@Produces("application/zip")
public Response getFile() {
    File f = new File(ZIP_FILE_PATH);

    if (!f.exists()) {
        throw new WebApplicationException(404);
    }

    return Response.ok(f)
            .header("Content-Disposition",
                    "attachment; filename=server.zip").build();
}

1
Funziona come un fascino. Hai qualche idea su questa roba in streaming non capisco bene ...
Oliver

1
È il modo più semplice se usi Jersey, grazie
ganchito55

È possibile fare con @POST invece di @GET?
spr

@spr Penso di sì, è possibile. Quando la pagina del server risponde, dovrebbe fornire la finestra di download
orangegiraffa

5

Ho trovato utile quanto segue e volevo condividerlo nel caso in cui aiutasse te o qualcun altro. Volevo qualcosa come MediaType.PDF_TYPE, che non esiste, ma questo codice fa la stessa cosa:

DefaultMediaTypePredictor.CommonMediaTypes.
        getMediaTypeFromFileName("anything.pdf")

Vedi http://jersey.java.net/nonav/apidocs/1.1.0-ea/contribs/jersey-multipart/com/sun/jersey/multipart/file/DefaultMediaTypePredictor.CommonMediaTypes.html

Nel mio caso stavo pubblicando un documento PDF su un altro sito:

FormDataMultiPart p = new FormDataMultiPart();
p.bodyPart(new FormDataBodyPart(FormDataContentDisposition
        .name("fieldKey").fileName("document.pdf").build(),
        new File("path/to/document.pdf"),
        DefaultMediaTypePredictor.CommonMediaTypes
                .getMediaTypeFromFileName("document.pdf")));

Quindi p viene passato come secondo parametro a post ().

Questo link mi è stato utile per mettere insieme questo snippet di codice: http://jersey.576304.n2.nabble.com/Multipart-Post-td4252846.html


4

Questo ha funzionato bene con me url: http://example.com/rest/muqsith/get-file?filePath=C : \ Users \ I066807 \ Desktop \ test.xml

@GET
@Produces({ MediaType.APPLICATION_OCTET_STREAM })
@Path("/get-file")
public Response getFile(@Context HttpServletRequest request){
   String filePath = request.getParameter("filePath");
   if(filePath != null && !"".equals(filePath)){
        File file = new File(filePath);
        StreamingOutput stream = null;
        try {
        final InputStream in = new FileInputStream(file);
        stream = new StreamingOutput() {
            public void write(OutputStream out) throws IOException, WebApplicationException {
                try {
                    int read = 0;
                        byte[] bytes = new byte[1024];

                        while ((read = in.read(bytes)) != -1) {
                            out.write(bytes, 0, read);
                        }
                } catch (Exception e) {
                    throw new WebApplicationException(e);
                }
            }
        };
    } catch (FileNotFoundException e) {
        e.printStackTrace();
    }
        return Response.ok(stream).header("content-disposition","attachment; filename = "+file.getName()).build();
        }
    return Response.ok("file path null").build();
}

1
Non sono sicuro Response.ok("file path null").build();, va davvero bene? Probabilmente dovresti usare qualcosa comeResponse.status(Status.BAD_REQUEST).entity(...
Christophe Roussy,

1

Un altro codice di esempio in cui è possibile caricare un file sul servizio REST, il servizio REST comprime il file e il client scarica il file zip dal server. Questo è un buon esempio di utilizzo di flussi di input e output binari utilizzando Jersey.

https://stackoverflow.com/a/32253028/15789

Questa risposta è stata pubblicata da me in un altro thread. Spero che questo ti aiuti.

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.