我有一个名为'Patient'的实体,其字符串字段名为'firstName','lastName'和'secondLastName'(在西班牙语中我们同时使用父亲和母亲姓氏)
我有一个带文本框的视图,可以按名称搜索患者,用户可以按任何给定的顺序键入任何内容:firstName,lastName,secondLastName或这些的组合。 例如,用我的名字:
firstName:Mauricio, lastName:Ubilla, secondLastName:Carvajal,
如果我搜索“Mauricio Ubilla Carvajal”或甚至“Mauricio Ubilla”,我希望在搜索结果列表中排名第一。 问题是:
1-我应该如何定义这3个字段的索引?我做了以下事情:
@Indexed
class Patient {
...
@Field(index=Index.YES, analyze=Analyze.YES, store=Store.NO)
protected String firstName = new String();
@Field(index=Index.YES, analyze=Analyze.YES, store=Store.NO)
protected String lastName = new String();
@Field(index=Index.YES, analyze=Analyze.YES, store=Store.NO)
protected String secondLastName = new String();
...
}
2-我应该如何构建查询?我这样做了:
QueryBuilder qb = fullTextSession.getSearchFactory().buildQueryBuilder().forEntity(Patient.class).get();
Query luceneQuery = qb.keyword().onFields("firstName", "lastName", "secondLastName").matching(name).createQuery();
然而,这对我不起作用。它没有抛出任何异常,只是它没有返回任何东西。 即使我只搜索“Mauricio”,它也不会返回任何内容。
但是,如果我只更改查询以匹配我的firstName:
QueryBuilder qb = fullTextSession.getSearchFactory().buildQueryBuilder().forEntity(Patient.class).get();
Query luceneQuery = qb.keyword().onFields("firstName").matching(name).createQuery();
如果我搜索“Mauricio”,它就有效。
我做错了什么?有没有办法为3列定义复合索引?我应该以不同的方式构建我的查询吗? 请帮帮我 :( 顺便说一句,我正在使用Hibernate Search 4.5.1 Over Hibernate 4.3和Java 1.7
答案 0 :(得分:2)
您使用的是非常旧版本的Hibernate Search,因此您很可能遇到已在较新版本中解决的错误。您应该考虑升级到至少Hibernate Search 5.6 / Hibernate ORM 5.1,甚至更好地升级到Search 5.8 / ORM 5.2(需要Java 8)。
如果你不能......另一个常见的解决方案是索引一个瞬态属性,其内容是连接的名称:
@Indexed
class Patient {
...
@Field
protected String firstName = "";
@Field
protected String lastName = "";
@Field
protected String secondLastName = "";
...
@javax.persistence.Transient
@Field
public String getFullName() {
// TODO null safety
return firstName + " " + lastName + " " + secondLastName;
}
...
}
然后查询fullName
:
QueryBuilder qb = fullTextSession.getSearchFactory().buildQueryBuilder().forEntity(Patient.class).get();
Query luceneQuery = qb.keyword().onFields("fullName").matching(name).createQuery();
请注意,与初始解决方案相反,这会对性能产生负面影响,因为索引@Transient
字段会禁用某些优化。但至少它应该有用。
答案 1 :(得分:0)
回答你的第二个问题。您可以使用短语作为句子而不是关键字进行搜索。
Hibernate Search还支持使用各种策略组合查询:
-SHOULD:查询应该包含子查询的匹配元素
-MUST:查询必须包含子查询的匹配元素
-MUST NOT:查询不得包含子查询的匹配元素
聚合类似于布尔值AND,OR和NOT。
Query combinedQuery = queryBuilder
.bool()
.must(queryBuilder.phrase()
.onField("productName).sentence("samsung galaxy s8")
.createQuery())
.must(queryBuilder.keyword()
.onField("productCategory").matching("smartphone")
.createQuery())
.createQuery();
// wrap Lucene query in an Hibernate Query object
org.hibernate.search.jpa.FullTextQuery jpaQuery =
fullTextEntityManager.createFullTextQuery(combinedQuery, Product.class);
// execute search and return results (sorted by relevance as default)
@SuppressWarnings("unchecked")
List<Product> results = jpaQuery.getResultList();