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