forked from alphagov/pay-frontend
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathserver.js
209 lines (177 loc) · 7.52 KB
/
server.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
// Please leave here even though it looks unused - this enables Node.js metrics to be pushed to Hosted Graphite
if (process.env.DISABLE_APPMETRICS !== 'true') {
require('./app/utils/metrics.js').metrics()
}
// Node.js core dependencies
const path = require('path')
const crypto = require('crypto')
// NPM dependencies
const express = require('express')
const nunjucks = require('nunjucks')
const favicon = require('serve-favicon')
const bodyParser = require('body-parser')
const i18n = require('i18n')
const staticify = require('staticify')(path.join(__dirname, 'public'))
const compression = require('compression')
const certinfo = require('cert-info')
// Local dependencies
const logger = require('./app/utils/logger')(__filename)
const loggingMiddleware = require('./app/middleware/logging-middleware')
const router = require('./app/routes')
const cookies = require('./app/utils/cookies')
const noCache = require('./app/utils/no-cache')
const session = require('./app/utils/session')
const i18nConfig = require('./config/i18n')
const i18nPayTranslation = require('./config/pay-translation')
const Sentry = require('./app/utils/sentry.js').initialiseSentry()
const csp = require('./app/middleware/csp')
const correlationHeader = require('./app/middleware/correlation-header')
const errorHandlers = require('./app/middleware/error-handlers')
// Global constants
const { NODE_ENV, PORT, ANALYTICS_TRACKING_ID, GOOGLE_PAY_MERCHANT_ID, APPLE_PAY_MERCHANT_ID_CERTIFICATE } = process.env
const CSS_PATH = '/stylesheets/application.min.css'
const JAVASCRIPT_PATH = '/javascripts/application.min.js'
const argv = require('minimist')(process.argv.slice(2))
const unconfiguredApp = express()
const oneYear = 86400000 * 365
const publicCaching = { maxAge: oneYear }
// Define app views
const APP_VIEWS = [
path.join(__dirname, 'node_modules/govuk-frontend/'),
path.join(__dirname, '/app/views')
]
function initialiseGlobalMiddleware (app) {
logger.stream = {
write: function (message) {
logger.info(message)
}
}
app.set('settings', { getVersionedPath: staticify.getVersionedPath })
app.use(/\/((?!images|public|stylesheets|javascripts).)*/, loggingMiddleware())
app.use(favicon(path.join(__dirname, '/node_modules/govuk-frontend/govuk/assets/images', 'favicon.ico')))
app.use(staticify.middleware)
app.use(function (req, res, next) {
res.locals.asset_path = '/public/'
res.locals.googlePayMerchantID = GOOGLE_PAY_MERCHANT_ID
if (typeof ANALYTICS_TRACKING_ID === 'undefined') {
logger.warn('Google Analytics Tracking ID [ANALYTICS_TRACKING_ID] is not set')
res.locals.analyticsTrackingId = '' // to not break the app
} else {
res.locals.analyticsTrackingId = ANALYTICS_TRACKING_ID
}
res.locals.session = function () {
return session.retrieve(req, req.chargeId)
}
res.locals.nonce = crypto.randomBytes(16).toString('hex')
next()
})
app.use(bodyParser.json())
app.use(bodyParser.urlencoded({ extended: true }))
app.use(compression())
app.disable('x-powered-by')
app.use(correlationHeader)
}
function initialisei18n (app) {
i18n.configure(i18nConfig)
app.use(i18n.init)
app.use(i18nPayTranslation)
}
function initialiseProxy (app) {
app.enable('trust proxy')
}
function initialiseCookies (app) {
cookies.configureSessionCookie(app)
}
function initialiseTemplateEngine (app) {
// Configure nunjucks
// see https://mozilla.github.io/nunjucks/api.html#configure
const nunjucksConfiguration = {
express: app, // the express app that nunjucks should install to
autoescape: true, // controls if output with dangerous characters are escaped automatically
throwOnUndefined: false, // throw errors when outputting a null/undefined value
trimBlocks: true, // automatically remove trailing newlines from a block/tag
lstripBlocks: true, // automatically remove leading whitespace from a block/tag
watch: NODE_ENV !== 'production', // reload templates when they are changed (server-side). To use watch, make sure optional dependency chokidar is installed
noCache: NODE_ENV !== 'production' // never use a cache and recompile templates each time (server-side)
}
// Initialise nunjucks environment
const nunjucksEnvironment = nunjucks.configure(APP_VIEWS, nunjucksConfiguration)
// Set view engine
app.set('view engine', 'njk')
// Version static assets on production for better caching
// if it's not production we want to re-evaluate the assets on each file change
nunjucksEnvironment.addGlobal('css_path', NODE_ENV === 'production' ? staticify.getVersionedPath(CSS_PATH) : CSS_PATH)
nunjucksEnvironment.addGlobal('js_path', NODE_ENV === 'production' ? staticify.getVersionedPath(JAVASCRIPT_PATH) : JAVASCRIPT_PATH)
nunjucksEnvironment.addGlobal('isDevelopment', NODE_ENV !== 'production')
}
function initialisePublic (app) {
app.use('/.well-known/apple-developer-merchantid-domain-association.txt', express.static(path.join(__dirname, `/app/assets/apple-pay/${process.env.ENVIRONMENT}/apple-developer-merchantid-domain-association.txt`)))
app.use('/public/worldpay', csp.worldpayIframe, express.static(path.join(__dirname, '/public/worldpay/'), publicCaching))
app.use('/public', express.static(path.join(__dirname, '/public'), publicCaching))
app.use('/public', express.static(path.join(__dirname, '/app/data'), publicCaching))
app.use('/public', express.static(path.join(__dirname, '/govuk_modules/govuk-country-and-territory-autocomplete'), publicCaching))
app.use('/javascripts', express.static(path.join(__dirname, '/public/assets/javascripts'), publicCaching))
app.use('/images', express.static(path.join(__dirname, '/public/images'), publicCaching))
app.use('/stylesheets', express.static(path.join(__dirname, '/public/assets/stylesheets'), publicCaching))
if (process.env.NGINX_CACHING_ENABLED === 'true') {
app.use('/', express.static(path.join(__dirname, '/node_modules/govuk-frontend/govuk/'), publicCaching))
} else {
app.use('/', express.static(path.join(__dirname, '/node_modules/govuk-frontend/govuk/')))
}
app.use('/public', express.static(path.join(__dirname, '/node_modules/@govuk-pay/pay-js-commons/')))
}
function initialiseRoutes (app) {
router.bind(app)
}
function setNoCacheHeadersForRoutes (app) {
app.use((req, res, next) => {
noCache(res)
next()
})
}
function listen () {
const app = initialise()
app.listen(PORT || 3000)
logger.info('Listening on port ' + PORT || 3000)
}
function logApplePayCertificateTimeToExpiry () {
if (APPLE_PAY_MERCHANT_ID_CERTIFICATE !== undefined) {
const merchantIdCert = certinfo.info(APPLE_PAY_MERCHANT_ID_CERTIFICATE)
const certificateTimeToExpiry = Math.floor((merchantIdCert.expiresAt - Date.now()) / 1000 / 60 / 60 / 24)
logger.info(`The Apple Pay Merchant identity cert will expire in ${certificateTimeToExpiry} days`)
}
}
/**
* Configures app
* @return app
*/
function initialise () {
const app = unconfiguredApp
app.use(Sentry.Handlers.requestHandler())
initialiseProxy(app)
initialiseGlobalMiddleware(app)
initialisei18n(app)
initialiseCookies(app)
initialiseTemplateEngine(app)
initialisePublic(app)
setNoCacheHeadersForRoutes(app)
initialiseRoutes(app) // This contains the 404 override and so should be last
logApplePayCertificateTimeToExpiry()
app.use(Sentry.Handlers.errorHandler())
app.use(errorHandlers.defaultErrorHandler)
return app
}
/**
* Starts app
*/
function start () {
listen()
}
// Immediately invoke start if -i flag set. Allows script to be run by task runner
if (argv.i) {
start()
}
module.exports = {
start: start,
getApp: initialise
}