]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - server.ts
Merge branch 'master' into develop
[github/Chocobozzz/PeerTube.git] / server.ts
1 import { registerTSPaths } from './server/helpers/register-ts-paths'
2 registerTSPaths()
3
4 import { isTestInstance } from './server/helpers/core-utils'
5 if (isTestInstance()) {
6 require('source-map-support').install()
7 }
8
9 // ----------- Node modules -----------
10 import * as bodyParser from 'body-parser'
11 import * as express from 'express'
12 import * as morgan from 'morgan'
13 import * as cors from 'cors'
14 import * as cookieParser from 'cookie-parser'
15 import * as helmet from 'helmet'
16 import * as useragent from 'useragent'
17 import * as anonymize from 'ip-anonymize'
18 import * as cli from 'commander'
19
20 process.title = 'peertube'
21
22 // Create our main app
23 const app = express()
24
25 // ----------- Core checker -----------
26 import { checkMissedConfig, checkFFmpeg, checkNodeVersion } from './server/initializers/checker-before-init'
27
28 // Do not use barrels because we don't want to load all modules here (we need to initialize database first)
29 import { CONFIG } from './server/initializers/config'
30 import { API_VERSION, FILES_CACHE, WEBSERVER, loadLanguages } from './server/initializers/constants'
31 import { logger } from './server/helpers/logger'
32
33 const missed = checkMissedConfig()
34 if (missed.length !== 0) {
35 logger.error('Your configuration files miss keys: ' + missed)
36 process.exit(-1)
37 }
38
39 checkFFmpeg(CONFIG)
40 .catch(err => {
41 logger.error('Error in ffmpeg check.', { err })
42 process.exit(-1)
43 })
44
45 checkNodeVersion()
46
47 import { checkConfig, checkActivityPubUrls } from './server/initializers/checker-after-init'
48
49 const errorMessage = checkConfig()
50 if (errorMessage !== null) {
51 throw new Error(errorMessage)
52 }
53
54 // Trust our proxy (IP forwarding...)
55 app.set('trust proxy', CONFIG.TRUST_PROXY)
56
57 // Security middleware
58 import { baseCSP } from './server/middlewares/csp'
59
60 if (CONFIG.CSP.ENABLED) {
61 app.use(baseCSP)
62 app.use(helmet({
63 frameguard: {
64 action: 'deny' // we only allow it for /videos/embed, see server/controllers/client.ts
65 },
66 hsts: false
67 }))
68 }
69
70 // ----------- Database -----------
71
72 // Initialize database and models
73 import { initDatabaseModels } from './server/initializers/database'
74 import { migrate } from './server/initializers/migrator'
75 migrate()
76 .then(() => initDatabaseModels(false))
77 .then(() => startApplication())
78 .catch(err => {
79 logger.error('Cannot start application.', { err })
80 process.exit(-1)
81 })
82
83 // ----------- Initialize -----------
84 loadLanguages()
85
86 // ----------- PeerTube modules -----------
87 import { installApplication } from './server/initializers'
88 import { Emailer } from './server/lib/emailer'
89 import { JobQueue } from './server/lib/job-queue'
90 import { VideosPreviewCache, VideosCaptionCache } from './server/lib/files-cache'
91 import {
92 activityPubRouter,
93 apiRouter,
94 clientsRouter,
95 feedsRouter,
96 staticRouter,
97 lazyStaticRouter,
98 servicesRouter,
99 pluginsRouter,
100 webfingerRouter,
101 trackerRouter,
102 createWebsocketTrackerServer, botsRouter
103 } from './server/controllers'
104 import { advertiseDoNotTrack } from './server/middlewares/dnt'
105 import { Redis } from './server/lib/redis'
106 import { ActorFollowScheduler } from './server/lib/schedulers/actor-follow-scheduler'
107 import { RemoveOldViewsScheduler } from './server/lib/schedulers/remove-old-views-scheduler'
108 import { RemoveOldJobsScheduler } from './server/lib/schedulers/remove-old-jobs-scheduler'
109 import { UpdateVideosScheduler } from './server/lib/schedulers/update-videos-scheduler'
110 import { YoutubeDlUpdateScheduler } from './server/lib/schedulers/youtube-dl-update-scheduler'
111 import { VideosRedundancyScheduler } from './server/lib/schedulers/videos-redundancy-scheduler'
112 import { RemoveOldHistoryScheduler } from './server/lib/schedulers/remove-old-history-scheduler'
113 import { AutoFollowIndexInstances } from './server/lib/schedulers/auto-follow-index-instances'
114 import { isHTTPSignatureDigestValid } from './server/helpers/peertube-crypto'
115 import { PeerTubeSocket } from './server/lib/peertube-socket'
116 import { updateStreamingPlaylistsInfohashesIfNeeded } from './server/lib/hls'
117 import { PluginsCheckScheduler } from './server/lib/schedulers/plugins-check-scheduler'
118 import { Hooks } from './server/lib/plugins/hooks'
119 import { PluginManager } from './server/lib/plugins/plugin-manager'
120
121 // ----------- Command line -----------
122
123 cli
124 .option('--no-client', 'Start PeerTube without client interface')
125 .option('--no-plugins', 'Start PeerTube without plugins/themes enabled')
126 .parse(process.argv)
127
128 // ----------- App -----------
129
130 // Enable CORS for develop
131 if (isTestInstance()) {
132 app.use(cors({
133 origin: '*',
134 exposedHeaders: 'Retry-After',
135 credentials: true
136 }))
137 }
138
139 // For the logger
140 morgan.token('remote-addr', req => {
141 if (CONFIG.LOG.ANONYMIZE_IP === true || req.get('DNT') === '1') {
142 return anonymize(req.ip, 16, 16)
143 }
144
145 return req.ip
146 })
147 morgan.token('user-agent', req => {
148 if (req.get('DNT') === '1') {
149 return useragent.parse(req.get('user-agent')).family
150 }
151
152 return req.get('user-agent')
153 })
154 app.use(morgan('combined', {
155 stream: { write: logger.info.bind(logger) }
156 }))
157
158 // For body requests
159 app.use(bodyParser.urlencoded({ extended: false }))
160 app.use(bodyParser.json({
161 type: [ 'application/json', 'application/*+json' ],
162 limit: '500kb',
163 verify: (req: express.Request, _, buf: Buffer) => {
164 const valid = isHTTPSignatureDigestValid(buf, req)
165 if (valid !== true) throw new Error('Invalid digest')
166 }
167 }))
168
169 // Cookies
170 app.use(cookieParser())
171
172 // W3C DNT Tracking Status
173 app.use(advertiseDoNotTrack)
174
175 // ----------- Views, routes and static files -----------
176
177 // API
178 const apiRoute = '/api/' + API_VERSION
179 app.use(apiRoute, apiRouter)
180
181 // Services (oembed...)
182 app.use('/services', servicesRouter)
183
184 // Plugins & themes
185 app.use('/', pluginsRouter)
186
187 app.use('/', activityPubRouter)
188 app.use('/', feedsRouter)
189 app.use('/', webfingerRouter)
190 app.use('/', trackerRouter)
191 app.use('/', botsRouter)
192
193 // Static files
194 app.use('/', staticRouter)
195 app.use('/', lazyStaticRouter)
196
197 // Client files, last valid routes!
198 if (cli.client) app.use('/', clientsRouter)
199
200 // ----------- Errors -----------
201
202 // Catch 404 and forward to error handler
203 app.use(function (req, res, next) {
204 const err = new Error('Not Found')
205 err['status'] = 404
206 next(err)
207 })
208
209 app.use(function (err, req, res, next) {
210 let error = 'Unknown error.'
211 if (err) {
212 error = err.stack || err.message || err
213 }
214
215 // Sequelize error
216 const sql = err.parent ? err.parent.sql : undefined
217
218 logger.error('Error in controller.', { err: error, sql })
219 return res.status(err.status || 500).end()
220 })
221
222 const server = createWebsocketTrackerServer(app)
223
224 // ----------- Run -----------
225
226 async function startApplication () {
227 const port = CONFIG.LISTEN.PORT
228 const hostname = CONFIG.LISTEN.HOSTNAME
229
230 await installApplication()
231
232 // Check activity pub urls are valid
233 checkActivityPubUrls()
234 .catch(err => {
235 logger.error('Error in ActivityPub URLs checker.', { err })
236 process.exit(-1)
237 })
238
239 // Email initialization
240 Emailer.Instance.init()
241
242 await Promise.all([
243 Emailer.Instance.checkConnectionOrDie(),
244 JobQueue.Instance.init()
245 ])
246
247 // Caches initializations
248 VideosPreviewCache.Instance.init(CONFIG.CACHE.PREVIEWS.SIZE, FILES_CACHE.PREVIEWS.MAX_AGE)
249 VideosCaptionCache.Instance.init(CONFIG.CACHE.VIDEO_CAPTIONS.SIZE, FILES_CACHE.VIDEO_CAPTIONS.MAX_AGE)
250
251 // Enable Schedulers
252 ActorFollowScheduler.Instance.enable()
253 RemoveOldJobsScheduler.Instance.enable()
254 UpdateVideosScheduler.Instance.enable()
255 YoutubeDlUpdateScheduler.Instance.enable()
256 VideosRedundancyScheduler.Instance.enable()
257 RemoveOldHistoryScheduler.Instance.enable()
258 RemoveOldViewsScheduler.Instance.enable()
259 PluginsCheckScheduler.Instance.enable()
260 AutoFollowIndexInstances.Instance.enable()
261
262 // Redis initialization
263 Redis.Instance.init()
264
265 PeerTubeSocket.Instance.init(server)
266
267 updateStreamingPlaylistsInfohashesIfNeeded()
268 .catch(err => logger.error('Cannot update streaming playlist infohashes.', { err }))
269
270 if (cli.plugins) await PluginManager.Instance.registerPluginsAndThemes()
271
272 // Make server listening
273 server.listen(port, hostname, () => {
274 logger.info('Server listening on %s:%d', hostname, port)
275 logger.info('Web server: %s', WEBSERVER.URL)
276
277 Hooks.runAction('action:application.listening')
278 })
279
280 process.on('exit', () => {
281 JobQueue.Instance.terminate()
282 })
283
284 process.on('SIGINT', () => process.exit(0))
285 }