2008-12-16 84 views
5

我需要使用Lucene对Books数据库进行多字段级搜索。Lucene中的多字段搜索

例如:我的搜索标准是一样的东西:

(Author:a1 and title:t1) OR (Author:a2 and title:t2) OR (Author:a3 and title:t3) 

其中a1t1等分别为作者名和书名。我如何获得为这种标准构建的Lucene Query对象?

谢谢!

回答

11

以下代码假设a1,a2,a3,t1,t2,t3是术语。如果它们是短语,则需要使用PhraseQuery而不是TermQuery。

// Create a BooleanQuery for (Author:a1 and title:t1) 

BooleanQuery a1AndT1 = new BooleanQuery(); 
a1AndT1.add(new TermQuery(new Term("Author", "a1")), BooleanClause.Occur.MUST); 
a1AndT1.add(new TermQuery(new Term("title", "t1")), BooleanClause.Occur.MUST); 

// Create a BooleanQuery for (Author:a2 and title:t2) 

BooleanQuery a2AndT2 = new BooleanQuery(); 
a2AndT2.add(new TermQuery(new Term("Author", "a2")), BooleanClause.Occur.MUST); 
a2AndT2.add(new TermQuery(new Term("title", "t2")), BooleanClause.Occur.MUST); 

// Create a BooleanQuery for (Author:a3 and title:t3) 

BooleanQuery a3AndT3 = new BooleanQuery(); 
a3AndT3.add(new TermQuery(new Term("Author", "a3")), BooleanClause.Occur.MUST); 
a3AndT3.add(new TermQuery(new Term("title", "t3")), BooleanClause.Occur.MUST); 

// Create a BooleanQuery that combines the OR-clauses 

BooleanQuery query = new BooleanQuery(); 
query.add(a1AndT1, BooleanClause.Occur.SHOULD); 
query.add(a2AndT2, BooleanClause.Occur.SHOULD); 
query.add(a3AndT3, BooleanClause.Occur.SHOULD); 

// As you can see, the resulting Lucene query is 
// (+Author:a1 +title:t1) (+Author:a2 +title:t2) (+Author:a3 +title:t3) 
// which behaves the same as something like 
// (Author:a1 and title:t1) OR (Author:a2 and title:t2) OR (Author:a3 and title:t3) 

System.out.println(query);