search.js 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827
  1. /**
  2. * Search
  3. */
  4. const elasticsearch = require('elasticsearch');
  5. const debug = require('debug')('growi:lib:search');
  6. const logger = require('@alias/logger')('growi:lib:search');
  7. function SearchClient(crowi, esUri) {
  8. this.DEFAULT_OFFSET = 0;
  9. this.DEFAULT_LIMIT = 50;
  10. this.esNodeName = '-';
  11. this.esNodeNames = [];
  12. this.esVersion = 'unknown';
  13. this.esVersions = [];
  14. this.esPlugin = [];
  15. this.esPlugins = [];
  16. this.esUri = esUri;
  17. this.crowi = crowi;
  18. this.searchEvent = crowi.event('search');
  19. // In Elasticsearch RegExp, we don't need to used ^ and $.
  20. // Ref: https://www.elastic.co/guide/en/elasticsearch/reference/5.6/query-dsl-regexp-query.html#_standard_operators
  21. this.queries = {
  22. PORTAL: {
  23. regexp: {
  24. 'path.raw': '.*/',
  25. },
  26. },
  27. PUBLIC: {
  28. regexp: {
  29. 'path.raw': '.*[^/]',
  30. },
  31. },
  32. USER: {
  33. prefix: {
  34. 'path.raw': '/user/',
  35. },
  36. },
  37. };
  38. const uri = this.parseUri(this.esUri);
  39. this.host = uri.host;
  40. this.indexName = uri.indexName;
  41. this.client = new elasticsearch.Client({
  42. host: this.host,
  43. requestTimeout: 5000,
  44. // log: 'debug',
  45. });
  46. this.registerUpdateEvent();
  47. this.mappingFile = `${crowi.resourceDir}search/mappings.json`;
  48. }
  49. SearchClient.prototype.getInfo = function() {
  50. return this.client.info({});
  51. };
  52. SearchClient.prototype.checkESVersion = async function() {
  53. try {
  54. const nodes = await this.client.nodes.info();
  55. if (!nodes._nodes || !nodes.nodes) {
  56. throw new Error('no nodes info');
  57. }
  58. for (const [nodeName, nodeInfo] of Object.entries(nodes.nodes)) {
  59. this.esNodeName = nodeName;
  60. this.esNodeNames.push(nodeName);
  61. this.esVersion = nodeInfo.version;
  62. this.esVersions.push(nodeInfo.version);
  63. this.esPlugin = nodeInfo.plugins;
  64. this.esPlugins.push(nodeInfo.plugins);
  65. }
  66. }
  67. catch (error) {
  68. logger.error('es check version error:', error);
  69. }
  70. };
  71. SearchClient.prototype.registerUpdateEvent = function() {
  72. const pageEvent = this.crowi.event('page');
  73. pageEvent.on('create', this.syncPageCreated.bind(this));
  74. pageEvent.on('update', this.syncPageUpdated.bind(this));
  75. pageEvent.on('delete', this.syncPageDeleted.bind(this));
  76. const bookmarkEvent = this.crowi.event('bookmark');
  77. bookmarkEvent.on('create', this.syncBookmarkChanged.bind(this));
  78. bookmarkEvent.on('delete', this.syncBookmarkChanged.bind(this));
  79. };
  80. SearchClient.prototype.shouldIndexed = function(page) {
  81. return (page.redirectTo == null);
  82. };
  83. // BONSAI_URL is following format:
  84. // => https://{ID}:{PASSWORD}@{HOST}
  85. SearchClient.prototype.parseUri = function(uri) {
  86. let indexName = 'crowi';
  87. let host = uri;
  88. const match = uri.match(/^(https?:\/\/[^/]+)\/(.+)$/);
  89. if (match) {
  90. host = match[1];
  91. indexName = match[2];
  92. }
  93. return {
  94. host,
  95. indexName,
  96. };
  97. };
  98. SearchClient.prototype.buildIndex = function(uri) {
  99. return this.client.indices.create({
  100. index: this.indexName,
  101. body: require(this.mappingFile),
  102. });
  103. };
  104. SearchClient.prototype.deleteIndex = function(uri) {
  105. return this.client.indices.delete({
  106. index: this.indexName,
  107. });
  108. };
  109. /**
  110. * generate object that is related to page.grant*
  111. */
  112. function generateDocContentsRelatedToRestriction(page) {
  113. let grantedUserIds = null;
  114. if (page.grantedUsers != null && page.grantedUsers.length > 0) {
  115. grantedUserIds = page.grantedUsers.map((user) => {
  116. const userId = (user._id == null) ? user : user._id;
  117. return userId.toString();
  118. });
  119. }
  120. let grantedGroupId = null;
  121. if (page.grantedGroup != null) {
  122. const groupId = (page.grantedGroup._id == null) ? page.grantedGroup : page.grantedGroup._id;
  123. grantedGroupId = groupId.toString();
  124. }
  125. return {
  126. grant: page.grant,
  127. granted_users: grantedUserIds,
  128. granted_group: grantedGroupId,
  129. };
  130. }
  131. SearchClient.prototype.prepareBodyForUpdate = function(body, page) {
  132. if (!Array.isArray(body)) {
  133. throw new Error('Body must be an array.');
  134. }
  135. const command = {
  136. update: {
  137. _index: this.indexName,
  138. _type: 'pages',
  139. _id: page._id.toString(),
  140. },
  141. };
  142. let document = {
  143. path: page.path,
  144. body: page.revision.body,
  145. comment_count: page.commentCount,
  146. bookmark_count: page.bookmarkCount || 0,
  147. like_count: page.liker.length || 0,
  148. updated_at: page.updatedAt,
  149. };
  150. document = Object.assign(document, generateDocContentsRelatedToRestriction(page));
  151. body.push(command);
  152. body.push({
  153. doc: document,
  154. doc_as_upsert: true,
  155. });
  156. };
  157. SearchClient.prototype.prepareBodyForCreate = function(body, page) {
  158. if (!Array.isArray(body)) {
  159. throw new Error('Body must be an array.');
  160. }
  161. const command = {
  162. index: {
  163. _index: this.indexName,
  164. _type: 'pages',
  165. _id: page._id.toString(),
  166. },
  167. };
  168. const bookmarkCount = page.bookmarkCount || 0;
  169. let document = {
  170. path: page.path,
  171. body: page.revision.body,
  172. username: page.creator.username,
  173. comment_count: page.commentCount,
  174. bookmark_count: bookmarkCount,
  175. like_count: page.liker.length || 0,
  176. created_at: page.createdAt,
  177. updated_at: page.updatedAt,
  178. };
  179. document = Object.assign(document, generateDocContentsRelatedToRestriction(page));
  180. body.push(command);
  181. body.push(document);
  182. };
  183. SearchClient.prototype.prepareBodyForDelete = function(body, page) {
  184. if (!Array.isArray(body)) {
  185. throw new Error('Body must be an array.');
  186. }
  187. const command = {
  188. delete: {
  189. _index: this.indexName,
  190. _type: 'pages',
  191. _id: page._id.toString(),
  192. },
  193. };
  194. body.push(command);
  195. };
  196. SearchClient.prototype.addPages = async function(pages) {
  197. const Bookmark = this.crowi.model('Bookmark');
  198. const body = [];
  199. /* eslint-disable no-await-in-loop */
  200. for (const page of pages) {
  201. page.bookmarkCount = await Bookmark.countByPageId(page._id);
  202. this.prepareBodyForCreate(body, page);
  203. }
  204. /* eslint-enable no-await-in-loop */
  205. logger.debug('addPages(): Sending Request to ES', body);
  206. return this.client.bulk({
  207. body,
  208. });
  209. };
  210. SearchClient.prototype.updatePages = function(pages) {
  211. const self = this;
  212. const body = [];
  213. pages.map((page) => {
  214. self.prepareBodyForUpdate(body, page);
  215. return;
  216. });
  217. logger.debug('updatePages(): Sending Request to ES', body);
  218. return this.client.bulk({
  219. body,
  220. });
  221. };
  222. SearchClient.prototype.deletePages = function(pages) {
  223. const self = this;
  224. const body = [];
  225. pages.map((page) => {
  226. self.prepareBodyForDelete(body, page);
  227. return;
  228. });
  229. logger.debug('deletePages(): Sending Request to ES', body);
  230. return this.client.bulk({
  231. body,
  232. });
  233. };
  234. SearchClient.prototype.addAllPages = async function() {
  235. const self = this;
  236. const Page = this.crowi.model('Page');
  237. const allPageCount = await Page.allPageCount();
  238. const Bookmark = this.crowi.model('Bookmark');
  239. const cursor = Page.getStreamOfFindAll();
  240. let body = [];
  241. let sent = 0;
  242. let skipped = 0;
  243. let total = 0;
  244. return new Promise((resolve, reject) => {
  245. const bulkSend = (body) => {
  246. self.client
  247. .bulk({
  248. body,
  249. requestTimeout: Infinity,
  250. })
  251. .then((res) => {
  252. logger.info('addAllPages add anyway (items, errors, took): ', (res.items || []).length, res.errors, res.took, 'ms');
  253. })
  254. .catch((err) => {
  255. logger.error('addAllPages error on add anyway: ', err);
  256. });
  257. };
  258. cursor
  259. .eachAsync(async(doc) => {
  260. if (!doc.creator || !doc.revision || !self.shouldIndexed(doc)) {
  261. // debug('Skipped', doc.path);
  262. skipped++;
  263. return;
  264. }
  265. total++;
  266. const bookmarkCount = await Bookmark.countByPageId(doc._id);
  267. const page = { ...doc, bookmarkCount };
  268. self.prepareBodyForCreate(body, page);
  269. if (body.length >= 4000) {
  270. // send each 2000 docs. (body has 2 elements for each data)
  271. sent++;
  272. logger.debug('Sending request (seq, total, skipped)', sent, total, skipped);
  273. bulkSend(body);
  274. this.searchEvent.emit('addPageProgress', allPageCount, total, skipped);
  275. body = [];
  276. }
  277. })
  278. .then(() => {
  279. // send all remaining data on body[]
  280. logger.debug('Sending last body of bulk operation:', body.length);
  281. bulkSend(body);
  282. this.searchEvent.emit('finishAddPage', allPageCount, total, skipped);
  283. resolve();
  284. })
  285. .catch((e) => {
  286. logger.error('Error wile iterating cursor.eachAsync()', e);
  287. reject(e);
  288. });
  289. });
  290. };
  291. /**
  292. * search returning type:
  293. * {
  294. * meta: { total: Integer, results: Integer},
  295. * data: [ pages ...],
  296. * }
  297. */
  298. SearchClient.prototype.search = async function(query) {
  299. // for debug
  300. if (process.env.NODE_ENV === 'development') {
  301. const result = await this.client.indices.validateQuery({
  302. explain: true,
  303. body: {
  304. query: query.body.query,
  305. },
  306. });
  307. logger.debug('ES returns explanations: ', result.explanations);
  308. }
  309. const result = await this.client.search(query);
  310. // for debug
  311. logger.debug('ES result: ', result);
  312. return {
  313. meta: {
  314. took: result.took,
  315. total: result.hits.total,
  316. results: result.hits.hits.length,
  317. },
  318. data: result.hits.hits.map((elm) => {
  319. return { _id: elm._id, _score: elm._score, _source: elm._source };
  320. }),
  321. };
  322. };
  323. SearchClient.prototype.createSearchQuerySortedByUpdatedAt = function(option) {
  324. // getting path by default is almost for debug
  325. let fields = ['path', 'bookmark_count'];
  326. if (option) {
  327. fields = option.fields || fields;
  328. }
  329. // default is only id field, sorted by updated_at
  330. const query = {
  331. index: this.indexName,
  332. type: 'pages',
  333. body: {
  334. sort: [{ updated_at: { order: 'desc' } }],
  335. query: {}, // query
  336. _source: fields,
  337. },
  338. };
  339. this.appendResultSize(query);
  340. return query;
  341. };
  342. SearchClient.prototype.createSearchQuerySortedByScore = function(option) {
  343. let fields = ['path', 'bookmark_count'];
  344. if (option) {
  345. fields = option.fields || fields;
  346. }
  347. // sort by score
  348. const query = {
  349. index: this.indexName,
  350. type: 'pages',
  351. body: {
  352. sort: [{ _score: { order: 'desc' } }],
  353. query: {}, // query
  354. _source: fields,
  355. },
  356. };
  357. this.appendResultSize(query);
  358. return query;
  359. };
  360. SearchClient.prototype.appendResultSize = function(query, from, size) {
  361. query.from = from || this.DEFAULT_OFFSET;
  362. query.size = size || this.DEFAULT_LIMIT;
  363. };
  364. SearchClient.prototype.initializeBoolQuery = function(query) {
  365. // query is created by createSearchQuerySortedByScore() or createSearchQuerySortedByUpdatedAt()
  366. if (!query.body.query.bool) {
  367. query.body.query.bool = {};
  368. }
  369. const isInitialized = (query) => { return !!query && Array.isArray(query) };
  370. if (!isInitialized(query.body.query.bool.filter)) {
  371. query.body.query.bool.filter = [];
  372. }
  373. if (!isInitialized(query.body.query.bool.must)) {
  374. query.body.query.bool.must = [];
  375. }
  376. if (!isInitialized(query.body.query.bool.must_not)) {
  377. query.body.query.bool.must_not = [];
  378. }
  379. return query;
  380. };
  381. SearchClient.prototype.appendCriteriaForQueryString = function(query, queryString) {
  382. query = this.initializeBoolQuery(query); // eslint-disable-line no-param-reassign
  383. // parse
  384. const parsedKeywords = this.parseQueryString(queryString);
  385. if (parsedKeywords.match.length > 0) {
  386. const q = {
  387. multi_match: {
  388. query: parsedKeywords.match.join(' '),
  389. type: 'most_fields',
  390. fields: ['path.ja^2', 'path.en^2', 'body.ja', 'body.en'],
  391. },
  392. };
  393. query.body.query.bool.must.push(q);
  394. }
  395. if (parsedKeywords.not_match.length > 0) {
  396. const q = {
  397. multi_match: {
  398. query: parsedKeywords.not_match.join(' '),
  399. fields: ['path.ja', 'path.en', 'body.ja', 'body.en'],
  400. operator: 'or',
  401. },
  402. };
  403. query.body.query.bool.must_not.push(q);
  404. }
  405. if (parsedKeywords.phrase.length > 0) {
  406. const phraseQueries = [];
  407. parsedKeywords.phrase.forEach((phrase) => {
  408. phraseQueries.push({
  409. multi_match: {
  410. query: phrase, // each phrase is quoteted words
  411. type: 'phrase',
  412. fields: [
  413. // Not use "*.ja" fields here, because we want to analyze (parse) search words
  414. 'path.raw^2',
  415. 'body',
  416. ],
  417. },
  418. });
  419. });
  420. query.body.query.bool.must.push(phraseQueries);
  421. }
  422. if (parsedKeywords.not_phrase.length > 0) {
  423. const notPhraseQueries = [];
  424. parsedKeywords.not_phrase.forEach((phrase) => {
  425. notPhraseQueries.push({
  426. multi_match: {
  427. query: phrase, // each phrase is quoteted words
  428. type: 'phrase',
  429. fields: [
  430. // Not use "*.ja" fields here, because we want to analyze (parse) search words
  431. 'path.raw^2',
  432. 'body',
  433. ],
  434. },
  435. });
  436. });
  437. query.body.query.bool.must_not.push(notPhraseQueries);
  438. }
  439. if (parsedKeywords.prefix.length > 0) {
  440. const queries = parsedKeywords.prefix.map((path) => {
  441. return { prefix: { 'path.raw': path } };
  442. });
  443. query.body.query.bool.filter.push({ bool: { should: queries } });
  444. }
  445. if (parsedKeywords.not_prefix.length > 0) {
  446. const queries = parsedKeywords.not_prefix.map((path) => {
  447. return { prefix: { 'path.raw': path } };
  448. });
  449. query.body.query.bool.filter.push({ bool: { must_not: queries } });
  450. }
  451. if (parsedKeywords.tag.length > 0) {
  452. const queries = parsedKeywords.tag.map((tag) => {
  453. return { term: { tag_names: tag } };
  454. });
  455. query.body.query.bool.filter.push({ bool: { should: queries } });
  456. }
  457. };
  458. SearchClient.prototype.filterPagesByViewer = async function(query, user, userGroups) {
  459. const Config = this.crowi.model('Config');
  460. const config = this.crowi.getConfig();
  461. const showPagesRestrictedByOwner = !Config.hidePagesRestrictedByOwnerInList(config);
  462. const showPagesRestrictedByGroup = !Config.hidePagesRestrictedByGroupInList(config);
  463. query = this.initializeBoolQuery(query); // eslint-disable-line no-param-reassign
  464. const Page = this.crowi.model('Page');
  465. const {
  466. GRANT_PUBLIC, GRANT_RESTRICTED, GRANT_SPECIFIED, GRANT_OWNER, GRANT_USER_GROUP,
  467. } = Page;
  468. const grantConditions = [
  469. { term: { grant: GRANT_PUBLIC } },
  470. ];
  471. // ensure to hit to GRANT_RESTRICTED pages that the user specified at own
  472. if (user != null) {
  473. grantConditions.push(
  474. {
  475. bool: {
  476. must: [
  477. { term: { grant: GRANT_RESTRICTED } },
  478. { term: { granted_users: user._id.toString() } },
  479. ],
  480. },
  481. },
  482. );
  483. }
  484. if (showPagesRestrictedByOwner) {
  485. grantConditions.push(
  486. { term: { grant: GRANT_SPECIFIED } },
  487. { term: { grant: GRANT_OWNER } },
  488. );
  489. }
  490. else if (user != null) {
  491. grantConditions.push(
  492. {
  493. bool: {
  494. must: [
  495. { term: { grant: GRANT_SPECIFIED } },
  496. { term: { granted_users: user._id.toString() } },
  497. ],
  498. },
  499. },
  500. {
  501. bool: {
  502. must: [
  503. { term: { grant: GRANT_OWNER } },
  504. { term: { granted_users: user._id.toString() } },
  505. ],
  506. },
  507. },
  508. );
  509. }
  510. if (showPagesRestrictedByGroup) {
  511. grantConditions.push(
  512. { term: { grant: GRANT_USER_GROUP } },
  513. );
  514. }
  515. else if (userGroups != null && userGroups.length > 0) {
  516. const userGroupIds = userGroups.map((group) => { return group._id.toString() });
  517. grantConditions.push(
  518. {
  519. bool: {
  520. must: [
  521. { term: { grant: GRANT_USER_GROUP } },
  522. { terms: { granted_group: userGroupIds } },
  523. ],
  524. },
  525. },
  526. );
  527. }
  528. query.body.query.bool.filter.push({ bool: { should: grantConditions } });
  529. };
  530. SearchClient.prototype.filterPortalPages = function(query) {
  531. query = this.initializeBoolQuery(query); // eslint-disable-line no-param-reassign
  532. query.body.query.bool.must_not.push(this.queries.USER);
  533. query.body.query.bool.filter.push(this.queries.PORTAL);
  534. };
  535. SearchClient.prototype.filterPublicPages = function(query) {
  536. query = this.initializeBoolQuery(query); // eslint-disable-line no-param-reassign
  537. query.body.query.bool.must_not.push(this.queries.USER);
  538. query.body.query.bool.filter.push(this.queries.PUBLIC);
  539. };
  540. SearchClient.prototype.filterUserPages = function(query) {
  541. query = this.initializeBoolQuery(query); // eslint-disable-line no-param-reassign
  542. query.body.query.bool.filter.push(this.queries.USER);
  543. };
  544. SearchClient.prototype.filterPagesByType = function(query, type) {
  545. const Page = this.crowi.model('Page');
  546. switch (type) {
  547. case Page.TYPE_PORTAL:
  548. return this.filterPortalPages(query);
  549. case Page.TYPE_PUBLIC:
  550. return this.filterPublicPages(query);
  551. case Page.TYPE_USER:
  552. return this.filterUserPages(query);
  553. default:
  554. return query;
  555. }
  556. };
  557. SearchClient.prototype.appendFunctionScore = function(query, queryString) {
  558. const User = this.crowi.model('User');
  559. const count = User.count({}) || 1;
  560. const minScore = queryString.length * 0.1 - 1; // increase with length
  561. logger.debug('min_score: ', minScore);
  562. query.body.query = {
  563. function_score: {
  564. query: { ...query.body.query },
  565. // // disable min_score -- 2019.02.28 Yuki Takei
  566. // // more precise adjustment is needed...
  567. // min_score: minScore,
  568. field_value_factor: {
  569. field: 'bookmark_count',
  570. modifier: 'log1p',
  571. factor: 10000 / count,
  572. missing: 0,
  573. },
  574. boost_mode: 'sum',
  575. },
  576. };
  577. };
  578. SearchClient.prototype.searchKeyword = async function(queryString, user, userGroups, option) {
  579. const from = option.offset || null;
  580. const size = option.limit || null;
  581. const type = option.type || null;
  582. const query = this.createSearchQuerySortedByScore();
  583. this.appendCriteriaForQueryString(query, queryString);
  584. this.filterPagesByType(query, type);
  585. await this.filterPagesByViewer(query, user, userGroups);
  586. this.appendResultSize(query, from, size);
  587. this.appendFunctionScore(query, queryString);
  588. return this.search(query);
  589. };
  590. SearchClient.prototype.parseQueryString = function(queryString) {
  591. const matchWords = [];
  592. const notMatchWords = [];
  593. const phraseWords = [];
  594. const notPhraseWords = [];
  595. const prefixPaths = [];
  596. const notPrefixPaths = [];
  597. queryString.trim();
  598. queryString = queryString.replace(/\s+/g, ' '); // eslint-disable-line no-param-reassign
  599. // First: Parse phrase keywords
  600. const phraseRegExp = new RegExp(/(-?"[^"]+")/g);
  601. const phrases = queryString.match(phraseRegExp);
  602. if (phrases !== null) {
  603. queryString = queryString.replace(phraseRegExp, ''); // eslint-disable-line no-param-reassign
  604. phrases.forEach((phrase) => {
  605. phrase.trim();
  606. if (phrase.match(/^-/)) {
  607. notPhraseWords.push(phrase.replace(/^-/, ''));
  608. }
  609. else {
  610. phraseWords.push(phrase);
  611. }
  612. });
  613. }
  614. // Second: Parse other keywords (include minus keywords)
  615. queryString.split(' ').forEach((word) => {
  616. if (word === '') {
  617. return;
  618. }
  619. // https://regex101.com/r/lN4LIV/1
  620. const matchNegative = word.match(/^-(prefix:)?(.+)$/);
  621. // https://regex101.com/r/gVssZe/1
  622. const matchPositive = word.match(/^(prefix:)?(.+)$/);
  623. if (matchNegative != null) {
  624. const isPrefixCondition = (matchNegative[1] != null);
  625. if (isPrefixCondition) {
  626. notPrefixPaths.push(matchNegative[2]);
  627. }
  628. else {
  629. notMatchWords.push(matchNegative[2]);
  630. }
  631. }
  632. else if (matchPositive != null) {
  633. const isPrefixCondition = (matchPositive[1] != null);
  634. if (isPrefixCondition) {
  635. prefixPaths.push(matchPositive[2]);
  636. }
  637. else {
  638. matchWords.push(matchPositive[2]);
  639. }
  640. }
  641. });
  642. return {
  643. match: matchWords,
  644. not_match: notMatchWords,
  645. phrase: phraseWords,
  646. not_phrase: notPhraseWords,
  647. prefix: prefixPaths,
  648. not_prefix: notPrefixPaths,
  649. };
  650. };
  651. SearchClient.prototype.syncPageCreated = function(page, user, bookmarkCount = 0) {
  652. debug('SearchClient.syncPageCreated', page.path);
  653. if (!this.shouldIndexed(page)) {
  654. return;
  655. }
  656. page.bookmarkCount = bookmarkCount;
  657. this.addPages([page])
  658. .then((res) => {
  659. debug('ES Response', res);
  660. })
  661. .catch((err) => {
  662. logger.error('ES Error', err);
  663. });
  664. };
  665. SearchClient.prototype.syncPageUpdated = function(page, user, bookmarkCount = 0) {
  666. debug('SearchClient.syncPageUpdated', page.path);
  667. // TODO delete
  668. if (!this.shouldIndexed(page)) {
  669. this.deletePages([page])
  670. .then((res) => {
  671. debug('deletePages: ES Response', res);
  672. })
  673. .catch((err) => {
  674. logger.error('deletePages:ES Error', err);
  675. });
  676. return;
  677. }
  678. page.bookmarkCount = bookmarkCount;
  679. this.updatePages([page])
  680. .then((res) => {
  681. debug('ES Response', res);
  682. })
  683. .catch((err) => {
  684. logger.error('ES Error', err);
  685. });
  686. };
  687. SearchClient.prototype.syncPageDeleted = function(page, user) {
  688. debug('SearchClient.syncPageDeleted', page.path);
  689. this.deletePages([page])
  690. .then((res) => {
  691. debug('deletePages: ES Response', res);
  692. })
  693. .catch((err) => {
  694. logger.error('deletePages:ES Error', err);
  695. });
  696. };
  697. SearchClient.prototype.syncBookmarkChanged = async function(pageId) {
  698. const Page = this.crowi.model('Page');
  699. const Bookmark = this.crowi.model('Bookmark');
  700. const page = await Page.findById(pageId);
  701. const bookmarkCount = await Bookmark.countByPageId(pageId);
  702. page.bookmarkCount = bookmarkCount;
  703. this.updatePages([page])
  704. .then((res) => { return debug('ES Response', res) })
  705. .catch((err) => { return logger.error('ES Error', err) });
  706. };
  707. module.exports = SearchClient;