我有以下Lucene代码用于索引,当我运行此代码时有100万条记录 - 它运行速度很快(15秒内索引(本地和服务器都具有高配置))。
当我尝试索引2000万条记录时,它需要大约10分钟才能完成索引。
我在Linux Server中运行这2000万条记录,内存超过100 GB。设置更多RAM缓冲区大小在这种情况下会有帮助吗?如果是我的情况下可以设置多少RAM大小(我有超过100 GB的RAM)
我在我的本地计算机上尝试了相同的2000万条记录(8 GB RAM),花了相同的十分钟,我尝试在本地设置1 GB RAM缓冲区大小相同10分钟,而不设置任何RAM缓冲区同样10分钟在我的本地机器上有2000万条记录。
我试过没有在linux中设置RAM缓冲区大小,对于2000万条记录花了大约8分钟。
final File docDir = new File(docsPath.getFile().getAbsolutePath());
LOG.info("Indexing to directory '" + indexPath + "'...");
Directory dir = FSDirectory.open(new File(indexPath.getFile().getAbsolutePath()));
Analyzer analyzer = null;
IndexWriterConfig iwc = new IndexWriterConfig(Version.LUCENE_47, analyzer);
iwc.setOpenMode(OpenMode.CREATE_OR_APPEND);
iwc.setRAMBufferSizeMB(512.0);
IndexWriter indexWriter = new IndexWriter(dir, iwc);
if (docDir.canRead()) {
if (docDir.isDirectory()) {
String[] files = docDir.list();
if (files != null) {
for (int i = 0; i < files.length; i++) {
File file = new File(docDir, files[i]);
String filePath = file.getPath();
String delimiter = BatchUtil.getProperty("file.delimiter");
if (filePath.indexOf("ecid") != -1) {
indexEcidFile(indexWriter, file, delimiter);
} else if (filePath.indexOf("entity") != -1) {
indexEntityFile(indexWriter, file, delimiter);
}
}
}
}
}
indexWriter.forceMerge(2);
indexWriter.close();
用于索引的方法之一:
private void indexEntityFile(IndexWriter writer, File file, String delimiter) {
FileInputStream fis = null;
try {
fis = new FileInputStream(file);
BufferedReader br = new BufferedReader(new InputStreamReader(fis, Charset.forName("UTF-8")));
Document doc = new Document();
Field four_pk_Field = new StringField("four_pk", "", Field.Store.NO);
doc.add(four_pk_Field);
Field cust_grp_cd_Field = new StoredField("cust_grp_cd", "");
Field cust_grp_mbrp_id_Field = new StoredField("cust_grp_mbrp_id", "");
doc.add(cust_grp_cd_Field);
doc.add(cust_grp_mbrp_id_Field);
String line = null;
while ((line = br.readLine()) != null) {
String[] lineTokens = line.split("\\" + delimiter);
four_pk_Field.setStringValue(four_pk);
String cust_grp_cd = lineTokens[4];
cust_grp_cd_Field.setStringValue(cust_grp_cd);
String cust_grp_mbrp_id = lineTokens[5];
cust_grp_mbrp_id_Field.setStringValue(cust_grp_mbrp_id);
writer.addDocument(doc);
}
br.close();
} catch (FileNotFoundException fnfe) {
LOG.error("", fnfe);
} catch (IOException ioe) {
LOG.error("", ioe);
} finally {
try {
fis.close();
} catch (IOException e) {
LOG.error("", e);
}
}
}
有什么想法吗?
答案 0 :(得分:1)
这种情况会发生,因为您尝试在1次提交中索引所有2000万个文档(而Lucene需要在内存中保存所有2000万个文档)。应该怎么做来解决它 - 是添加
writer.commit()
在 indexEntityFile 方法中,每个X都添加了文档。 X可能是100万或类似的东西
代码看起来像这样(只显示方法,您需要根据需要修改此代码)
int numberOfDocsInBatch = 0;
...
writer.addDocument(doc);
numberOfDocsInBatch ++;
if (numberOfDocsInBatch == 1_000_000) {
writer.commit();
numberOfDocsInBatch = 0;
}