Spring Data MongoDB 中的 INNER JOIN 集合

问题描述 投票:0回答:2

如何在 Spring Mongo 中实现 INNER JOIN?

愚蠢的示例只是举个例子,它实际上是不正确的,我只是想展示多对多关系:

@Document(collection = "people")
public class Person {

    @Id
    private String id;
    private String name;
    private String petId;

    // Getters, setters, constructors and etc.

 }

 @Document(collection = "pets")
 public class Pet {

    @Id
    private String id;
    private String name;
    private PetType petType; // Dog, Cat etc.

    // Getters, setters, constructors and etc.

 }

如果我想找到属于约翰·史密斯的所有狗,我该怎么做?我需要这样的查询:

SELECT
     pt.*
FROM
     pets AS pt INNER JOIN people AS pe ON (pt.id = pe.petId)
WHERE
     pt.petType = ${input_petType}
     AND pe.name = ${input_name}

这意味着我在收藏Pet和收藏

Person
中有
两个条件
:

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.domain.Pageable;
import org.springframework.data.mongodb.core.MongoTemplate;
import org.springframework.data.mongodb.core.aggregation.Aggregation;
import org.springframework.data.mongodb.core.aggregation.LookupOperation;
import org.springframework.data.mongodb.core.query.Criteria;
import org.springframework.data.mongodb.core.query.Query;

import java.util.List;

public interface PetRepository extends MongoRepository<Pet, String>, PetCustomRepository {

}

public interface PetCustomRepository {

     List<Pet> findAllByPetTypeAndPersonName(PetType type, String personName, Pageable pageable);

}

public class PetCustomRepositoryImpl implements PetCustomRepository {

    @Autowired
    private MongoTemplate mongoTemplate;

    @Override
    public List<Pet> findAllByPetTypeAndPersonName(PetType petType, String personName, Pageable pageable) {
        LookupOperation lookup = LookupOperation.newLookup()
                 .from("people")
                 .localField("_id")
                 .foreignField("petId")
                 .as("join_people");
        Aggregation aggregation = Aggregation.newAggregation(
                 Aggregation.match(Criteria.where("petType").is(petType)),
                 lookup,
                 Aggregation.match(Criteria.where("join_people.name").is(personName)),
                 Aggregation.skip(pageable.getPageNumber() * pageable.getPageSize()),
                 Aggregation.limit(pageable.getPageSize()));
        return mongoTemplate.aggregate(aggregation, Pet.class, Pet.class).getMappedResults();
    }

}

findAllByPetTypeAndPersonName()
方法返回空列表。我做错了什么?

java spring mongodb spring-boot spring-data-mongodb
2个回答
0
投票

您的 Pageable 有问题。尝试删除它,它应该返回结果


0
投票

你尝试过吗?

LookupOperation lookup = LookupOperation.newLookup()
                 .from("people")
                 .localField("id")
                 .foreignField("petId")
                 .as("join_people");
© www.soinside.com 2019 - 2024. All rights reserved.