我在使用PrefixQuery进行分数计算时遇到问题。为了更改每个文档的分数,当将文档添加到索引中时,我使用了setBoost来更改文档的提升。然后,我创建PrefixQuery进行搜索,但结果并未根据提升而改变。看来setBoost对于PrefixQuery完全不起作用。请在下面检查我的代码:

 @Test
 public void testNormsDocBoost() throws Exception {
    Directory dir = new RAMDirectory();
    IndexWriter writer = new IndexWriter(dir, new StandardAnalyzer(Version.LUCENE_CURRENT), true,
            IndexWriter.MaxFieldLength.LIMITED);
    Document doc1 = new Document();
    Field f1 = new Field("contents", "common1", Field.Store.YES, Field.Index.ANALYZED);
    doc1.add(f1);
    doc1.setBoost(100);
    writer.addDocument(doc1);
    Document doc2 = new Document();
    Field f2 = new Field("contents", "common2", Field.Store.YES, Field.Index.ANALYZED);
    doc2.add(f2);
    doc2.setBoost(200);
    writer.addDocument(doc2);
    Document doc3 = new Document();
    Field f3 = new Field("contents", "common3", Field.Store.YES, Field.Index.ANALYZED);
    doc3.add(f3);
    doc3.setBoost(300);
    writer.addDocument(doc3);
    writer.close();

    IndexReader reader = IndexReader.open(dir);
    IndexSearcher searcher = new IndexSearcher(reader);

    TopDocs docs = searcher.search(new PrefixQuery(new Term("contents", "common")), 10);
    for (ScoreDoc doc : docs.scoreDocs) {
        System.out.println("docid : " + doc.doc + " score : " + doc.score + " "
                + searcher.doc(doc.doc).get("contents"));
    }
}

输出为:
 docid : 0 score : 1.0 common1
 docid : 1 score : 1.0 common2
 docid : 2 score : 1.0 common3

最佳答案

默认情况下,PrefixQuery重写查询以使用ConstantScoreQuery,它为每个匹配的文档提供1.0分。我认为这是为了使PrefixQuery更快。因此,您的提升将被忽略。

如果希望增强功能在PrefixQuery中生效,则需要在前缀查询实例上使用SCORING_BOOLEAN_QUERY_REWRITE常量调用setRewriteMethod()。参见http://lucene.apache.org/java/2_9_1/api/all/index.html

对于调试,可以使用searcher.explain()。

08-16 14:56