fix lint error on travis [let it be known, I disagree with this rule]
[oweals/peertube.git] / server.ts
1 // FIXME: https://github.com/nodejs/node/pull/16853
2 require('tls').DEFAULT_ECDH_CURVE = 'auto'
3
4 import { isTestInstance } from './server/helpers/core-utils'
5
6 if (isTestInstance()) {
7   require('source-map-support').install()
8 }
9
10 // ----------- Node modules -----------
11 import * as bodyParser from 'body-parser'
12 import * as express from 'express'
13 import * as morgan from 'morgan'
14 import * as cors from 'cors'
15 import * as cookieParser from 'cookie-parser'
16
17 process.title = 'peertube'
18
19 // Create our main app
20 const app = express()
21
22 // ----------- Core checker -----------
23 import { checkMissedConfig, checkFFmpeg, checkConfig, checkActivityPubUrls } from './server/initializers/checker'
24
25 // Do not use barrels because we don't want to load all modules here (we need to initialize database first)
26 import { logger } from './server/helpers/logger'
27 import { API_VERSION, CONFIG, STATIC_PATHS } from './server/initializers/constants'
28
29 const missed = checkMissedConfig()
30 if (missed.length !== 0) {
31   logger.error('Your configuration files miss keys: ' + missed)
32   process.exit(-1)
33 }
34
35 checkFFmpeg(CONFIG)
36   .catch(err => {
37     logger.error('Error in ffmpeg check.', { err })
38     process.exit(-1)
39   })
40
41 const errorMessage = checkConfig()
42 if (errorMessage !== null) {
43   throw new Error(errorMessage)
44 }
45
46 // Trust our proxy (IP forwarding...)
47 app.set('trust proxy', CONFIG.TRUST_PROXY)
48
49 // ----------- Database -----------
50
51 // Initialize database and models
52 import { initDatabaseModels } from './server/initializers/database'
53 import { migrate } from './server/initializers/migrator'
54 migrate()
55   .then(() => initDatabaseModels(false))
56   .then(() => startApplication())
57   .catch(err => {
58     logger.error('Cannot start application.', { err })
59     process.exit(-1)
60   })
61
62 // ----------- PeerTube modules -----------
63 import { installApplication } from './server/initializers'
64 import { Emailer } from './server/lib/emailer'
65 import { JobQueue } from './server/lib/job-queue'
66 import { VideosPreviewCache } from './server/lib/cache'
67 import {
68   activityPubRouter,
69   apiRouter,
70   clientsRouter,
71   feedsRouter,
72   staticRouter,
73   servicesRouter,
74   webfingerRouter,
75   trackerRouter,
76   createWebsocketServer
77 } from './server/controllers'
78 import { Redis } from './server/lib/redis'
79 import { BadActorFollowScheduler } from './server/lib/schedulers/bad-actor-follow-scheduler'
80 import { RemoveOldJobsScheduler } from './server/lib/schedulers/remove-old-jobs-scheduler'
81 import { UpdateVideosScheduler } from './server/lib/schedulers/update-videos-scheduler'
82
83 // ----------- Command line -----------
84
85 // ----------- App -----------
86
87 // Enable CORS
88 app.use((req, res, next) => {
89   // These routes have already cors
90   if (
91     req.path.indexOf(STATIC_PATHS.TORRENTS) === -1 &&
92     req.path.indexOf(STATIC_PATHS.WEBSEED) === -1
93   ) {
94     return (cors({
95       origin: '*',
96       exposedHeaders: 'Retry-After',
97       credentials: true
98     }))(req, res, next)
99   }
100
101   return next()
102 })
103
104 // For the logger
105 app.use(morgan('combined', {
106   stream: { write: logger.info.bind(logger) }
107 }))
108 // For body requests
109 app.use(bodyParser.urlencoded({ extended: false }))
110 app.use(bodyParser.json({
111   type: [ 'application/json', 'application/*+json' ],
112   limit: '500kb'
113 }))
114 // Cookies
115 app.use(cookieParser())
116
117 // ----------- Views, routes and static files -----------
118
119 // API
120 const apiRoute = '/api/' + API_VERSION
121 app.use(apiRoute, apiRouter)
122
123 // Services (oembed...)
124 app.use('/services', servicesRouter)
125
126 app.use('/', activityPubRouter)
127 app.use('/', feedsRouter)
128 app.use('/', webfingerRouter)
129 app.use('/', trackerRouter)
130
131 // Static files
132 app.use('/', staticRouter)
133
134 // Client files, last valid routes!
135 app.use('/', clientsRouter)
136
137 // ----------- Errors -----------
138
139 // Catch 404 and forward to error handler
140 app.use(function (req, res, next) {
141   const err = new Error('Not Found')
142   err['status'] = 404
143   next(err)
144 })
145
146 app.use(function (err, req, res, next) {
147   let error = 'Unknown error.'
148   if (err) {
149     error = err.stack || err.message || err
150   }
151
152   logger.error('Error in controller.', { error })
153   return res.status(err.status || 500).end()
154 })
155
156 const server = createWebsocketServer(app)
157
158 // ----------- Run -----------
159
160 async function startApplication () {
161   const port = CONFIG.LISTEN.PORT
162   const hostname = CONFIG.LISTEN.HOSTNAME
163
164   await installApplication()
165
166   // Check activity pub urls are valid
167   checkActivityPubUrls()
168     .catch(err => {
169       logger.error('Error in ActivityPub URLs checker.', { err })
170       process.exit(-1)
171     })
172
173   // Email initialization
174   Emailer.Instance.init()
175   await Emailer.Instance.checkConnectionOrDie()
176
177   await JobQueue.Instance.init()
178
179   // Caches initializations
180   VideosPreviewCache.Instance.init(CONFIG.CACHE.PREVIEWS.SIZE)
181
182   // Enable Schedulers
183   BadActorFollowScheduler.Instance.enable()
184   RemoveOldJobsScheduler.Instance.enable()
185   UpdateVideosScheduler.Instance.enable()
186
187   // Redis initialization
188   Redis.Instance.init()
189
190   // Make server listening
191   server.listen(port, hostname, () => {
192     logger.info('Server listening on %s:%d', hostname, port)
193     logger.info('Web server: %s', CONFIG.WEBSERVER.URL)
194   })
195 }