如何在 Spring Rest 控制器中区分部分更新的 null 值和未提供的值
我试图在Spring Rest Controller中使用PUT请求方法部分更新实体时区分空值和未提供的值。
以以下实体为例:
@Entity
private class Person {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
/* let's assume the following attributes may be null */
private String firstName;
private String lastName;
/* getters and setters ... */
}
My Person repository (Spring Data):
@Repository
public interface PersonRepository extends CrudRepository<Person, Long> {
}
我使用的 DTO:
private class PersonDTO {
private String firstName;
private String lastName;
/* getters and setters ... */
}
我的春季休息控制器:
@RestController
@RequestMapping("/api/people")
public class PersonController {
@Autowired
private PersonRepository people;
@Transactional
@RequestMapping(path = "/{personId}", method = RequestMethod.PUT)
public ResponseEntity<?> update(
@PathVariable String personId,
@RequestBody PersonDTO dto) {
// get the entity by ID
Person p = people.findOne(personId); // we assume it exists
// update ONLY entity attributes that have been defined
if(/* dto.getFirstName is defined */)
p.setFirstName = dto.getFirstName;
if(/* dto.getLastName is defined */)
p.setLastName = dto.getLastName;
return ResponseEntity.ok(p);
}
}
缺少属性的请求
{"firstName": "John"}
预期行为:更新名字 = “John”
(保留姓氏
不变)。
具有空属性的请求
{"firstName": "John", "lastName": null}
预期行为:更新 firstName=“John”
并将 lastName 设置为 null
。
我无法区分这两种情况,因为在DTO中总是由Jackson设置。lastName
null
注意:我知道 REST 最佳实践 (RFC 6902) 建议使用 PATCH 而不是 PUT 进行部分更新,但在我的特定情况下,我需要使用 PUT。