Lucene 4.0 IndexWriter updateDocument用于数字字段

我只是想知道如何根据数字字段更新(删除/插入)文档。 到目前为止,我这样做:Lucene 4.0 IndexWriter updateDocument用于数字字段

LuceneManager.updateDocument(writer, new Term("id", NumericUtils.intToPrefixCoded(sentenceId)), newDoc); 

但现在使用Lucene 4.0 NumericUtils类已更改为this,我真的不明白。 有什么帮助吗?

回答:

我会建议,如果可能的话,最好将ID存储为关键字字符串,而不是数字。如果它只是一个唯一的标识符,索引作为关键字就更有意义。这消除了混淆数字格式的任何需要。

如果它实际上被用作数字,那么您可能需要手动执行更新。也就是说,搜索并获取您要更新的文档,使用tryDeleteDocument删除旧文档,然后将更新后的版本添加到addDocument。据我所知,这基本上就是updateDocument所做的。

不过,第一种选择当然是更好的方法。用作更新ID的非数字字段会使生活更轻松。

回答:

使用Lucene 4,您现在可以创建IntField,LongField,FloatField或DoubleField这样的:

document.add(new IntField("id", 6, Field.Store.NO)); 

要写入的文件,一旦你修改了它,它仍然是:

indexWriter.updateDocument(new Term("pk", "<pk value>"), document); 

编辑: 这里是一个查询包括这个数字字段的方法:

// Query <=> id <= 7 

Query query = NumericRangeQuery.newIntRange("id", Integer.MIN_VALUE, 7, true, true);

TopDocs topDocs = indexSearcher.search(query, 10);

回答:

你可以用这种方式:

首先,你必须设置FieldType的数值类型:

FieldType TYPE_ID = new FieldType(); 

...

TYPE_ID.setNumericType(NumericType.INT);

TYPE_ID.freeze();

然后:

int idTerm = 10; 

BytesRef bytes = new BytesRef(NumericUtils.BUF_SIZE_INT);

NumericUtils.intToPrefixCoded(id, 0, bytes);

Term idTerm = new Term("id", bytes);

,现在你就可以使用idTerm更新文档。

回答:

根据该documentation of Lucene 4.0.0,所述ID字段必须与StringField类一起使用:

“被索引但不标记化的字段:整个字符串值被索引为单个令牌例如,这可能是。用于'国家'字段或'id'字段,或者您打算用于通过字段缓存进行排序或访问的任何字段。“

我和你有同样的问题,我通过这个改变解决了它。之后,我的更新和删除工作完美。

回答:

随着Lucene 5。X,这可以通过下面的代码来解决:

int id = 1; 

BytesRefBuilder brb = new BytesRefBuilder();

NumericUtils.intToPrefixCodedBytes(id, 0, brb);

Term term = new Term("id", brb.get());

indexWriter.updateDocument(term, doc); // or indexWriter.deleteDocument(term);

以上是 Lucene 4.0 IndexWriter updateDocument用于数字字段 的全部内容, 来源链接: utcz.com/qa/260739.html

回到顶部