search.js 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596
  1. /**
  2. * Search
  3. */
  4. var elasticsearch = require('elasticsearch'),
  5. debug = require('debug')('crowi:lib:search');
  6. function SearchClient(crowi, esUri) {
  7. this.DEFAULT_OFFSET = 0;
  8. this.DEFAULT_LIMIT = 50;
  9. this.esUri = esUri;
  10. this.crowi = crowi;
  11. var uri = this.parseUri(this.esUri);
  12. this.host = uri.host;
  13. this.index_name = uri.index_name;
  14. this.client = new elasticsearch.Client({
  15. host: this.host,
  16. requestTimeout: 5000,
  17. //log: 'debug',
  18. });
  19. this.registerUpdateEvent();
  20. this.mappingFile = crowi.resourceDir + 'search/mappings.json';
  21. }
  22. SearchClient.prototype.checkESVersion = function() {
  23. // TODO
  24. };
  25. SearchClient.prototype.registerUpdateEvent = function() {
  26. var pageEvent = this.crowi.event('page');
  27. pageEvent.on('create', this.syncPageCreated.bind(this))
  28. pageEvent.on('update', this.syncPageUpdated.bind(this))
  29. pageEvent.on('delete', this.syncPageDeleted.bind(this))
  30. };
  31. SearchClient.prototype.shouldIndexed = function(page) {
  32. // FIXME: Magic Number
  33. if (page.grant !== 1) {
  34. return false;
  35. }
  36. if (page.redirectTo !== null) {
  37. return false;
  38. }
  39. if (page.isDeleted()) {
  40. return false;
  41. }
  42. return true;
  43. };
  44. // BONSAI_URL is following format:
  45. // => https://{ID}:{PASSWORD}@{HOST}
  46. SearchClient.prototype.parseUri = function(uri) {
  47. var index_name = 'crowi';
  48. var host = uri;
  49. if (m = uri.match(/^(https?:\/\/[^\/]+)\/(.+)$/)) {
  50. host = m[1];
  51. index_name = m[2];
  52. }
  53. return {
  54. host,
  55. index_name,
  56. };
  57. };
  58. SearchClient.prototype.buildIndex = function(uri) {
  59. return this.client.indices.create({
  60. index: this.index_name,
  61. body: require(this.mappingFile)
  62. });
  63. };
  64. SearchClient.prototype.deleteIndex = function(uri) {
  65. return this.client.indices.delete({
  66. index: this.index_name,
  67. });
  68. };
  69. SearchClient.prototype.prepareBodyForUpdate = function(body, page) {
  70. if (!Array.isArray(body)) {
  71. throw new Error('Body must be an array.');
  72. }
  73. var command = {
  74. update: {
  75. _index: this.index_name,
  76. _type: 'pages',
  77. _id: page._id.toString(),
  78. }
  79. };
  80. var document = {
  81. doc: {
  82. path: page.path,
  83. body: page.revision.body,
  84. comment_count: page.commentCount,
  85. bookmark_count: 0, // todo
  86. like_count: page.liker.length || 0,
  87. updated_at: page.updatedAt,
  88. },
  89. doc_as_upsert: true,
  90. };
  91. body.push(command);
  92. body.push(document);
  93. };
  94. SearchClient.prototype.prepareBodyForCreate = function(body, page) {
  95. if (!Array.isArray(body)) {
  96. throw new Error('Body must be an array.');
  97. }
  98. var command = {
  99. index: {
  100. _index: this.index_name,
  101. _type: 'pages',
  102. _id: page._id.toString(),
  103. }
  104. };
  105. var document = {
  106. path: page.path,
  107. body: page.revision.body,
  108. username: page.creator.username,
  109. comment_count: page.commentCount,
  110. bookmark_count: 0, // todo
  111. like_count: page.liker.length || 0,
  112. created_at: page.createdAt,
  113. updated_at: page.updatedAt,
  114. };
  115. body.push(command);
  116. body.push(document);
  117. };
  118. SearchClient.prototype.prepareBodyForDelete = function(body, page) {
  119. if (!Array.isArray(body)) {
  120. throw new Error('Body must be an array.');
  121. }
  122. var command = {
  123. delete: {
  124. _index: this.index_name,
  125. _type: 'pages',
  126. _id: page._id.toString(),
  127. }
  128. };
  129. body.push(command);
  130. };
  131. SearchClient.prototype.addPages = function(pages)
  132. {
  133. var self = this;
  134. var body = [];
  135. pages.map(function(page) {
  136. self.prepareBodyForCreate(body, page);
  137. });
  138. debug('addPages(): Sending Request to ES', body);
  139. return this.client.bulk({
  140. body: body,
  141. });
  142. };
  143. SearchClient.prototype.updatePages = function(pages)
  144. {
  145. var self = this;
  146. var body = [];
  147. pages.map(function(page) {
  148. self.prepareBodyForUpdate(body, page);
  149. });
  150. debug('updatePages(): Sending Request to ES', body);
  151. return this.client.bulk({
  152. body: body,
  153. });
  154. };
  155. SearchClient.prototype.deletePages = function(pages)
  156. {
  157. var self = this;
  158. var body = [];
  159. pages.map(function(page) {
  160. self.prepareBodyForDelete(body, page);
  161. });
  162. debug('deletePages(): Sending Request to ES', body);
  163. return this.client.bulk({
  164. body: body,
  165. });
  166. };
  167. SearchClient.prototype.addAllPages = function()
  168. {
  169. var self = this;
  170. var Page = this.crowi.model('Page');
  171. var cursor = Page.getStreamOfFindAll();
  172. var body = [];
  173. var sent = 0;
  174. var skipped = 0;
  175. return new Promise(function(resolve, reject) {
  176. cursor.on('data', function (doc) {
  177. if (!doc.creator || !doc.revision || !self.shouldIndexed(doc)) {
  178. //debug('Skipped', doc.path);
  179. skipped++;
  180. return ;
  181. }
  182. self.prepareBodyForCreate(body, doc);
  183. //debug(body.length);
  184. if (body.length > 2000) {
  185. sent++;
  186. debug('Sending request (seq, skipped)', sent, skipped);
  187. self.client.bulk({
  188. body: body,
  189. requestTimeout: Infinity,
  190. }).then(res => {
  191. debug('addAllPages add anyway (items, errors, took): ', (res.items || []).length, res.errors, res.took)
  192. }).catch(err => {
  193. debug('addAllPages error on add anyway: ', err)
  194. });
  195. body = [];
  196. }
  197. }).on('error', function (err) {
  198. // TODO: handle err
  199. debug('Error cursor:', err);
  200. }).on('close', function () {
  201. // all done
  202. // return if body is empty
  203. // see: https://github.com/weseek/crowi-plus/issues/228
  204. if (body.length == 0) {
  205. return resolve();
  206. }
  207. // 最後にすべてを送信
  208. self.client.bulk({
  209. body: body,
  210. requestTimeout: Infinity,
  211. })
  212. .then(function(res) {
  213. debug('Reponse from es (item length, errros, took):', (res.items || []).length, res.errors, res.took);
  214. return resolve(res);
  215. }).catch(function(err) {
  216. debug('Err from es:', err);
  217. return reject(err);
  218. });
  219. });
  220. });
  221. };
  222. /**
  223. * search returning type:
  224. * {
  225. * meta: { total: Integer, results: Integer},
  226. * data: [ pages ...],
  227. * }
  228. */
  229. SearchClient.prototype.search = function(query)
  230. {
  231. var self = this;
  232. return new Promise(function(resolve, reject) {
  233. self.client.search(query)
  234. .then(function(data) {
  235. var result = {
  236. meta: {
  237. took: data.took,
  238. total: data.hits.total,
  239. results: data.hits.hits.length,
  240. },
  241. data: data.hits.hits.map(function(elm) {
  242. return {_id: elm._id, _score: elm._score};
  243. })
  244. };
  245. resolve(result);
  246. }).catch(function(err) {
  247. reject(err);
  248. });
  249. });
  250. };
  251. SearchClient.prototype.createSearchQuerySortedByUpdatedAt = function(option)
  252. {
  253. // getting path by default is almost for debug
  254. var fields = ['path'];
  255. if (option) {
  256. fields = option.fields || fields;
  257. }
  258. // default is only id field, sorted by updated_at
  259. var query = {
  260. index: this.index_name,
  261. type: 'pages',
  262. body: {
  263. sort: [{ updated_at: { order: 'desc'}}],
  264. query: {}, // query
  265. _source: fields,
  266. }
  267. };
  268. this.appendResultSize(query);
  269. return query;
  270. };
  271. SearchClient.prototype.createSearchQuerySortedByScore = function(option)
  272. {
  273. var fields = ['path'];
  274. if (option) {
  275. fields = option.fields || fields;
  276. }
  277. // sort by score
  278. var query = {
  279. index: this.index_name,
  280. type: 'pages',
  281. body: {
  282. sort: [ {_score: { order: 'desc'} }],
  283. query: {}, // query
  284. _source: fields,
  285. }
  286. };
  287. this.appendResultSize(query);
  288. return query;
  289. };
  290. SearchClient.prototype.appendResultSize = function(query, from, size)
  291. {
  292. query.from = from || this.DEFAULT_OFFSET;
  293. query.size = size || this.DEFAULT_LIMIT;
  294. };
  295. SearchClient.prototype.appendCriteriaForKeywordContains = function(query, keyword)
  296. {
  297. // query is created by createSearchQuerySortedByScore() or createSearchQuerySortedByUpdatedAt()
  298. if (!query.body.query.bool) {
  299. query.body.query.bool = {};
  300. }
  301. if (!query.body.query.bool.must || !Array.isArray(query.body.query.must)) {
  302. query.body.query.bool.must = [];
  303. }
  304. if (!query.body.query.bool.must_not || !Array.isArray(query.body.query.must_not)) {
  305. query.body.query.bool.must_not = [];
  306. }
  307. var appendMultiMatchQuery = function(query, type, keywords) {
  308. var target;
  309. var operator = 'and';
  310. switch (type) {
  311. case 'not_match':
  312. target = query.body.query.bool.must_not;
  313. operator = 'or';
  314. break;
  315. case 'match':
  316. default:
  317. target = query.body.query.bool.must;
  318. }
  319. target.push({
  320. multi_match: {
  321. query: keywords.join(' '),
  322. // TODO: By user's i18n setting, change boost or search target fields
  323. fields: [
  324. "path_ja^2",
  325. "path_en^2",
  326. "body_ja",
  327. // "path_en",
  328. // "body_en",
  329. ],
  330. operator: operator,
  331. }
  332. });
  333. return query;
  334. };
  335. var parsedKeywords = this.getParsedKeywords(keyword);
  336. if (parsedKeywords.match.length > 0) {
  337. query = appendMultiMatchQuery(query, 'match', parsedKeywords.match);
  338. }
  339. if (parsedKeywords.not_match.length > 0) {
  340. query = appendMultiMatchQuery(query, 'not_match', parsedKeywords.not_match);
  341. }
  342. if (parsedKeywords.phrase.length > 0) {
  343. var phraseQueries = [];
  344. parsedKeywords.phrase.forEach(function(phrase) {
  345. phraseQueries.push({
  346. multi_match: {
  347. query: phrase, // each phrase is quoteted words
  348. type: 'phrase',
  349. fields: [ // Not use "*.ja" fields here, because we want to analyze (parse) search words
  350. "path_raw^2",
  351. "body_raw",
  352. ],
  353. }
  354. });
  355. });
  356. query.body.query.bool.must.push(phraseQueries);
  357. }
  358. if (parsedKeywords.not_phrase.length > 0) {
  359. var notPhraseQueries = [];
  360. parsedKeywords.not_phrase.forEach(function(phrase) {
  361. notPhraseQueries.push({
  362. multi_match: {
  363. query: phrase, // each phrase is quoteted words
  364. type: 'phrase',
  365. fields: [ // Not use "*.ja" fields here, because we want to analyze (parse) search words
  366. "path_raw^2",
  367. "body_raw",
  368. ],
  369. }
  370. });
  371. });
  372. query.body.query.bool.must_not.push(notPhraseQueries);
  373. }
  374. };
  375. SearchClient.prototype.appendCriteriaForPathFilter = function(query, path)
  376. {
  377. // query is created by createSearchQuerySortedByScore() or createSearchQuerySortedByUpdatedAt()
  378. if (!query.body.query.bool) {
  379. query.body.query.bool = {};
  380. }
  381. if (!query.body.query.bool.filter || !Array.isArray(query.body.query.bool.filter)) {
  382. query.body.query.bool.filter = [];
  383. }
  384. if (path.match(/\/$/)) {
  385. path = path.substr(0, path.length - 1);
  386. }
  387. query.body.query.bool.filter.push({
  388. wildcard: {
  389. "path": path + "/*"
  390. }
  391. });
  392. };
  393. SearchClient.prototype.searchKeyword = function(keyword, option)
  394. {
  395. var from = option.offset || null;
  396. var query = this.createSearchQuerySortedByScore();
  397. this.appendCriteriaForKeywordContains(query, keyword);
  398. return this.search(query);
  399. };
  400. SearchClient.prototype.searchByPath = function(keyword, prefix)
  401. {
  402. // TODO path 名だけから検索
  403. };
  404. SearchClient.prototype.searchKeywordUnderPath = function(keyword, path, option)
  405. {
  406. var from = option.offset || null;
  407. var query = this.createSearchQuerySortedByScore();
  408. this.appendCriteriaForKeywordContains(query, keyword);
  409. this.appendCriteriaForPathFilter(query, path);
  410. if (from) {
  411. this.appendResultSize(query, from);
  412. }
  413. return this.search(query);
  414. };
  415. SearchClient.prototype.getParsedKeywords = function(keyword)
  416. {
  417. var matchWords = [];
  418. var notMatchWords = [];
  419. var phraseWords = [];
  420. var notPhraseWords = [];
  421. keyword.trim();
  422. keyword = keyword.replace(/\s+/g, ' ');
  423. // First: Parse phrase keywords
  424. var phraseRegExp = new RegExp(/(-?"[^"]+")/g);
  425. var phrases = keyword.match(phraseRegExp);
  426. if (phrases !== null) {
  427. keyword = keyword.replace(phraseRegExp, '');
  428. phrases.forEach(function(phrase) {
  429. phrase.trim();
  430. if (phrase.match(/^\-/)) {
  431. notPhraseWords.push(phrase.replace(/^\-/, ''));
  432. } else {
  433. phraseWords.push(phrase);
  434. }
  435. });
  436. }
  437. // Second: Parse other keywords (include minus keywords)
  438. keyword.split(' ').forEach(function(word) {
  439. if (word === '') {
  440. return;
  441. }
  442. if (word.match(/^\-(.+)$/)) {
  443. notMatchWords.push((RegExp.$1));
  444. } else {
  445. matchWords.push(word);
  446. }
  447. });
  448. return {
  449. match: matchWords,
  450. not_match: notMatchWords,
  451. phrase: phraseWords,
  452. not_phrase: notPhraseWords,
  453. };
  454. }
  455. SearchClient.prototype.syncPageCreated = function(page, user)
  456. {
  457. debug('SearchClient.syncPageCreated', page.path);
  458. if (!this.shouldIndexed(page)) {
  459. return ;
  460. }
  461. this.addPages([page])
  462. .then(function(res) {
  463. debug('ES Response', res);
  464. })
  465. .catch(function(err){
  466. debug('ES Error', err);
  467. });
  468. };
  469. SearchClient.prototype.syncPageUpdated = function(page, user)
  470. {
  471. debug('SearchClient.syncPageUpdated', page.path);
  472. // TODO delete
  473. if (!this.shouldIndexed(page)) {
  474. this.deletePages([page])
  475. .then(function(res) {
  476. debug('deletePages: ES Response', res);
  477. })
  478. .catch(function(err){
  479. debug('deletePages:ES Error', err);
  480. });
  481. return ;
  482. }
  483. this.updatePages([page])
  484. .then(function(res) {
  485. debug('ES Response', res);
  486. })
  487. .catch(function(err){
  488. debug('ES Error', err);
  489. });
  490. };
  491. SearchClient.prototype.syncPageDeleted = function(page, user)
  492. {
  493. debug('SearchClient.syncPageDeleted', page.path);
  494. this.deletePages([page])
  495. .then(function(res) {
  496. debug('deletePages: ES Response', res);
  497. })
  498. .catch(function(err){
  499. debug('deletePages:ES Error', err);
  500. });
  501. return ;
  502. };
  503. module.exports = SearchClient;