Skip to content

Commit eaddbc5

Browse files
mikesurowiecJamesMGreene
andauthoredMay 5, 2021
feat: add nextjs middleware handling (github#19139)
* feat: add nextjs middleware handling split * fix: eslint errors * fix: filter boolean from csp list * fix: feature flag nextjs server start * feat: add prettier rules for ts,tsx files * fix: remove unnecessary async from next middleware * fix: next middleware name * Update tsconfig.json Co-authored-by: James M. Greene <[email protected]> * Update next-env.d.ts Co-authored-by: James M. Greene <[email protected]> * fix: add typescript linting to lint command * add comment for unsafe-eval, update webpack to use eval in development * fix: feature flag typo Co-authored-by: James M. Greene <[email protected]>
1 parent 7dc54c5 commit eaddbc5

16 files changed

+1658
-38
lines changed
 

‎.gitignore

+1
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ coverage/
1010
/content/early-access
1111
/data/early-access
1212
dist
13+
.next
1314

1415
# blc: broken link checker
1516
blc_output.log

‎.prettierrc.json

+11-3
Original file line numberDiff line numberDiff line change
@@ -1,12 +1,20 @@
11
{
22
"overrides": [
33
{
4-
"files":[
5-
"**/*.{yml,yaml}"
6-
],
4+
"files": ["**/*.{yml,yaml}"],
75
"options": {
86
"singleQuote": true
97
}
8+
},
9+
{
10+
"files": ["**/*.{ts,tsx}"],
11+
"options": {
12+
"semi": false,
13+
"singleQuote": true,
14+
"printWidth": 100,
15+
"jsxBracketSameLine": false,
16+
"arrowParens": "always"
17+
}
1018
}
1119
]
1220
}

‎components/ExampleComponent.tsx

+3
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
export const ExampleComponent = () => {
2+
return <div>Welcome to Next.JS land!</div>
3+
}

‎feature-flags.json

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
{
22
"FEATURE_TEST_TRUE": true,
33
"FEATURE_TEST_FALSE": false,
4-
"FEATURE_NEW_SITETREE": false
4+
"FEATURE_NEW_SITETREE": false,
5+
"FEATURE_NEXTJS": false
56
}

‎middleware/csp.js

+5-2
Original file line numberDiff line numberDiff line change
@@ -35,8 +35,11 @@ module.exports = function csp (req, res, next) {
3535
],
3636
scriptSrc: [
3737
"'self'",
38-
'data:'
39-
],
38+
'data:',
39+
// For use during development only! This allows us to use a performant webpack devtool setting (eval)
40+
// https://webpack.js.org/configuration/devtool/#devtool
41+
process.env.NODE_ENV === 'development' && "'unsafe-eval'"
42+
].filter(Boolean),
4043
frameSrc: [ // exceptions for GraphQL Explorer
4144
'https://graphql-explorer.githubapp.com', // production env
4245
'https://graphql.github.com/',

‎middleware/index.js

+5
Original file line numberDiff line numberDiff line change
@@ -137,6 +137,11 @@ module.exports = function (app) {
137137
// *** Headers for pages only ***
138138
app.use(require('./set-fastly-cache-headers'))
139139

140+
// handle serving NextJS bundled code (/_next/*)
141+
if (process.env.FEATURE_NEXTJS) {
142+
app.use(instrument('./next'))
143+
}
144+
140145
// Check for a dropped connection before proceeding (again)
141146
app.use(haltOnDroppedConnection)
142147

‎middleware/next.js

+21
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,21 @@
1+
const next = require('next')
2+
3+
const { NODE_ENV, FEATURE_NEXTJS } = process.env
4+
const isDevelopment = NODE_ENV === 'development'
5+
6+
let nextHandleRequest
7+
if (FEATURE_NEXTJS) {
8+
const nextApp = next({ dev: isDevelopment })
9+
nextHandleRequest = nextApp.getRequestHandler()
10+
nextApp.prepare()
11+
}
12+
13+
module.exports = function renderPageWithNext (req, res, next) {
14+
if (req.path.startsWith('/_next/')) {
15+
return nextHandleRequest(req, res)
16+
}
17+
18+
next()
19+
}
20+
21+
module.exports.nextHandleRequest = nextHandleRequest

‎middleware/render-page.js

+24-10
Original file line numberDiff line numberDiff line change
@@ -7,8 +7,9 @@ const Page = require('../lib/page')
77
const statsd = require('../lib/statsd')
88
const RedisAccessor = require('../lib/redis-accessor')
99
const { isConnectionDropped } = require('./halt-on-dropped-connection')
10+
const { nextHandleRequest } = require('./next')
1011

11-
const { HEROKU_RELEASE_VERSION } = process.env
12+
const { HEROKU_RELEASE_VERSION, FEATURE_NEXTJS } = process.env
1213
const pageCacheDatabaseNumber = 1
1314
const pageCacheExpiration = 24 * 60 * 60 * 1000 // 24 hours
1415

@@ -25,6 +26,12 @@ const pageCache = new RedisAccessor({
2526
// a list of query params that *do* alter the rendered page, and therefore should be cached separately
2627
const cacheableQueries = ['learn']
2728

29+
const renderWithNext = FEATURE_NEXTJS
30+
? [
31+
'/en/rest'
32+
]
33+
: []
34+
2835
function addCsrf (req, text) {
2936
return text.replace('$CSRFTOKEN$', req.csrfToken())
3037
}
@@ -65,7 +72,10 @@ module.exports = async function renderPage (req, res, next) {
6572
// Is the request for JSON debugging info?
6673
const isRequestingJsonForDebugging = 'json' in req.query && process.env.NODE_ENV !== 'production'
6774

68-
if (isCacheable && !isRequestingJsonForDebugging) {
75+
// Should the current path be rendered by NextJS?
76+
const isNextJsRequest = renderWithNext.includes(req.path)
77+
78+
if (isCacheable && !isRequestingJsonForDebugging && !(FEATURE_NEXTJS && isNextJsRequest)) {
6979
// Stop processing if the connection was already dropped
7080
if (isConnectionDropped(req, res)) return
7181

@@ -136,15 +146,19 @@ module.exports = async function renderPage (req, res, next) {
136146
}
137147
}
138148

139-
// currentLayout is added to the context object in middleware/contextualizers/layouts
140-
const output = await liquid.parseAndRender(req.context.currentLayout, context)
149+
if (FEATURE_NEXTJS && isNextJsRequest) {
150+
nextHandleRequest(req, res)
151+
} else {
152+
// currentLayout is added to the context object in middleware/contextualizers/layouts
153+
const output = await liquid.parseAndRender(req.context.currentLayout, context)
141154

142-
// First, send the response so the user isn't waiting
143-
// NOTE: Do NOT `return` here as we still need to cache the response afterward!
144-
res.send(addCsrf(req, output))
155+
// First, send the response so the user isn't waiting
156+
// NOTE: Do NOT `return` here as we still need to cache the response afterward!
157+
res.send(addCsrf(req, output))
145158

146-
// Finally, save output to cache for the next time around
147-
if (isCacheable) {
148-
await pageCache.set(originalUrl, output, { expireIn: pageCacheExpiration })
159+
// Finally, save output to cache for the next time around
160+
if (isCacheable) {
161+
await pageCache.set(originalUrl, output, { expireIn: pageCacheExpiration })
162+
}
149163
}
150164
}

‎next-env.d.ts

+2
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
/// <reference types="next" />
2+
/// <reference types="next/types/global" />

‎next.config.js

+17
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,17 @@
1+
const { productIds } = require('./lib/all-products')
2+
3+
module.exports = {
4+
i18n: {
5+
locales: ['en', 'ja'],
6+
defaultLocale: 'en'
7+
},
8+
async rewrites () {
9+
const defaultVersionId = 'free-pro-team@latest'
10+
return productIds.map((productId) => {
11+
return {
12+
source: `/${productId}/:path*`,
13+
destination: `/${defaultVersionId}/${productId}/:path*`
14+
}
15+
})
16+
}
17+
}

0 commit comments

Comments
 (0)
Please sign in to comment.