我使用的是spring-data-mongodb。
我想通过在查询中传递一些可选参数来查询数据库。
我有一个域类。
public class Doc {
@Id
private String id;
private String type;
private String name;
private int index;
private String data;
private String description;
private String key;
private String username;
// getter & setter
}
我的控制器:
@RequestMapping(value = "/getByCategory", method = RequestMethod.GET, consumes = MediaType.APPLICATION_JSON, produces = MediaType.APPLICATION_JSON)
public Iterable<Doc> getByCategory(
@RequestParam(value = "key", required = false) String key,
@RequestParam(value = "username", required = false) String username,
@RequestParam(value = "page", required = false, defaultValue = "0") int page,
@RequestParam(value = "size", required = false, defaultValue = "0") int size,
@RequestParam(value = "categories") List<String> categories)
throws EntityNotFoundException {
Iterable<Doc> nodes = docService.getByCategory(key, username , categories, page, size);
return nodes;
}
此处键和用户名是可选的查询参数。
如果我传递其中任何一个,它应该返回具有给定密钥或用户名的匹配文档。
我的服务方法是:
public Iterable<Doc> getByCategory(String key, String username, List<String> categories, int page, int size) {
return repository.findByCategories(key, username, categories, new PageRequest(page, size));
}
存储库:
@Query("{ $or : [ {'key':?0},{'username':?1},{categories:{$in: ?2}}] }")
List<Doc> findByCategories(String key, String username,List<String> categories, Pageable pageable);
但是通过使用上面的查询,它不会返回具有给定键或用户名的文档。 我的查询有什么问题?
这就是我提出要求的方式 的 http://localhost:8080/document/getByCategory?key=key_one&username=ppotdar&categories=category1&categories=category2
答案 0 :(得分:0)
就个人而言,我在此时抛弃了界面驱动的存储库模式,创建了一个@Autowire
是MongoTemplate对象的DAO,然后使用Criteria
来查询数据库。这样,您就可以使用明确的代码来扩展@Query
注释的功能。
所以,像这样(未经测试的伪代码):
@Repository
public class DocDAOImpl implements DocDAO {
@Autowired private MongoTemplate mongoTemplate;
public Page<Doc> findByCategories(UserRequest request, Pageable pageable){
//Go through user request and make a criteria here
Criteria c = Criteria.where("foo").is(bar).and("x").is(y);
Query q = new Query(c);
Long count = mongoTemplate.count(q);
// Following can be refactored into another method, given the Query and the Pageable.
q.with(sort); //Build the sort from the pageable.
q.limit(limit); //Build this from the pageable too
List<Doc> results = mongoTemplate.find(q, Doc.class);
return makePage(results, pageable, count);
}
...
}
我知道,面对运行时生成数据库代码的趋势,这种情况很快,但在我看来,它仍然是更具挑战性的数据库操作的最佳方法,因为它更容易看到实际发生的事情。