如何自定义将String转换为@RequestBody中的枚举?

时间:2019-03-28 14:06:12

标签: java spring-boot kotlin enums jackson

我想发送一个JSON请求正文,其中的字段可以是枚举值。这些枚举值在camelCase中,但是枚举值是UPPER_SNAKE_CASE。

科特琳课:

data class CreatePersonDto @JsonCreator constructor (
        @JsonProperty("firstName") val firstName: String,
        @JsonProperty("lastName") val lastName: String,
        @JsonProperty("idType") val idType: IdType
)
enum class IdType {
    DRIVING_LICENCE,
    ID_CARD,
    PASSPORT;
}

我的端点签名:

@PostMapping
fun createPerson(@RequestBody person: CreatePersonDto)

HTTP请求:

curl -d '{ "firstName": "King", "lastName": "Leonidas", "idType": "drivingLicence" }' -H "Content-Type: application/json" -X POST http://localhost:8080/person

我想将“ drivingLicence”隐式转换为DRIVING_LICENCE。

我已经尝试过:

  • org.springframework.core.convert.converter.Converter:它适用于@RequestParam,但不适用于@RequestBody
  • org.springframework.format.Formatter:我注册了此格式化程序,但是当我发出请求时,parse()方法未执行。

到目前为止,我的配置:

@Configuration
class WebConfig : WebMvcConfigurer {

    override fun addFormatters(registry: FormatterRegistry) {
        registry.addConverter(IdTypeConverter())
        registry.addFormatter(IdTypeFormatter())
    }
}

1 个答案:

答案 0 :(得分:1)

您可以尝试直接在枚举上使用JsonProperty

enum IdType {

    @JsonProperty("drivingLicence")
    DRIVING_LICENCE,

    @JsonProperty("idCard")
    ID_CARD,

    @JsonProperty("passport")
    PASSPORT;
}

如果您想进行多重映射,那么简单的事情就是定义映射并在枚举级别使用JsonCreator

enum IdType {

    DRIVING_LICENCE,
    ID_CARD,
    PASSPORT;

    private static Map<String, IdType> mapping = new HashMap<>();

    static {
        mapping.put("drivingLicence", DRIVING_LICENCE);
        mapping.put(DRIVING_LICENCE.name(), DRIVING_LICENCE);
        // ...
    }

    @JsonCreator
    public static IdType fromString(String value) {
        return mapping.get(value);
    }
}

另请参阅: