5

Lucene を使用して Books データベースで複数フィールド レベルの検索を行う必要があります。

たとえば、私の検索基準は次のようなものです。

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

、 etc はa1t1それぞれ著者名と本のタイトルです。この種の基準用に作成された Lucene Query オブジェクトを取得するにはどうすればよいですか?

ありがとう!

4

1 に答える 1

11

次のコードでは、a1、a2、a3、t1、t2、t3 が項であると想定しています。フレーズの場合は、TermQuery の代わりに PhraseQuery を使用する必要があります。

    // 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); 
于 2008-12-18T21:26:28.327 に答える