- 在 MySQL 中添加新项目时,它也必须由 Lucene 索引。
- 当从 MySQL 中删除现有项目时,它也必须从 Lucene 的索引中删除。
这个想法是编写一个脚本,通过调度程序(例如 CRON 任务)每 x 分钟调用一次。这是一种保持 MySQL 和 Lucene 同步的方法。到目前为止我所管理的:
- 对于 MySQL 中每个新添加的项目,Lucene 也会对其进行索引。
- 对于 MySQL 中每个已经添加的项目,Lucene 不会重新索引它(没有重复的项目)。
这就是我要求您帮助管理的重点:
- 对于每个先前添加的项目,然后从 MySQL 中删除,Lucene 也应该取消索引它。
这是我使用的代码,它试图索引一个 MySQL 表tag (id [PK] | name)
:
public static void main(String[] args) throws Exception {
Class.forName("com.mysql.jdbc.Driver").newInstance();
Connection connection = DriverManager.getConnection("jdbc:mysql://localhost/mydb", "root", "");
StandardAnalyzer analyzer = new StandardAnalyzer(Version.LUCENE_36);
IndexWriterConfig config = new IndexWriterConfig(Version.LUCENE_36, analyzer);
IndexWriter writer = new IndexWriter(FSDirectory.open(INDEX_DIR), config);
String query = "SELECT id, name FROM tag";
Statement statement = connection.createStatement();
ResultSet result = statement.executeQuery(query);
while (result.next()) {
Document document = new Document();
document.add(new Field("id", result.getString("id"), Field.Store.YES, Field.Index.NOT_ANALYZED));
document.add(new Field("name", result.getString("name"), Field.Store.NO, Field.Index.ANALYZED));
writer.updateDocument(new Term("id", result.getString("id")), document);
}
writer.close();
}
PS:此代码仅用于测试目的,无需告诉我它有多糟糕 :)
编辑:
一种解决方案可能是删除任何预先添加的文档,并重新索引所有数据库:
writer.deleteAll();
while (result.next()) {
Document document = new Document();
document.add(new Field("id", result.getString("id"), Field.Store.YES, Field.Index.NOT_ANALYZED));
document.add(new Field("name", result.getString("name"), Field.Store.NO, Field.Index.ANALYZED));
writer.addDocument(document);
}
我不确定这是最优化的解决方案,是吗?