| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500 |
- const debug = require('debug')('growi:crowi');
- const logger = require('@alias/logger')('growi:crowi');
- const pkg = require('@root/package.json');
- const InterceptorManager = require('@commons/service/interceptor-manager');
- const CdnResourcesService = require('@commons/service/cdn-resources-service');
- const Xss = require('@commons/service/xss');
- const path = require('path');
- const sep = path.sep;
- const mongoose = require('mongoose');
- const models = require('../models');
- function Crowi(rootdir) {
- const self = this;
- this.version = pkg.version;
- this.runtimeVersions = undefined; // initialized by scanRuntimeVersions()
- this.rootDir = rootdir;
- this.pluginDir = path.join(this.rootDir, 'node_modules') + sep;
- this.publicDir = path.join(this.rootDir, 'public') + sep;
- this.libDir = path.join(this.rootDir, 'src/server') + sep;
- this.eventsDir = path.join(this.libDir, 'events') + sep;
- this.viewsDir = path.join(this.libDir, 'views') + sep;
- this.resourceDir = path.join(this.rootDir, 'resource') + sep;
- this.localeDir = path.join(this.resourceDir, 'locales') + sep;
- this.tmpDir = path.join(this.rootDir, 'tmp') + sep;
- this.cacheDir = path.join(this.tmpDir, 'cache');
- this.config = {};
- this.configManager = null;
- this.searcher = null;
- this.mailer = {};
- this.passportService = null;
- this.globalNotificationService = null;
- this.slackNotificationService = null;
- this.xssService = null;
- this.aclService = null;
- this.appService = null;
- this.fileUploadService = null;
- this.restQiitaAPIService = null;
- this.cdnResourcesService = new CdnResourcesService();
- this.interceptorManager = new InterceptorManager();
- this.xss = new Xss();
- this.tokens = null;
- this.models = {};
- this.env = process.env;
- this.node_env = this.env.NODE_ENV || 'development';
- this.port = this.env.PORT || 3000;
- this.events = {
- user: new (require(`${self.eventsDir}user`))(this),
- page: new (require(`${self.eventsDir}page`))(this),
- search: new (require(`${self.eventsDir}search`))(this),
- bookmark: new (require(`${self.eventsDir}bookmark`))(this),
- tag: new (require(`${self.eventsDir}tag`))(this),
- };
- }
- function getMongoUrl(env) {
- return env.MONGOLAB_URI // for B.C.
- || env.MONGODB_URI // MONGOLAB changes their env name
- || env.MONGOHQ_URL
- || env.MONGO_URI
- || ((process.env.NODE_ENV === 'test') ? 'mongodb://localhost/growi_test' : 'mongodb://localhost/growi');
- }
- Crowi.prototype.init = async function() {
- await this.setupDatabase();
- await this.setupModels();
- await this.setupSessionConfig();
- await this.setupConfigManager();
- // customizeService depends on AppService and XssService
- // passportService depends on appService
- // slack depends on setUpSlacklNotification
- await Promise.all([
- this.setUpApp(),
- this.setUpXss(),
- this.setUpSlacklNotification(),
- ]);
- await Promise.all([
- this.scanRuntimeVersions(),
- this.setupPassport(),
- this.setupSearcher(),
- this.setupMailer(),
- this.setupSlack(),
- this.setupCsrf(),
- this.setUpGlobalNotification(),
- this.setUpFileUpload(),
- this.setUpAcl(),
- this.setUpCustomize(),
- this.setUpRestQiitaAPI(),
- ]);
- };
- Crowi.prototype.isPageId = function(pageId) {
- if (!pageId) {
- return false;
- }
- if (typeof pageId === 'string' && pageId.match(/^[\da-f]{24}$/)) {
- return true;
- }
- return false;
- };
- Crowi.prototype.setConfig = function(config) {
- this.config = config;
- };
- Crowi.prototype.getConfig = function() {
- return this.config;
- };
- Crowi.prototype.getEnv = function() {
- return this.env;
- };
- // getter/setter of model instance
- //
- Crowi.prototype.model = function(name, model) {
- if (model != null) {
- this.models[name] = model;
- }
- return this.models[name];
- };
- // getter/setter of event instance
- Crowi.prototype.event = function(name, event) {
- if (event) {
- this.events[name] = event;
- }
- return this.events[name];
- };
- Crowi.prototype.setupDatabase = function() {
- // mongoUri = mongodb://user:password@host/dbname
- mongoose.Promise = global.Promise;
- const mongoUri = getMongoUrl(this.env);
- return mongoose.connect(mongoUri, { useNewUrlParser: true });
- };
- Crowi.prototype.setupSessionConfig = function() {
- const self = this;
- const session = require('express-session');
- const sessionAge = (1000 * 3600 * 24 * 30);
- const redisUrl = this.env.REDISTOGO_URL || this.env.REDIS_URI || this.env.REDIS_URL || null;
- const mongoUrl = getMongoUrl(this.env);
- let sessionConfig;
- return new Promise(((resolve, reject) => {
- sessionConfig = {
- rolling: true,
- secret: self.env.SECRET_TOKEN || 'this is default session secret',
- resave: false,
- saveUninitialized: true,
- cookie: {
- maxAge: sessionAge,
- },
- };
- if (self.env.SESSION_NAME) {
- sessionConfig.name = self.env.SESSION_NAME;
- }
- // use Redis for session store
- if (redisUrl) {
- const RedisStore = require('connect-redis')(session);
- sessionConfig.store = new RedisStore({ url: redisUrl });
- }
- // use MongoDB for session store
- else {
- const MongoStore = require('connect-mongo')(session);
- sessionConfig.store = new MongoStore({ url: mongoUrl });
- }
- self.sessionConfig = sessionConfig;
- resolve();
- }));
- };
- Crowi.prototype.setupConfigManager = async function() {
- const ConfigManager = require('../service/config-manager');
- this.configManager = new ConfigManager(this.model('Config'));
- return this.configManager.loadConfigs();
- };
- Crowi.prototype.setupModels = function() {
- const self = this;
- return new Promise(((resolve, reject) => {
- Object.keys(models).forEach((key) => {
- self.model(key, models[key](self));
- });
- resolve();
- }));
- };
- Crowi.prototype.getIo = function() {
- return this.io;
- };
- Crowi.prototype.scanRuntimeVersions = function() {
- const self = this;
- const check = require('check-node-version');
- return new Promise((resolve, reject) => {
- check((err, result) => {
- if (err) {
- reject(err);
- }
- self.runtimeVersions = result;
- resolve();
- });
- });
- };
- Crowi.prototype.getSearcher = function() {
- return this.searcher;
- };
- Crowi.prototype.getMailer = function() {
- return this.mailer;
- };
- Crowi.prototype.getInterceptorManager = function() {
- return this.interceptorManager;
- };
- Crowi.prototype.getGlobalNotificationService = function() {
- return this.globalNotificationService;
- };
- Crowi.prototype.getRestQiitaAPIService = function() {
- return this.restQiitaAPIService;
- };
- Crowi.prototype.setupPassport = function() {
- debug('Passport is enabled');
- // initialize service
- const PassportService = require('../service/passport');
- if (this.passportService == null) {
- this.passportService = new PassportService(this);
- }
- this.passportService.setupSerializer();
- // setup strategies
- this.passportService.setupLocalStrategy();
- try {
- this.passportService.setupLdapStrategy();
- this.passportService.setupGoogleStrategy();
- this.passportService.setupGitHubStrategy();
- this.passportService.setupTwitterStrategy();
- this.passportService.setupOidcStrategy();
- this.passportService.setupSamlStrategy();
- }
- catch (err) {
- logger.error(err);
- }
- return Promise.resolve();
- };
- Crowi.prototype.setupSearcher = function() {
- const self = this;
- const searcherUri = this.env.ELASTICSEARCH_URI
- || this.env.BONSAI_URL
- || null;
- return new Promise(((resolve, reject) => {
- if (searcherUri) {
- try {
- self.searcher = new (require(path.join(self.libDir, 'util', 'search')))(self, searcherUri);
- }
- catch (e) {
- logger.error('Error on setup searcher', e);
- self.searcher = null;
- }
- }
- resolve();
- }));
- };
- Crowi.prototype.setupMailer = function() {
- const self = this;
- return new Promise(((resolve, reject) => {
- self.mailer = require('../util/mailer')(self);
- resolve();
- }));
- };
- Crowi.prototype.setupSlack = function() {
- const self = this;
- return new Promise(((resolve, reject) => {
- if (this.slackNotificationService.hasSlackConfig()) {
- self.slack = require('../util/slack')(self);
- }
- resolve();
- }));
- };
- Crowi.prototype.setupCsrf = function() {
- const Tokens = require('csrf');
- this.tokens = new Tokens();
- return Promise.resolve();
- };
- Crowi.prototype.getTokens = function() {
- return this.tokens;
- };
- Crowi.prototype.start = async function() {
- // init CrowiDev
- if (this.node_env === 'development') {
- const CrowiDev = require('./dev');
- this.crowiDev = new CrowiDev(this);
- this.crowiDev.init();
- }
- await this.init();
- const express = await this.buildServer();
- const server = (this.node_env === 'development') ? this.crowiDev.setupServer(express) : express;
- // listen
- const serverListening = server.listen(this.port, () => {
- logger.info(`[${this.node_env}] Express server is listening on port ${this.port}`);
- if (this.node_env === 'development') {
- this.crowiDev.setupExpressAfterListening(express);
- }
- });
- // setup WebSocket
- const io = require('socket.io')(serverListening);
- io.sockets.on('connection', (socket) => {
- });
- this.io = io;
- // setup Express Routes
- this.setupRoutesAtLast(express);
- return serverListening;
- };
- Crowi.prototype.buildServer = function() {
- const express = require('express')();
- const env = this.node_env;
- require('./express-init')(this, express);
- // import plugins
- const isEnabledPlugins = this.configManager.getConfig('crowi', 'plugin:isEnabledPlugins');
- if (isEnabledPlugins) {
- debug('Plugins are enabled');
- const PluginService = require('../plugins/plugin.service');
- const pluginService = new PluginService(this, express);
- pluginService.autoDetectAndLoadPlugins();
- if (env === 'development') {
- this.crowiDev.loadPlugins(express);
- }
- }
- // use bunyan
- if (env === 'production') {
- const expressBunyanLogger = require('express-bunyan-logger');
- const logger = require('@alias/logger')('express');
- express.use(expressBunyanLogger({
- logger,
- excludes: ['*'],
- }));
- }
- // use morgan
- else {
- const morgan = require('morgan');
- express.use(morgan('dev'));
- }
- return Promise.resolve(express);
- };
- /**
- * setup Express Routes
- * !! this must be at last because it includes '/*' route !!
- */
- Crowi.prototype.setupRoutesAtLast = function(app) {
- require('../routes')(this, app);
- };
- /**
- * require API for plugins
- *
- * @param {string} modulePath relative path from /lib/crowi/index.js
- * @return {module}
- *
- * @memberof Crowi
- */
- Crowi.prototype.require = function(modulePath) {
- return require(modulePath);
- };
- /**
- * setup GlobalNotificationService
- */
- Crowi.prototype.setUpGlobalNotification = function() {
- const GlobalNotificationService = require('../service/global-notification');
- if (this.globalNotificationService == null) {
- this.globalNotificationService = new GlobalNotificationService(this);
- }
- };
- /**
- * setup SlackNotificationService
- */
- Crowi.prototype.setUpSlacklNotification = function() {
- const SlackNotificationService = require('../service/slack-notification');
- if (this.slackNotificationService == null) {
- this.slackNotificationService = new SlackNotificationService(this.configManager);
- }
- };
- /**
- * setup XssService
- */
- Crowi.prototype.setUpXss = function() {
- const XssService = require('../service/xss');
- if (this.xssService == null) {
- this.xssService = new XssService(this.configManager);
- }
- };
- /**
- * setup AclService
- */
- Crowi.prototype.setUpAcl = function() {
- const AclService = require('../service/acl');
- if (this.aclService == null) {
- this.aclService = new AclService(this.configManager);
- }
- };
- /**
- * setup CustomizeService
- */
- Crowi.prototype.setUpCustomize = function() {
- const CustomizeService = require('../service/customize');
- if (this.customizeService == null) {
- this.customizeService = new CustomizeService(this.configManager, this.appService, this.xssService);
- this.customizeService.initCustomCss();
- this.customizeService.initCustomTitle();
- }
- };
- /**
- * setup AppService
- */
- Crowi.prototype.setUpApp = function() {
- const AppService = require('../service/app');
- if (this.appService == null) {
- this.appService = new AppService(this.configManager);
- }
- };
- /**
- * setup FileUploadService
- */
- Crowi.prototype.setUpFileUpload = function() {
- if (this.fileUploadService == null) {
- this.fileUploadService = require('../service/file-uploader')(this);
- }
- };
- /**
- * setup RestQiitaAPIService
- */
- Crowi.prototype.setUpRestQiitaAPI = function() {
- const RestQiitaAPIService = require('../service/rest-qiita-API');
- if (this.restQiitaAPIService == null) {
- this.restQiitaAPIService = new RestQiitaAPIService(this);
- }
- };
- module.exports = Crowi;
|