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