0

我有这样的结构-

@Entity
@Table("transaction")
public class TransactionBean{

    @Id
    Long txnId;

    //other stuff
}
@Entity
@Table("someclass")
public class SomeClass{

    @Id
    TransactionBean transactionBean;

    //other stuff
}

以及每个的存储库 -

public interface TransactionRepo extends CrudRepository<TransactionBean, Long){
    //some stuff
}

public interface SomeClassRepo extends CrudRepository<SomeClass, TransactionBean){
    //some stuff
}

现在我需要找到一条SomeClass使用记录txnId。是否有如下图所示的单行功能,还是我需要先获取一个TransactionBean然后使用它来搜索SomeClass

TransactionBean txnBean;
//some stuff done with it

SomeClassRepo someClassRepo;
//I need some function like this
SomeClass someClass = someCLassRepo.findBySOMETHING(txnBean.getTxnId());
4

1 回答 1

0

我理解你这样做的方式(我目前正在研究这样的事情)是:

1)用方法定义一个新的接口。

public interface CustomSomeClassRepo{
    public SomeClass findByTxnId(Long id);
}

2)让repo接口也扩展这个接口:

public interface SomeClassRepo extends CrudRepository<SomeClass, TransactionBean),
                                       CustomSomeClassRepo{
        //some stuff
}

注意:我使用的是 JpaRepository 而不是 CRUDRepository。

3)为CustomSomeClassRepo接口中的方法编写一个实现类。它必须被命名为接口加上附加“Impl”

public class CustomSomeClassRepoImpl implements CustomSomeClassRepo{

    @PersistenceContext
    EntityManager em;

    @Override
    public SomeClass findByTxnId(Long id){

        /* Here you run the Query you need using the EntityManager and the id.
           and return an instance of SomeClass;
         */

    }
}

@PersistenceContext将注入EntityManager实例。

4)最后你可以findByTxnId(Long id)SomeClassRepo.

于 2018-09-02T05:27:00.390 回答