MongoRepository findByCreatedAtBetween没有返回准确的结果

时间:2015-11-03 08:28:53

标签: java mongodb spring-data findby mongorepository

我在Mongo的文档结构是这样的:

db.user.find()

{
        "_id" : ObjectId("560fa46930a8e74be720009a"),
        "createdAt" : ISODate("2015-10-03T09:47:56.333Z"),
        "message" : "welcome",
}
{
            "_id" : ObjectId("560fa46930a8e723e720009a"),
            "createdAt" : ISODate("2015-10-03T09:48:25.048Z"),
            "message" : "thank you"
}

当我在Mongo Shell中使用以下查询来查找两个给定时间戳之间的文档时,我得到了正确的结果:

db.user.find({createdAt:{$gte:ISODate("2015-10-03T09:40:25.048Z"),$lte:ISODate("2015-10-03T09:50:56.333Z")}})

我在我的REST服务中使用带有Spring的MongoRepository来使用Java驱动程序。以下是用户存储库:

public interface UserRepository extends MongoRepository<User, String> 
{
       ArrayList<User> findbyCreatedAtBetween(Date d1, Date d2);

}

当我打电话在我的服务中进行以下呼叫时,它不会返回任何结果 userRepository.findbyCreatedAtBetween(2015-10-03T09:40:25.048Z, 2015-10-03T09:50:29.006Z)

然而,当我在前一天给出d1时,它会返回结果:     userRepository.findbyCreatedAtBetween(2015-10-02T09:40:25.048Z,2015-10-03T09:50:29.006Z)

关于如何解决这个问题的任何想法?请帮忙!

1 个答案:

答案 0 :(得分:10)

分解,使用关键字Between的查询正在针对具有逻辑结果{"createdAt" : {"$gt" : d1, "$lt" : d2}}的MongoDB数据库执行,因此您可能无法获得具有{{createdAt的文档。 1}}包含在给定日期范围内的日期,即d1 < createdAt < d2,因为给定的日期范围不符合标准。作为参考,这些是对 query methods

的一些解释

支持查询方法的关键字

Keyword     Sample                              Logical result
After       findByBirthdateAfter(Date date)     {"birthdate" : {"$gt" : date}}
Before      findByBirthdateBefore(Date date)    {"birthdate" : {"$lt" : date}}
Between     findByAgeBetween(int from, int to)  {"age" : {"$gt" : from, "$lt" : to}}

作为解决方法,您可能需要使用 @Query 注释。我还没有对此进行过测试,但您可能需要尝试以下自定义查询实现示例:

public interface UserRepository extends MongoRepository<User, String>  {
    @Query(value = "{ 'createdAt' : {$gte : ?0, $lte: ?1 }}")
    public ArrayList<User> findbyCreatedAtBetween(Date from, Date to);
}

如果上述内容对您不起作用,请创建自定义界面和实现类以执行自定义查询。例如,创建一个名称附加Custom的接口:

public interface UserRepositoryCustom {
    public List<User> findbyCreatedAtBetween(Date from, Date to); 
}

修改UserRepository并添加要扩展的UserRepositoryCustom接口:

@Repository
public interface UserRepository extends UserRepositoryCustom, MongoRepository {

}

创建实现类以实现UserRepositoryCustom interface。

中定义的方法
public class UserRepositoryImpl implements UserRepositoryCustom {

    @Autowired
    MongoTemplate mongoTemplate;

    @Override
    public ArrayList<User> findbyCreatedAtBetween(Date from, Date to) {
        return mongoTemplate.find(
            Query.addCriteria(Criteria.where("createdAt").gte(from).lte(to));
    }
}