使用 spring 数据 jpa 更新单个字段

Update single field using spring data jpa

我正在使用 spring-data 的存储库 - 非常方便,但我遇到了一个问题。我可以很容易地更新整个实体,但我认为当我只需要更新一个字段时它毫无意义:

@Entity
@Table(schema = "processors", name = "ear_attachment")
public class EARAttachment {

    private Long id;
    private String originalName;
    private String uniqueName;//yyyy-mm-dd-GUID-originalName
    private long size;
    private EARAttachmentStatus status;

更新我只是调用方法保存。在日志中我看到以下内容:

batching 1 statements: 1: update processors.ear_attachment set message_id=100, 
original_name='40022530424.dat', 
size=506, 
status=2,
unique_name='2014-12-16-8cf74a74-e7f3-40d8-a1fb-393c2a806847-40022530424.dat'
where id=1 

我想看这样的东西:

batching 1 statements: 1: update processors.ear_attachment set status=2 where id=1 

Spring 的存储库有很多设施可以 select 使用名称约定的东西,也许有类似更新的东西,比如 updateForStatus(int status);

您可以在您的存储库界面上尝试这样的操作:

@Modifying
@Query("update EARAttachment ear set ear.status = ?1 where ear.id = ?2")
int setStatusForEARAttachment(Integer status, Long id);

你也可以使用命名参数,像这样:

@Modifying
@Query("update EARAttachment ear set ear.status = :status where ear.id = :id")
int setStatusForEARAttachment(@Param("status") Integer status, @Param("id") Long id);

int return 值是更新的行数。您也可以使用 void return.

reference 文档中查看更多信息。

Hibernate 提供@DynamicUpdate 注解。我们需要做的就是在实体级别添加这个注解:

@Entity(name = "EARAttachment ")
@Table(name = "EARAttachment ")
@DynamicUpdate
public class EARAttachment {
    //Code omitted for brevity
}

现在,当您使用 EARAttachment.setStatus(value) 并执行 "CrudRepository" save(S entity) 时,它将仅更新特定字段。例如执行以下 UPDATE 语句:

UPDATE EARAttachment 
SET    status = 12,
WHERE  id = 1

您可以更新使用数据绑定来映射@PathVariable T 实体和@RequestBody 映射主体。然后他们更新 body -> entity。

public static void applyChanges(Object entity, Map<String, Object> map, String[] ignoreFields) {
    map.forEach((key, value) -> {
        if(!Arrays.asList(ignoreFields).contains(key)) {
            try {
                Method getMethod = entity.getClass().getMethod(getMethodNameByPrefix("get", key));
                Method setMethod = entity.getClass().getMethod(getMethodNameByPrefix("set", key), getMethod.getReturnType());
                setMethod.invoke(entity, value);
            } catch (IllegalAccessException | NoSuchMethodException | InvocationTargetException e) {
                e.printStackTrace();
            }
        }
    });
}