如何从 curl 或 postman 或 swagger Micronaut 传递值 @Body MultipartBody

How to pass the value @Body MultipartBody from curl or postman or swagger Micronaut

我在 Micronaut 中有一个简单的 post 方法,它将图像发送到控制器,如下所示

@Controller("/product")
public class ProductController {

    @Post(consumes = MediaType.MULTIPART_FORM_DATA, produces = MediaType.MULTIPART_FORM_DATA)
    public String post(@Body MultipartBody file){
        return "This is multipost";
    }
}

如何将文件的值从 postman、curl 或 swagger 传递给控制器​​?

我尝试了以下方法

curl --location --request POST 'http://localhost:8080/product' \
--form 'file=@"/Users/macbook/Downloads/anand 001.jpg"'

我得到的错误是 Required Body [file] not specified。我们如何传递价值?

更改 post() 方法的签名以使用 @Part 而不是 @Body 并直接使用 byte 数组而不是 MultipartBody。您还可以在 @Part 注释中定义零件名称,在您的情况下为 file

它可以看起来像这样:

@Controller("/products")
public class ProductController {

    @Post(consumes = MediaType.MULTIPART_FORM_DATA)
    public String post(@Part("file") byte[] file) {
        return "Received: " + new String(file, StandardCharsets.UTF_8);
    }

}

以及示例 curl 调用:

curl -X POST 'http://localhost:8080/products' -F 'file=@/home/cgrim/tmp/test.txt'

...响应:

Received: Some dummy data in text file.

所以问题不在您的 curl 命令或来自 Postman 的调用中,而是在控制器实现中。


这是该操作的声明式客户端示例:

@Client("/products")
public interface ProductClient {
    @Post(produces = MULTIPART_FORM_DATA)
    HttpResponse<String> createProduct(@Body MultipartBody body);
}

那个客户端可以这样使用:

var requestBody = MultipartBody.builder()
    .addPart("file", file.getName(), TEXT_PLAIN_TYPE, file)
    .build();
var response = client.createProduct(requestBody);