无法创建生成的HTTP客户端所需的返回类型,因为从ByteBuffer到类java.io.File的TypeConverter没有:Micronaut

时间:2019-10-02 13:44:51

标签: java rest http micronaut micronaut-client

以下是服务器端代码,用于使用micronaut将文件作为休息响应发送到客户端。

@Get(value = "/downloadFile", produces = MediaType.APPLICATION_OCTET_STREAM )
public HttpResponse<File> downloadDocument() throws IOException {

    File sampleDocumentFile = new File(getClass().getClassLoader().getResource("SampleDocument.pdf").getFile());

    return HttpResponse.ok(sampleDocumentFile).header("Content-Disposition", "attachment; filename=\"" + sampleDocumentFile.getName() + "\"" );
}

下面是调用上述端点的客户端。

@Client(value = "/client")
public interface DownloadDocumentClient {

@Get(value = "/downloadDocument", processes = MediaType.APPLICATION_OCTET_STREAM)
public Flowable<File> downloadDocument();

}

尝试检索以下文件:-

Flowable<File> fileFlowable = downloadDocumentClient.downloadDocument();
    Maybe<File> fileMaybe = fileFlowable.firstElement();
    return fileMaybe.blockingGet();

获取异常
  

io.micronaut.context.exceptions.ConfigurationException:无法创建   生成的HTTP客户端的必需返回类型,因为没有   从ByteBuffer到类java.io.File的TypeConverter已注册

1 个答案:

答案 0 :(得分:1)

您无法使用File实例发送文件数据,因为它仅包含路径而不包含文件内容。您可以使用字节数组发送文件内容。

以这种方式更新控制器:

@Get(value = "/download", produces = MediaType.APPLICATION_OCTET_STREAM)
public HttpResponse<byte[]> downloadDocument() throws IOException, URISyntaxException {
    String documentName = "SampleDocument.pdf";
    byte[] content = Files.readAllBytes(Paths.get(getClass().getClassLoader().getResource(documentName).toURI()));
    return HttpResponse.ok(content).header("Content-Disposition", "attachment; filename=\"" + documentName + "\"");
}

客户端将如下所示:

@Get(value = "/download", processes = MediaType.APPLICATION_OCTET_STREAM)
Flowable<byte[]> downloadDocument();

最后是客户电话:

Flowable<byte[]> fileFlowable = downloadDocumentClient.downloadDocument();
Maybe<byte[]> fileMaybe = fileFlowable.firstElement();
byte[] content = fileMaybe.blockingGet();

更新: 如果需要将接收到的字节(文件内容)保存到客户端计算机(容器)上的文件中,则可以这样做,例如:

Path targetPath = Files.write(Paths.get("target.pdf"), fileMaybe.blockingGet());

如果您确实需要File实例而不是Path实例进行进一步处理,则只需:

File file = targetPath.toFile();