Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

QueryDSL Predicate SetPath.any with multiple conditions

I have a simple entity with one to many relationship

@Entity // and other @ stuff
public class Member {
  @Id
  private Long id;
  private String name;
  private List<Program> programs;
  ...
}

@Entity
public class Program {
   @Id
   private Long id;
   private Long programName;
   private ProgramType programType;
   private Long programCost;
   ...
}

Now using QueryDSL, I would like to query 'All members enrolled in a program with programType = "FULLTIME" and programCost > $1000'

I used the following predicate

Predicate predicate = QMember.member.programs.any()
    .programType.eq(ProgramType.FULLTIME)
      .and(QMember.member.programs.any().programCost.gt(1000));

with JPARepository

memberRepository.findAll(predicate);

Now the problem is that the two queries are independent. It returns al members with at least one program of type 'FULLTIME' or at least one program of cost greater than 1000.

Desired result : Return members if he has at least one program that is of type FULLTIME and cost > 1000.

like image 275
Pranjal Avatar asked Jul 23 '16 09:07

Pranjal


2 Answers

Got some help here : https://groups.google.com/forum/#!topic/querydsl/hxdejLyqXos

Basically the conditions on the program need to be in a separate subQuery (a JPASubquery instance)

QProgram program = QProgram.program
JPASubQuery subQuery = new JPASubQuery();
subQuery.from(program)
        .where(program.programType.eq(ProgramType.FULLTIME),
            program.programCost.gt(1000));

Predicate predicate = QMember.member.name.eq("John")
    .and(subQuery.exists());

memberRepository.findAll(predicate);
like image 174
Pranjal Avatar answered Nov 12 '22 23:11

Pranjal


As mentionned by @Shahbour, this is not working anymore with QueryDsl 4.x+.

I had a similar case (except that my entities are bidirectionnal), and I've solved it with this :

QProgram program = QProgram.program;
QProgram member  = QProgram.member;

Predicate predicate = JPAExpressions
    .selectOne()
    .from(program)
    .where(program.member.id.eq(member.id),
            program.programCost.gt(1000),
            program.programType.eq(ProgramType.FULLTIME))
    )
    .exists();

memberRepository.findAll(predicate);
like image 42
Thoomas Avatar answered Nov 13 '22 00:11

Thoomas