将@EmbeddedId与 JpaRepository 结合使用

2022-09-01 03:07:41

我有简单的 Entitly 类,其中 ( 和字段位于单独的类中)。我使用Spring Data()访问数据库(MySql),使用正常的Id,查询工作正常,无论是Spring生成的查询还是我自己编写的查询。使用,我没有设法创建正确的查询。我想做的是选择所有id(发生某些情况的嵌入式Id的字段之一)在这里你有一些代码示例,也许有人会知道如何解决它。
实体类:@EmbeddedIdIntegerStringorg.springframework.data.jpa.repository.JpaRepositoryEmbeddedId

@Entity
@Table(name="table_name")
public class EntityClass {

    @EmbeddedId
    private EmbeddedIdClass id;
    private String  someField;
    //rest of implemetation
}

嵌入式 Id 类:

@Embeddable
public class EmbeddedIdClass implements Serializable {

public EmbeddedIdClass(Long id, String language) {
    super();
    this.id = id;
    this.language = language;
}

public UserAdTextId() {}        

@Column(name="ad_id", nullable=false)
    private Integer id;

    @Column(name="language_code", nullable=false)
    private String  language;
    //rest of implemetation
}

和存储库:

@Transactional(readOnly=true)
public interface MyRepository extends JpaRepository<EntityClass, EmbeddedIdClass> {
    @Query("select distinct ad_id from EntityClass where userId = :userId and (/*here the conditions*/)")
    public Page<Integer> findUserAdsWithSearchString(@Param("userId") Integer userId, @Param("searchString") String searchString, Pageable page);
//rest of implemetation
}

我没有找到任何文档来创建支持@EmbeddedId的方法,我正在尝试许多不同的方法名称,但我总是从方法解析器中获得异常。


答案 1

(作者:Yosi Lev)这可以按如下方式完成:假设您的主要实体是:

@Entity
@Table(name="JRULES_FLOW")
public class JrulesFlow implements Serializable {
   private static final long serialVersionUID = 1L;

   @EmbeddedId
   private JrulesFlowPK id;

   @Column(name="NEXT_SEQ")
   private int nextSeq;

   @Column(name="REF_ID")
   private String refId;

   @Column(name="TASK_TYPE")
   private String taskType;

   @Column(name="VALUE_TO_FIND")
   private String valueToFind;
}

你的PK类是:

@Embeddable
public class JrulesFlowPK implements Serializable {
   //default serial version id, required for serializable classes.
   private static final long serialVersionUID = 1L;

   @Column(name="FLOW_ID")
   private String flowId;

   @Column(name="TASK_SEQ")
   private long taskSeq;
 }

JPA 存储库方法名称 shouls 包括主类中 id 字段的名称,后跟要在 PK 类中查询 uppon 的属性:

public interface JrulesFlowRepository extends JpaRepository<JrulesFlow, 
      JrulesFlowPK> { // NOTE: put here both classes - also the pk class..
   public List<JrulesFlow>  findByIdFlowId(String flowId);  // Id - is the 
                  // @EmbeddedId in JrulesFlow. FlowId is an attribute 
                  // within JrulesFlowPK
}

答案 2

您的查询似乎正在使用列名。它应包含属性名称,包括导航到嵌入对象。SO上还有一个相关的问题:如何用嵌入式ID编写JPQL SELECT?

select distinct id.id from EntityClass where userId = :userId and (...)

第一个是指 (类型) 的属性,第二个是指 的属性。ididEntityClassEmbeddedIdClassidEmbeddedIdClass

此外,请确保 中有一个属性。userIdEntityClass


推荐