index.js 23 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791
  1. /* eslint-disable @typescript-eslint/no-this-alias */
  2. import http from 'http';
  3. import path from 'path';
  4. import { createTerminus } from '@godaddy/terminus';
  5. import attachmentRoutes from '@growi/remark-attachment-refs/dist/server';
  6. import lsxRoutes from '@growi/remark-lsx/dist/server';
  7. import mongoose from 'mongoose';
  8. import next from 'next';
  9. import pkg from '^/package.json';
  10. import QuestionnaireService from '~/features/questionnaire/server/service/questionnaire';
  11. import QuestionnaireCronService from '~/features/questionnaire/server/service/questionnaire-cron';
  12. import CdnResourcesService from '~/services/cdn-resources-service';
  13. import Xss from '~/services/xss';
  14. import loggerFactory from '~/utils/logger';
  15. import { projectRoot } from '~/utils/project-dir-utils';
  16. import Activity from '../models/activity';
  17. import PageRedirect from '../models/page-redirect';
  18. import Tag from '../models/tag';
  19. import UserGroup from '../models/user-group';
  20. import UserGroupRelation from '../models/user-group-relation';
  21. import { aclService as aclServiceSingletonInstance } from '../service/acl';
  22. import AppService from '../service/app';
  23. import AttachmentService from '../service/attachment';
  24. import { configManager as configManagerSingletonInstance } from '../service/config-manager';
  25. import { instanciate as instanciateExternalAccountService } from '../service/external-account';
  26. import { G2GTransferPusherService, G2GTransferReceiverService } from '../service/g2g-transfer';
  27. import { InstallerService } from '../service/installer';
  28. import PageService from '../service/page';
  29. import PageGrantService from '../service/page-grant';
  30. import PageOperationService from '../service/page-operation';
  31. import PassportService from '../service/passport';
  32. import SearchService from '../service/search';
  33. import { SlackIntegrationService } from '../service/slack-integration';
  34. import UserGroupService from '../service/user-group';
  35. import { UserNotificationService } from '../service/user-notification';
  36. import { getMongoUri, mongoOptions } from '../util/mongoose-utils';
  37. const logger = loggerFactory('growi:crowi');
  38. const httpErrorHandler = require('../middlewares/http-error-handler');
  39. const models = require('../models');
  40. const sep = path.sep;
  41. function Crowi() {
  42. this.version = pkg.version;
  43. this.runtimeVersions = undefined; // initialized by scanRuntimeVersions()
  44. this.publicDir = path.join(projectRoot, 'public') + sep;
  45. this.resourceDir = path.join(projectRoot, 'resource') + sep;
  46. this.localeDir = path.join(this.resourceDir, 'locales') + sep;
  47. this.viewsDir = path.resolve(__dirname, '../views') + sep;
  48. this.tmpDir = path.join(projectRoot, 'tmp') + sep;
  49. this.cacheDir = path.join(this.tmpDir, 'cache');
  50. this.express = null;
  51. this.config = {};
  52. this.configManager = null;
  53. this.s2sMessagingService = null;
  54. this.g2gTransferPusherService = null;
  55. this.g2gTransferReceiverService = null;
  56. this.mailService = null;
  57. this.passportService = null;
  58. this.globalNotificationService = null;
  59. this.userNotificationService = null;
  60. this.xssService = null;
  61. this.aclService = null;
  62. this.appService = null;
  63. this.fileUploadService = null;
  64. this.restQiitaAPIService = null;
  65. this.growiBridgeService = null;
  66. this.exportService = null;
  67. this.importService = null;
  68. this.pluginService = null;
  69. this.searchService = null;
  70. this.socketIoService = null;
  71. this.pageService = null;
  72. this.syncPageStatusService = null;
  73. this.cdnResourcesService = new CdnResourcesService();
  74. this.slackIntegrationService = null;
  75. this.inAppNotificationService = null;
  76. this.activityService = null;
  77. this.commentService = null;
  78. this.xss = new Xss();
  79. this.questionnaireService = null;
  80. this.questionnaireCronService = null;
  81. this.tokens = null;
  82. this.models = {};
  83. this.env = process.env;
  84. this.node_env = this.env.NODE_ENV || 'development';
  85. this.port = this.env.PORT || 3000;
  86. this.events = {
  87. user: new (require('../events/user'))(this),
  88. page: new (require('../events/page'))(this),
  89. activity: new (require('../events/activity'))(this),
  90. bookmark: new (require('../events/bookmark'))(this),
  91. comment: new (require('../events/comment'))(this),
  92. tag: new (require('../events/tag'))(this),
  93. admin: new (require('../events/admin'))(this),
  94. };
  95. }
  96. Crowi.prototype.init = async function() {
  97. await this.setupDatabase();
  98. await this.setupModels();
  99. await this.setupConfigManager();
  100. await this.setupSessionConfig();
  101. this.setupCron();
  102. // setup messaging services
  103. await this.setupS2sMessagingService();
  104. await this.setupSocketIoService();
  105. // customizeService depends on AppService and XssService
  106. // passportService depends on appService
  107. // export and import depends on setUpGrowiBridge
  108. await Promise.all([
  109. this.setUpApp(),
  110. this.setUpXss(),
  111. this.setUpGrowiBridge(),
  112. ]);
  113. await Promise.all([
  114. this.scanRuntimeVersions(),
  115. this.setupPassport(),
  116. this.setupSearcher(),
  117. this.setupMailer(),
  118. this.setupSlackIntegrationService(),
  119. this.setupG2GTransferService(),
  120. this.setUpFileUpload(),
  121. this.setUpFileUploaderSwitchService(),
  122. this.setupAttachmentService(),
  123. this.setUpAcl(),
  124. this.setUpRestQiitaAPI(),
  125. this.setupUserGroupService(),
  126. this.setupExport(),
  127. this.setupImport(),
  128. this.setupGrowiPluginService(),
  129. this.setupPageService(),
  130. this.setupInAppNotificationService(),
  131. this.setupActivityService(),
  132. this.setupCommentService(),
  133. this.setupSyncPageStatusService(),
  134. this.setupQuestionnaireService(),
  135. this.setUpCustomize(), // depends on pluginService
  136. this.setupExternalAccountService(),
  137. ]);
  138. // globalNotification depends on slack and mailer
  139. await Promise.all([
  140. this.setUpGlobalNotification(),
  141. this.setUpUserNotification(),
  142. ]);
  143. await this.autoInstall();
  144. };
  145. /**
  146. * Execute functions that should be run after the express server is ready.
  147. */
  148. Crowi.prototype.asyncAfterExpressServerReady = async function() {
  149. if (this.pageOperationService != null) {
  150. await this.pageOperationService.afterExpressServerReady();
  151. }
  152. };
  153. Crowi.prototype.isPageId = function(pageId) {
  154. if (!pageId) {
  155. return false;
  156. }
  157. if (typeof pageId === 'string' && pageId.match(/^[\da-f]{24}$/)) {
  158. return true;
  159. }
  160. return false;
  161. };
  162. Crowi.prototype.setConfig = function(config) {
  163. this.config = config;
  164. };
  165. Crowi.prototype.getConfig = function() {
  166. return this.config;
  167. };
  168. Crowi.prototype.getEnv = function() {
  169. return this.env;
  170. };
  171. // getter/setter of model instance
  172. //
  173. Crowi.prototype.model = function(name, model) {
  174. if (model != null) {
  175. this.models[name] = model;
  176. }
  177. return this.models[name];
  178. };
  179. // getter/setter of event instance
  180. Crowi.prototype.event = function(name, event) {
  181. if (event) {
  182. this.events[name] = event;
  183. }
  184. return this.events[name];
  185. };
  186. Crowi.prototype.setupDatabase = function() {
  187. mongoose.Promise = global.Promise;
  188. // mongoUri = mongodb://user:password@host/dbname
  189. const mongoUri = getMongoUri();
  190. return mongoose.connect(mongoUri, mongoOptions);
  191. };
  192. Crowi.prototype.setupSessionConfig = async function() {
  193. const session = require('express-session');
  194. const sessionMaxAge = this.configManager.getConfig('crowi', 'security:sessionMaxAge') || 2592000000; // default: 30days
  195. const redisUrl = this.env.REDISTOGO_URL || this.env.REDIS_URI || this.env.REDIS_URL || null;
  196. const uid = require('uid-safe').sync;
  197. // generate pre-defined uid for healthcheck
  198. const healthcheckUid = uid(24);
  199. const sessionConfig = {
  200. rolling: true,
  201. secret: this.env.SECRET_TOKEN || 'this is default session secret',
  202. resave: false,
  203. saveUninitialized: true,
  204. cookie: {
  205. maxAge: sessionMaxAge,
  206. },
  207. genid(req) {
  208. // return pre-defined uid when healthcheck
  209. if (req.path === '/_api/v3/healthcheck') {
  210. return healthcheckUid;
  211. }
  212. return uid(24);
  213. },
  214. };
  215. if (this.env.SESSION_NAME) {
  216. sessionConfig.name = this.env.SESSION_NAME;
  217. }
  218. // use Redis for session store
  219. if (redisUrl) {
  220. const redis = require('redis');
  221. const redisClient = redis.createClient({ url: redisUrl });
  222. const RedisStore = require('connect-redis')(session);
  223. sessionConfig.store = new RedisStore({ client: redisClient });
  224. }
  225. // use MongoDB for session store
  226. else {
  227. const MongoStore = require('connect-mongo');
  228. sessionConfig.store = MongoStore.create({ client: mongoose.connection.getClient() });
  229. }
  230. this.sessionConfig = sessionConfig;
  231. };
  232. Crowi.prototype.setupConfigManager = async function() {
  233. this.configManager = configManagerSingletonInstance;
  234. return this.configManager.loadConfigs();
  235. };
  236. Crowi.prototype.setupS2sMessagingService = async function() {
  237. const s2sMessagingService = require('../service/s2s-messaging')(this);
  238. if (s2sMessagingService != null) {
  239. s2sMessagingService.subscribe();
  240. this.configManager.setS2sMessagingService(s2sMessagingService);
  241. // add as a message handler
  242. s2sMessagingService.addMessageHandler(this.configManager);
  243. this.s2sMessagingService = s2sMessagingService;
  244. }
  245. };
  246. Crowi.prototype.setupSocketIoService = async function() {
  247. const SocketIoService = require('../service/socket-io');
  248. if (this.socketIoService == null) {
  249. this.socketIoService = new SocketIoService(this);
  250. }
  251. };
  252. Crowi.prototype.setupModels = async function() {
  253. Object.keys(models).forEach((key) => {
  254. return this.model(key, models[key](this));
  255. });
  256. // include models that are independent from crowi
  257. const crowiIndependent = {};
  258. crowiIndependent.Activity = Activity;
  259. crowiIndependent.Tag = Tag;
  260. crowiIndependent.UserGroup = UserGroup;
  261. crowiIndependent.UserGroupRelation = UserGroupRelation;
  262. crowiIndependent.PageRedirect = PageRedirect;
  263. Object.keys(crowiIndependent).forEach((key) => {
  264. return this.model(key, crowiIndependent[key]);
  265. });
  266. };
  267. Crowi.prototype.setupCron = function() {
  268. this.questionnaireCronService = new QuestionnaireCronService(this);
  269. this.questionnaireCronService.startCron();
  270. };
  271. Crowi.prototype.setupQuestionnaireService = function() {
  272. this.questionnaireService = new QuestionnaireService(this);
  273. };
  274. Crowi.prototype.scanRuntimeVersions = async function() {
  275. const self = this;
  276. const check = require('check-node-version');
  277. return new Promise((resolve, reject) => {
  278. check((err, result) => {
  279. if (err) {
  280. reject(err);
  281. }
  282. self.runtimeVersions = result;
  283. resolve();
  284. });
  285. });
  286. };
  287. Crowi.prototype.getSlack = function() {
  288. return this.slack;
  289. };
  290. Crowi.prototype.getSlackLegacy = function() {
  291. return this.slackLegacy;
  292. };
  293. Crowi.prototype.getGlobalNotificationService = function() {
  294. return this.globalNotificationService;
  295. };
  296. Crowi.prototype.getUserNotificationService = function() {
  297. return this.userNotificationService;
  298. };
  299. Crowi.prototype.getRestQiitaAPIService = function() {
  300. return this.restQiitaAPIService;
  301. };
  302. Crowi.prototype.setupPassport = async function() {
  303. logger.debug('Passport is enabled');
  304. // initialize service
  305. if (this.passportService == null) {
  306. this.passportService = new PassportService(this);
  307. }
  308. this.passportService.setupSerializer();
  309. // setup strategies
  310. try {
  311. this.passportService.setupStrategyById('local');
  312. this.passportService.setupStrategyById('ldap');
  313. this.passportService.setupStrategyById('saml');
  314. this.passportService.setupStrategyById('oidc');
  315. this.passportService.setupStrategyById('google');
  316. this.passportService.setupStrategyById('github');
  317. }
  318. catch (err) {
  319. logger.error(err);
  320. }
  321. // add as a message handler
  322. if (this.s2sMessagingService != null) {
  323. this.s2sMessagingService.addMessageHandler(this.passportService);
  324. }
  325. return Promise.resolve();
  326. };
  327. Crowi.prototype.setupSearcher = async function() {
  328. this.searchService = new SearchService(this);
  329. };
  330. Crowi.prototype.setupMailer = async function() {
  331. const MailService = require('~/server/service/mail');
  332. this.mailService = new MailService(this);
  333. // add as a message handler
  334. if (this.s2sMessagingService != null) {
  335. this.s2sMessagingService.addMessageHandler(this.mailService);
  336. }
  337. };
  338. Crowi.prototype.autoInstall = function() {
  339. const isInstalled = this.configManager.getConfig('crowi', 'app:installed');
  340. const username = this.configManager.getConfig('crowi', 'autoInstall:adminUsername');
  341. if (isInstalled || username == null) {
  342. return;
  343. }
  344. logger.info('Start automatic installation');
  345. const firstAdminUserToSave = {
  346. username,
  347. name: this.configManager.getConfig('crowi', 'autoInstall:adminName'),
  348. email: this.configManager.getConfig('crowi', 'autoInstall:adminEmail'),
  349. password: this.configManager.getConfig('crowi', 'autoInstall:adminPassword'),
  350. admin: true,
  351. };
  352. const globalLang = this.configManager.getConfig('crowi', 'autoInstall:globalLang');
  353. const allowGuestMode = this.configManager.getConfig('crowi', 'autoInstall:allowGuestMode');
  354. const serverDate = this.configManager.getConfig('crowi', 'autoInstall:serverDate');
  355. const installerService = new InstallerService(this);
  356. try {
  357. installerService.install(firstAdminUserToSave, globalLang ?? 'en_US', {
  358. allowGuestMode,
  359. serverDate,
  360. });
  361. }
  362. catch (err) {
  363. logger.warn('Automatic installation failed.', err);
  364. }
  365. };
  366. Crowi.prototype.getTokens = function() {
  367. return this.tokens;
  368. };
  369. Crowi.prototype.start = async function() {
  370. const dev = process.env.NODE_ENV !== 'production';
  371. await this.init();
  372. await this.buildServer();
  373. // setup Next.js
  374. this.nextApp = next({ dev });
  375. await this.nextApp.prepare();
  376. // setup CrowiDev
  377. if (dev) {
  378. const CrowiDev = require('./dev');
  379. this.crowiDev = new CrowiDev(this);
  380. this.crowiDev.init();
  381. }
  382. const { express, configManager } = this;
  383. const app = (this.node_env === 'development') ? this.crowiDev.setupServer(express) : express;
  384. const httpServer = http.createServer(app);
  385. // setup terminus
  386. this.setupTerminus(httpServer);
  387. // attach to socket.io
  388. this.socketIoService.attachServer(httpServer);
  389. // listen
  390. const serverListening = httpServer.listen(this.port, () => {
  391. logger.info(`[${this.node_env}] Express server is listening on port ${this.port}`);
  392. if (this.node_env === 'development') {
  393. this.crowiDev.setupExpressAfterListening(express);
  394. }
  395. });
  396. // listen for promster
  397. if (configManager.getConfig('crowi', 'promster:isEnabled')) {
  398. const { createServer } = require('@promster/server');
  399. const promsterPort = configManager.getConfig('crowi', 'promster:port');
  400. createServer({ port: promsterPort }).then(() => {
  401. logger.info(`[${this.node_env}] Promster server is listening on port ${promsterPort}`);
  402. });
  403. }
  404. // setup Express Routes
  405. this.setupRoutesForPlugins();
  406. this.setupRoutesAtLast();
  407. // setup Global Error Handlers
  408. this.setupGlobalErrorHandlers();
  409. // Execute this asynchronously after the express server is ready so it does not block the ongoing process
  410. this.asyncAfterExpressServerReady();
  411. return serverListening;
  412. };
  413. Crowi.prototype.buildServer = async function() {
  414. const env = this.node_env;
  415. const express = require('express')();
  416. require('./express-init')(this, express);
  417. // use bunyan
  418. if (env === 'production') {
  419. const expressBunyanLogger = require('express-bunyan-logger');
  420. const logger = loggerFactory('express');
  421. express.use(expressBunyanLogger({
  422. logger,
  423. excludes: ['*'],
  424. }));
  425. }
  426. // use morgan
  427. else {
  428. const morgan = require('morgan');
  429. express.use(morgan('dev'));
  430. }
  431. this.express = express;
  432. };
  433. Crowi.prototype.setupTerminus = function(server) {
  434. createTerminus(server, {
  435. signals: ['SIGINT', 'SIGTERM'],
  436. onSignal: async() => {
  437. logger.info('Server is starting cleanup');
  438. await mongoose.disconnect();
  439. return;
  440. },
  441. onShutdown: async() => {
  442. logger.info('Cleanup finished, server is shutting down');
  443. },
  444. });
  445. };
  446. Crowi.prototype.setupRoutesForPlugins = function() {
  447. lsxRoutes(this, this.express);
  448. attachmentRoutes(this, this.express);
  449. };
  450. /**
  451. * setup Express Routes
  452. * !! this must be at last because it includes '/*' route !!
  453. */
  454. Crowi.prototype.setupRoutesAtLast = function() {
  455. require('../routes')(this, this.express);
  456. };
  457. /**
  458. * setup global error handlers
  459. * !! this must be after the Routes setup !!
  460. */
  461. Crowi.prototype.setupGlobalErrorHandlers = function() {
  462. this.express.use(httpErrorHandler);
  463. };
  464. /**
  465. * require API for plugins
  466. *
  467. * @param {string} modulePath relative path from /lib/crowi/index.js
  468. * @return {module}
  469. *
  470. * @memberof Crowi
  471. */
  472. Crowi.prototype.require = function(modulePath) {
  473. return require(modulePath);
  474. };
  475. /**
  476. * setup GlobalNotificationService
  477. */
  478. Crowi.prototype.setUpGlobalNotification = async function() {
  479. const GlobalNotificationService = require('../service/global-notification');
  480. if (this.globalNotificationService == null) {
  481. this.globalNotificationService = new GlobalNotificationService(this);
  482. }
  483. };
  484. /**
  485. * setup UserNotificationService
  486. */
  487. Crowi.prototype.setUpUserNotification = async function() {
  488. if (this.userNotificationService == null) {
  489. this.userNotificationService = new UserNotificationService(this);
  490. }
  491. };
  492. /**
  493. * setup XssService
  494. */
  495. Crowi.prototype.setUpXss = async function() {
  496. const XssService = require('../service/xss');
  497. if (this.xssService == null) {
  498. this.xssService = new XssService(this.configManager);
  499. }
  500. };
  501. /**
  502. * setup AclService
  503. */
  504. Crowi.prototype.setUpAcl = async function() {
  505. this.aclService = aclServiceSingletonInstance;
  506. };
  507. /**
  508. * setup CustomizeService
  509. */
  510. Crowi.prototype.setUpCustomize = async function() {
  511. const CustomizeService = require('../service/customize');
  512. if (this.customizeService == null) {
  513. this.customizeService = new CustomizeService(this);
  514. this.customizeService.initCustomCss();
  515. this.customizeService.initCustomTitle();
  516. this.customizeService.initGrowiTheme();
  517. // add as a message handler
  518. if (this.s2sMessagingService != null) {
  519. this.s2sMessagingService.addMessageHandler(this.customizeService);
  520. }
  521. }
  522. };
  523. /**
  524. * setup AppService
  525. */
  526. Crowi.prototype.setUpApp = async function() {
  527. if (this.appService == null) {
  528. this.appService = new AppService(this);
  529. // add as a message handler
  530. const isInstalled = this.configManager.getConfig('crowi', 'app:installed');
  531. if (this.s2sMessagingService != null && !isInstalled) {
  532. this.s2sMessagingService.addMessageHandler(this.appService);
  533. }
  534. }
  535. };
  536. /**
  537. * setup FileUploadService
  538. */
  539. Crowi.prototype.setUpFileUpload = async function(isForceUpdate = false) {
  540. if (this.fileUploadService == null || isForceUpdate) {
  541. this.fileUploadService = require('../service/file-uploader')(this);
  542. }
  543. };
  544. /**
  545. * setup FileUploaderSwitchService
  546. */
  547. Crowi.prototype.setUpFileUploaderSwitchService = async function() {
  548. const FileUploaderSwitchService = require('../service/file-uploader-switch');
  549. this.fileUploaderSwitchService = new FileUploaderSwitchService(this);
  550. // add as a message handler
  551. if (this.s2sMessagingService != null) {
  552. this.s2sMessagingService.addMessageHandler(this.fileUploaderSwitchService);
  553. }
  554. };
  555. /**
  556. * setup AttachmentService
  557. */
  558. Crowi.prototype.setupAttachmentService = async function() {
  559. if (this.attachmentService == null) {
  560. this.attachmentService = new AttachmentService(this);
  561. }
  562. };
  563. /**
  564. * setup RestQiitaAPIService
  565. */
  566. Crowi.prototype.setUpRestQiitaAPI = async function() {
  567. const RestQiitaAPIService = require('../service/rest-qiita-API');
  568. if (this.restQiitaAPIService == null) {
  569. this.restQiitaAPIService = new RestQiitaAPIService(this);
  570. }
  571. };
  572. Crowi.prototype.setupUserGroupService = async function() {
  573. if (this.userGroupService == null) {
  574. this.userGroupService = new UserGroupService(this);
  575. return this.userGroupService.init();
  576. }
  577. };
  578. Crowi.prototype.setUpGrowiBridge = async function() {
  579. const GrowiBridgeService = require('../service/growi-bridge');
  580. if (this.growiBridgeService == null) {
  581. this.growiBridgeService = new GrowiBridgeService(this);
  582. }
  583. };
  584. Crowi.prototype.setupExport = async function() {
  585. const ExportService = require('../service/export');
  586. if (this.exportService == null) {
  587. this.exportService = new ExportService(this);
  588. }
  589. };
  590. Crowi.prototype.setupImport = async function() {
  591. const ImportService = require('../service/import');
  592. if (this.importService == null) {
  593. this.importService = new ImportService(this);
  594. }
  595. };
  596. Crowi.prototype.setupGrowiPluginService = async function() {
  597. const growiPluginService = await import('~/features/growi-plugin/server/services').then(mod => mod.growiPluginService);
  598. // download plugin repositories, if document exists but there is no repository
  599. // TODO: Cannot download unless connected to the Internet at setup.
  600. await growiPluginService.downloadNotExistPluginRepositories();
  601. };
  602. Crowi.prototype.setupPageService = async function() {
  603. if (this.pageService == null) {
  604. this.pageService = new PageService(this);
  605. }
  606. if (this.pageGrantService == null) {
  607. this.pageGrantService = new PageGrantService(this);
  608. }
  609. if (this.pageOperationService == null) {
  610. this.pageOperationService = new PageOperationService(this);
  611. await this.pageOperationService.init();
  612. }
  613. };
  614. Crowi.prototype.setupInAppNotificationService = async function() {
  615. const InAppNotificationService = require('../service/in-app-notification');
  616. if (this.inAppNotificationService == null) {
  617. this.inAppNotificationService = new InAppNotificationService(this);
  618. }
  619. };
  620. Crowi.prototype.setupActivityService = async function() {
  621. const ActivityService = require('../service/activity');
  622. if (this.activityService == null) {
  623. this.activityService = new ActivityService(this);
  624. await this.activityService.createTtlIndex();
  625. }
  626. };
  627. Crowi.prototype.setupCommentService = async function() {
  628. const CommentService = require('../service/comment');
  629. if (this.commentService == null) {
  630. this.commentService = new CommentService(this);
  631. }
  632. };
  633. Crowi.prototype.setupSyncPageStatusService = async function() {
  634. const SyncPageStatusService = require('../service/system-events/sync-page-status');
  635. if (this.syncPageStatusService == null) {
  636. this.syncPageStatusService = new SyncPageStatusService(this, this.s2sMessagingService, this.socketIoService);
  637. // add as a message handler
  638. if (this.s2sMessagingService != null) {
  639. this.s2sMessagingService.addMessageHandler(this.syncPageStatusService);
  640. }
  641. }
  642. };
  643. Crowi.prototype.setupSlackIntegrationService = async function() {
  644. if (this.slackIntegrationService == null) {
  645. this.slackIntegrationService = new SlackIntegrationService(this);
  646. }
  647. // add as a message handler
  648. if (this.s2sMessagingService != null) {
  649. this.s2sMessagingService.addMessageHandler(this.slackIntegrationService);
  650. }
  651. };
  652. Crowi.prototype.setupG2GTransferService = async function() {
  653. if (this.g2gTransferPusherService == null) {
  654. this.g2gTransferPusherService = new G2GTransferPusherService(this);
  655. }
  656. if (this.g2gTransferReceiverService == null) {
  657. this.g2gTransferReceiverService = new G2GTransferReceiverService(this);
  658. }
  659. };
  660. // execute after setupPassport
  661. Crowi.prototype.setupExternalAccountService = function() {
  662. instanciateExternalAccountService(this.passportService);
  663. };
  664. export default Crowi;