我正在尝试向我的 REST API 发送 POST 请求。所有字段,如名称、描述等......根据需要工作并使用@NotNull 等验证器正确验证。但是,当涉及到嵌入对象时,没有任何字段正在验证。当没有任何位置字段被传递并且只是将它们默认为 0 时,它不会显示错误
我已经尝试使用之前帖子中提到的 @Valid 注释,但是这似乎仍然不起作用。
实体
@Entity
@Table(name = "loos")
public class Loo implements Serializable {
private static final long serialVersionUID = 9098776609946109227L;
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
private long id;
@Column(name = "uuid", columnDefinition = "BINARY(16)")
private UUID uuid;
@NotNull(message = "Name cannot be null")
@Column(name = "name")
private String name;
@NotNull(message = "Description cannot be null")
@Type(type="text")
@Column(name = "description")
private String description;
@NotNull(message = "Location cannot be null")
@Embedded
@AttributeOverrides({ @AttributeOverride(name = "lat", column = @Column(name = "location_lat")),
@AttributeOverride(name = "lng", column = @Column(name = "location_lng")) })
@Valid
private LatLng location;
Run Code Online (Sandbox Code Playgroud)
纬度类
@Embeddable
public class LatLng {
@NotNull(message = "Lat cannot be null")
private double lat;
@NotNull(message = "Lat cannot be null")
private double lng;
protected LatLng() {
}
public double getLat() {
return this.lat;
}
public double getLng() {
return this.lng;
}
}
Run Code Online (Sandbox Code Playgroud)
我本来希望 LatLng 类内部的错误消息会说“LatLng - lat is required”或类似的东西。相反,操作将继续,只是将它们的值默认为 0
对于原始数据类型,它将有默认值。在你的情况下, double 的默认值是 0.0d。因此,当使用NotNull检查该值是否有效时,它将是有效的。
您可以将原始数据类型更改为其包装器类,如下所示。(双倍到双倍)
@NotNull(message = "Lat cannot be null")
private Double lat;
@NotNull(message = "Lat cannot be null")
private Double lng;
Run Code Online (Sandbox Code Playgroud)