我正在使用 Spring MVC 和 Spring Data 开发 REST API。
我使用 REST 公开了一些实体,这些实体基本上具有自动生成的数据(ID、更新日期和创建日期)
public class Batch implements Serializable
{
@Id
@GeneratedValue(strategy = GenerationType.SEQUENCE)
@SequenceGenerator(name = "hibernate_sequence")
private Integer id;
@Column(name = "create_date")
private Date createDate;
@Column(name = "update_date")
private Date updateDate;
// Getters/Setters for these fields
}
这是我的控制器如何设置以处理请求
@RequestMapping(value = "recipe/{id}/batch", method = RequestMethod.POST)
@ResponseBody
public ResponseEntity<Batch> createBatch(@PathVariable Integer id, @RequestBody Batch batch)
{
batch.setRecipeId(id);
Batch in = batchService.createBatch(batch);
return new ResponseEntity<Batch>(in, HttpStatus.CREATED);
}
@RequestMapping(value = "recipe/{id}/batch/{batchId}", method = RequestMethod.PUT)
@ResponseBody
public ResponseEntity<Batch> updateBatch(@PathVariable Integer id, @PathVariable Integer batchId, @RequestBody Batch batch)
{
Batch existing = batchService.getBatch(batchId);
batch.setId(batchId);
batch.setRecipeId(id);
batch.setCreateDate(existing.getCreateDate());
Batch in = batchService.saveBatch(batch);
return new ResponseEntity<Batch>(in, HttpStatus.OK);
}
最后是批处理服务 public Batch createBatch(Batch batch) { Batch saved = batchRepository.save(batch); 返回已保存;}
public Batch saveBatch(Batch batch)
{
return batchRepository.save(batch);
}
当输入处理这些字段的服务时,我将如何最好地防止这些字段被更新?我应该只是从 REST 的 PUT/POST 版本手动将它们复制到服务中,还是有更好的方法从 API 中过滤掉这些字段的数据。当我有大约 15 种不同的资源时,手动复制它们听起来也很乏味。
我仍然希望在用户对资源执行 GET 时显示它们,我只是不想要它们提供的任何值,但我真的找不到如何管理它的好例子。