mirror of
https://github.com/terribleplan/next.js.git
synced 2024-01-19 02:48:18 +00:00
68626c5147
* Handle production errors correctly * Improved source map support * Make react-hot-loader hold state again * Remove console.log * Load modules on demand * Catch errors in rewriteErrorTrace * Update comment * Update comment * Remove source-map-support * Load modules in next-dev * Make sure error logged has sourcemaps too * Add tests for production runtime errors * Add tests for development runtime errors. Fix issue with client side errors in development * Move functionality back to renderError now that error handling is consistent * Rename to applySourcemaps
215 lines
6.5 KiB
JavaScript
215 lines
6.5 KiB
JavaScript
import React from 'react'
|
|
import ReactDOM from 'react-dom'
|
|
import HeadManager from './head-manager'
|
|
import { createRouter } from '../lib/router'
|
|
import EventEmitter from '../lib/EventEmitter'
|
|
import { loadGetInitialProps, getURL } from '../lib/utils'
|
|
import PageLoader from '../lib/page-loader'
|
|
import * as asset from '../lib/asset'
|
|
import * as envConfig from '../lib/runtime-config'
|
|
|
|
// Polyfill Promise globally
|
|
// This is needed because Webpack2's dynamic loading(common chunks) code
|
|
// depends on Promise.
|
|
// So, we need to polyfill it.
|
|
// See: https://github.com/webpack/webpack/issues/4254
|
|
if (!window.Promise) {
|
|
window.Promise = Promise
|
|
}
|
|
|
|
const {
|
|
__NEXT_DATA__: {
|
|
props,
|
|
err,
|
|
page,
|
|
pathname,
|
|
query,
|
|
buildId,
|
|
chunks,
|
|
assetPrefix,
|
|
runtimeConfig
|
|
},
|
|
location
|
|
} = window
|
|
|
|
// With dynamic assetPrefix it's no longer possible to set assetPrefix at the build time
|
|
// So, this is how we do it in the client side at runtime
|
|
__webpack_public_path__ = `${assetPrefix}/_next/webpack/` //eslint-disable-line
|
|
// Initialize next/asset with the assetPrefix
|
|
asset.setAssetPrefix(assetPrefix)
|
|
// Initialize next/config with the environment configuration
|
|
envConfig.setConfig({
|
|
serverRuntimeConfig: {},
|
|
publicRuntimeConfig: runtimeConfig
|
|
})
|
|
|
|
const asPath = getURL()
|
|
|
|
const pageLoader = new PageLoader(buildId, assetPrefix)
|
|
window.__NEXT_LOADED_PAGES__.forEach(({ route, fn }) => {
|
|
pageLoader.registerPage(route, fn)
|
|
})
|
|
delete window.__NEXT_LOADED_PAGES__
|
|
|
|
window.__NEXT_LOADED_CHUNKS__.forEach(({ chunkName, fn }) => {
|
|
pageLoader.registerChunk(chunkName, fn)
|
|
})
|
|
delete window.__NEXT_LOADED_CHUNKS__
|
|
|
|
window.__NEXT_REGISTER_PAGE = pageLoader.registerPage.bind(pageLoader)
|
|
window.__NEXT_REGISTER_CHUNK = pageLoader.registerChunk.bind(pageLoader)
|
|
|
|
const headManager = new HeadManager()
|
|
const appContainer = document.getElementById('__next')
|
|
const errorContainer = document.getElementById('__next-error')
|
|
|
|
let lastAppProps
|
|
export let router
|
|
export let ErrorComponent
|
|
let HotAppContainer
|
|
let ErrorDebugComponent
|
|
let Component
|
|
let App
|
|
let stripAnsi = (s) => s
|
|
let applySourcemaps = (e) => e
|
|
|
|
export const emitter = new EventEmitter()
|
|
|
|
export default async ({
|
|
HotAppContainer: passedHotAppContainer,
|
|
ErrorDebugComponent: passedDebugComponent,
|
|
stripAnsi: passedStripAnsi,
|
|
applySourcemaps: passedApplySourcemaps
|
|
} = {}) => {
|
|
// Wait for all the dynamic chunks to get loaded
|
|
for (const chunkName of chunks) {
|
|
await pageLoader.waitForChunk(chunkName)
|
|
}
|
|
|
|
stripAnsi = passedStripAnsi || stripAnsi
|
|
applySourcemaps = passedApplySourcemaps || applySourcemaps
|
|
HotAppContainer = passedHotAppContainer
|
|
ErrorDebugComponent = passedDebugComponent
|
|
ErrorComponent = await pageLoader.loadPage('/_error')
|
|
App = await pageLoader.loadPage('/_app')
|
|
|
|
let initialErr = err
|
|
|
|
try {
|
|
Component = await pageLoader.loadPage(page)
|
|
|
|
if (typeof Component !== 'function') {
|
|
throw new Error(`The default export is not a React Component in page: "${pathname}"`)
|
|
}
|
|
} catch (error) {
|
|
// This catches errors like throwing in the top level of a module
|
|
initialErr = error
|
|
}
|
|
|
|
router = createRouter(pathname, query, asPath, {
|
|
initialProps: props,
|
|
pageLoader,
|
|
App,
|
|
Component,
|
|
ErrorComponent,
|
|
err: initialErr
|
|
})
|
|
|
|
router.subscribe(({ Component, props, hash, err }) => {
|
|
render({ Component, props, err, hash, emitter })
|
|
})
|
|
|
|
const hash = location.hash.substring(1)
|
|
render({ Component, props, hash, err: initialErr, emitter })
|
|
|
|
return emitter
|
|
}
|
|
|
|
export async function render (props) {
|
|
if (props.err) {
|
|
await renderError(props)
|
|
return
|
|
}
|
|
|
|
try {
|
|
await doRender(props)
|
|
} catch (err) {
|
|
if (err.abort) return
|
|
await renderError({...props, err})
|
|
}
|
|
}
|
|
|
|
// This method handles all runtime and debug errors.
|
|
// 404 and 500 errors are special kind of errors
|
|
// and they are still handle via the main render method.
|
|
export async function renderError (props) {
|
|
const {err} = props
|
|
|
|
// In development we apply sourcemaps to the error
|
|
if (process.env.NODE_ENV !== 'production') {
|
|
await applySourcemaps(err)
|
|
}
|
|
|
|
const str = stripAnsi(`${err.message}\n${err.stack}${err.info ? `\n\n${err.info.componentStack}` : ''}`)
|
|
console.error(str)
|
|
|
|
if (process.env.NODE_ENV !== 'production') {
|
|
// We need to unmount the current app component because it's
|
|
// in the inconsistant state.
|
|
// Otherwise, we need to face issues when the issue is fixed and
|
|
// it's get notified via HMR
|
|
ReactDOM.unmountComponentAtNode(appContainer)
|
|
renderReactElement(<ErrorDebugComponent error={err} />, errorContainer)
|
|
return
|
|
}
|
|
|
|
// In production we do a normal render with the `ErrorComponent` as component.
|
|
// `App` will handle the calling of `getInitialProps`, which will include the `err` on the context
|
|
await doRender({...props, err, Component: ErrorComponent})
|
|
}
|
|
|
|
async function doRender ({ Component, props, hash, err, emitter: emitterProp = emitter }) {
|
|
// Usual getInitialProps fetching is handled in next/router
|
|
// this is for when ErrorComponent gets replaced by Component by HMR
|
|
if (!props && Component &&
|
|
Component !== ErrorComponent &&
|
|
lastAppProps.Component === ErrorComponent) {
|
|
const { pathname, query, asPath } = router
|
|
props = await loadGetInitialProps(App, {Component, router, ctx: {err, pathname, query, asPath}})
|
|
}
|
|
|
|
Component = Component || lastAppProps.Component
|
|
props = props || lastAppProps.props
|
|
|
|
const appProps = { Component, hash, err, router, headManager, ...props }
|
|
// lastAppProps has to be set before ReactDom.render to account for ReactDom throwing an error.
|
|
lastAppProps = appProps
|
|
|
|
emitterProp.emit('before-reactdom-render', { Component, ErrorComponent, appProps })
|
|
|
|
// We need to clear any existing runtime error messages
|
|
ReactDOM.unmountComponentAtNode(errorContainer)
|
|
|
|
// In development we render react-hot-loader's wrapper component
|
|
if (HotAppContainer) {
|
|
renderReactElement(<HotAppContainer errorReporter={ErrorDebugComponent} warnings={false}>
|
|
<App {...appProps} />
|
|
</HotAppContainer>, appContainer)
|
|
} else {
|
|
renderReactElement(<App {...appProps} />, appContainer)
|
|
}
|
|
|
|
emitterProp.emit('after-reactdom-render', { Component, ErrorComponent, appProps })
|
|
}
|
|
|
|
let isInitialRender = true
|
|
function renderReactElement (reactEl, domEl) {
|
|
// The check for `.hydrate` is there to support React alternatives like preact
|
|
if (isInitialRender && typeof ReactDOM.hydrate === 'function') {
|
|
ReactDOM.hydrate(reactEl, domEl)
|
|
isInitialRender = false
|
|
} else {
|
|
ReactDOM.render(reactEl, domEl)
|
|
}
|
|
}
|