client.js 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681
  1. import Vue from 'vue'
  2. import fetch from 'unfetch'
  3. import middleware from './middleware.js'
  4. import {
  5. applyAsyncData,
  6. promisify,
  7. middlewareSeries,
  8. sanitizeComponent,
  9. resolveRouteComponents,
  10. getMatchedComponents,
  11. getMatchedComponentsInstances,
  12. flatMapComponents,
  13. setContext,
  14. getLocation,
  15. compile,
  16. getQueryDiff,
  17. globalHandleError,
  18. isSamePath,
  19. urlJoin
  20. } from './utils.js'
  21. import { createApp, NuxtError } from './index.js'
  22. import fetchMixin from './mixins/fetch.client'
  23. import NuxtLink from './components/nuxt-link.client.js' // should be included after ./index.js
  24. // Fetch mixin
  25. if (!Vue.__nuxt__fetch__mixin__) {
  26. Vue.mixin(fetchMixin)
  27. Vue.__nuxt__fetch__mixin__ = true
  28. }
  29. // Component: <NuxtLink>
  30. Vue.component(NuxtLink.name, NuxtLink)
  31. Vue.component('NLink', NuxtLink)
  32. if (!global.fetch) { global.fetch = fetch }
  33. // Global shared references
  34. let _lastPaths = []
  35. let app
  36. let router
  37. let store
  38. // Try to rehydrate SSR data from window
  39. const NUXT = window.__NUXT__ || {}
  40. const $config = NUXT.config || {}
  41. if ($config._app) {
  42. __webpack_public_path__ = urlJoin($config._app.cdnURL, $config._app.assetsPath)
  43. }
  44. Object.assign(Vue.config, {"silent":true,"performance":false})
  45. const errorHandler = Vue.config.errorHandler || console.error
  46. // Create and mount App
  47. createApp(null, NUXT.config).then(mountApp).catch(errorHandler)
  48. function componentOption (component, key, ...args) {
  49. if (!component || !component.options || !component.options[key]) {
  50. return {}
  51. }
  52. const option = component.options[key]
  53. if (typeof option === 'function') {
  54. return option(...args)
  55. }
  56. return option
  57. }
  58. function mapTransitions (toComponents, to, from) {
  59. const componentTransitions = (component) => {
  60. const transition = componentOption(component, 'transition', to, from) || {}
  61. return (typeof transition === 'string' ? { name: transition } : transition)
  62. }
  63. const fromComponents = from ? getMatchedComponents(from) : []
  64. const maxDepth = Math.max(toComponents.length, fromComponents.length)
  65. const mergedTransitions = []
  66. for (let i=0; i<maxDepth; i++) {
  67. // Clone original objects to prevent overrides
  68. const toTransitions = Object.assign({}, componentTransitions(toComponents[i]))
  69. const transitions = Object.assign({}, componentTransitions(fromComponents[i]))
  70. // Combine transitions & prefer `leave` properties of "from" route
  71. Object.keys(toTransitions)
  72. .filter(key => typeof toTransitions[key] !== 'undefined' && !key.toLowerCase().includes('leave'))
  73. .forEach((key) => { transitions[key] = toTransitions[key] })
  74. mergedTransitions.push(transitions)
  75. }
  76. return mergedTransitions
  77. }
  78. async function loadAsyncComponents (to, from, next) {
  79. // Check if route changed (this._routeChanged), only if the page is not an error (for validate())
  80. this._routeChanged = Boolean(app.nuxt.err) || from.name !== to.name
  81. this._paramChanged = !this._routeChanged && from.path !== to.path
  82. this._queryChanged = !this._paramChanged && from.fullPath !== to.fullPath
  83. this._diffQuery = (this._queryChanged ? getQueryDiff(to.query, from.query) : [])
  84. try {
  85. if (this._queryChanged) {
  86. const Components = await resolveRouteComponents(
  87. to,
  88. (Component, instance) => ({ Component, instance })
  89. )
  90. // Add a marker on each component that it needs to refresh or not
  91. const startLoader = Components.some(({ Component, instance }) => {
  92. const watchQuery = Component.options.watchQuery
  93. if (watchQuery === true) {
  94. return true
  95. }
  96. if (Array.isArray(watchQuery)) {
  97. return watchQuery.some(key => this._diffQuery[key])
  98. }
  99. if (typeof watchQuery === 'function') {
  100. return watchQuery.apply(instance, [to.query, from.query])
  101. }
  102. return false
  103. })
  104. }
  105. // Call next()
  106. next()
  107. } catch (error) {
  108. const err = error || {}
  109. const statusCode = err.statusCode || err.status || (err.response && err.response.status) || 500
  110. const message = err.message || ''
  111. // Handle chunk loading errors
  112. // This may be due to a new deployment or a network problem
  113. if (/^Loading( CSS)? chunk (\d)+ failed\./.test(message)) {
  114. window.location.reload(true /* skip cache */)
  115. return // prevent error page blinking for user
  116. }
  117. this.error({ statusCode, message })
  118. this.$nuxt.$emit('routeChanged', to, from, err)
  119. next()
  120. }
  121. }
  122. function applySSRData (Component, ssrData) {
  123. if (NUXT.serverRendered && ssrData) {
  124. applyAsyncData(Component, ssrData)
  125. }
  126. Component._Ctor = Component
  127. return Component
  128. }
  129. // Get matched components
  130. function resolveComponents (route) {
  131. return flatMapComponents(route, async (Component, _, match, key, index) => {
  132. // If component is not resolved yet, resolve it
  133. if (typeof Component === 'function' && !Component.options) {
  134. Component = await Component()
  135. }
  136. // Sanitize it and save it
  137. const _Component = applySSRData(sanitizeComponent(Component), NUXT.data ? NUXT.data[index] : null)
  138. match.components[key] = _Component
  139. return _Component
  140. })
  141. }
  142. function callMiddleware (Components, context, layout, renderState) {
  143. let midd = ["redirect"]
  144. let unknownMiddleware = false
  145. // If layout is undefined, only call global middleware
  146. if (typeof layout !== 'undefined') {
  147. midd = [] // Exclude global middleware if layout defined (already called before)
  148. layout = sanitizeComponent(layout)
  149. if (layout.options.middleware) {
  150. midd = midd.concat(layout.options.middleware)
  151. }
  152. Components.forEach((Component) => {
  153. if (Component.options.middleware) {
  154. midd = midd.concat(Component.options.middleware)
  155. }
  156. })
  157. }
  158. midd = midd.map((name) => {
  159. if (typeof name === 'function') {
  160. return name
  161. }
  162. if (typeof middleware[name] !== 'function') {
  163. unknownMiddleware = true
  164. this.error({ statusCode: 500, message: 'Unknown middleware ' + name })
  165. }
  166. return middleware[name]
  167. })
  168. if (unknownMiddleware) {
  169. return
  170. }
  171. return middlewareSeries(midd, context, renderState)
  172. }
  173. async function render (to, from, next, renderState) {
  174. if (this._routeChanged === false && this._paramChanged === false && this._queryChanged === false) {
  175. return next()
  176. }
  177. // Handle first render on SPA mode
  178. let spaFallback = false
  179. if (to === from) {
  180. _lastPaths = []
  181. spaFallback = true
  182. } else {
  183. const fromMatches = []
  184. _lastPaths = getMatchedComponents(from, fromMatches).map((Component, i) => {
  185. return compile(from.matched[fromMatches[i]].path)(from.params)
  186. })
  187. }
  188. // nextCalled is true when redirected
  189. let nextCalled = false
  190. const _next = (path) => {
  191. if (nextCalled) {
  192. return
  193. }
  194. nextCalled = true
  195. next(path)
  196. }
  197. // Update context
  198. await setContext(app, {
  199. route: to,
  200. from,
  201. error: (err) => {
  202. if (renderState.aborted) {
  203. return
  204. }
  205. app.nuxt.error.call(this, err)
  206. },
  207. next: _next.bind(this)
  208. })
  209. this._dateLastError = app.nuxt.dateErr
  210. this._hadError = Boolean(app.nuxt.err)
  211. // Get route's matched components
  212. const matches = []
  213. const Components = getMatchedComponents(to, matches)
  214. // If no Components matched, generate 404
  215. if (!Components.length) {
  216. // Default layout
  217. await callMiddleware.call(this, Components, app.context, undefined, renderState)
  218. if (nextCalled) {
  219. return
  220. }
  221. if (renderState.aborted) {
  222. next(false)
  223. return
  224. }
  225. // Load layout for error page
  226. const errorLayout = (NuxtError.options || NuxtError).layout
  227. const layout = await this.loadLayout(
  228. typeof errorLayout === 'function'
  229. ? errorLayout.call(NuxtError, app.context)
  230. : errorLayout
  231. )
  232. await callMiddleware.call(this, Components, app.context, layout, renderState)
  233. if (nextCalled) {
  234. return
  235. }
  236. if (renderState.aborted) {
  237. next(false)
  238. return
  239. }
  240. // Show error page
  241. app.context.error({ statusCode: 404, message: 'This page could not be found' })
  242. return next()
  243. }
  244. // Update ._data and other properties if hot reloaded
  245. Components.forEach((Component) => {
  246. if (Component._Ctor && Component._Ctor.options) {
  247. Component.options.asyncData = Component._Ctor.options.asyncData
  248. Component.options.fetch = Component._Ctor.options.fetch
  249. }
  250. })
  251. // Apply transitions
  252. this.setTransitions(mapTransitions(Components, to, from))
  253. try {
  254. // Call middleware
  255. await callMiddleware.call(this, Components, app.context, undefined, renderState)
  256. if (nextCalled) {
  257. return
  258. }
  259. if (renderState.aborted) {
  260. next(false)
  261. return
  262. }
  263. if (app.context._errored) {
  264. return next()
  265. }
  266. // Set layout
  267. let layout = Components[0].options.layout
  268. if (typeof layout === 'function') {
  269. layout = layout(app.context)
  270. }
  271. layout = await this.loadLayout(layout)
  272. // Call middleware for layout
  273. await callMiddleware.call(this, Components, app.context, layout, renderState)
  274. if (nextCalled) {
  275. return
  276. }
  277. if (renderState.aborted) {
  278. next(false)
  279. return
  280. }
  281. if (app.context._errored) {
  282. return next()
  283. }
  284. // Call .validate()
  285. let isValid = true
  286. try {
  287. for (const Component of Components) {
  288. if (typeof Component.options.validate !== 'function') {
  289. continue
  290. }
  291. isValid = await Component.options.validate(app.context)
  292. if (!isValid) {
  293. break
  294. }
  295. }
  296. } catch (validationError) {
  297. // ...If .validate() threw an error
  298. this.error({
  299. statusCode: validationError.statusCode || '500',
  300. message: validationError.message
  301. })
  302. return next()
  303. }
  304. // ...If .validate() returned false
  305. if (!isValid) {
  306. this.error({ statusCode: 404, message: 'This page could not be found' })
  307. return next()
  308. }
  309. let instances
  310. // Call asyncData & fetch hooks on components matched by the route.
  311. await Promise.all(Components.map(async (Component, i) => {
  312. // Check if only children route changed
  313. Component._path = compile(to.matched[matches[i]].path)(to.params)
  314. Component._dataRefresh = false
  315. const childPathChanged = Component._path !== _lastPaths[i]
  316. // Refresh component (call asyncData & fetch) when:
  317. // Route path changed part includes current component
  318. // Or route param changed part includes current component and watchParam is not `false`
  319. // Or route query is changed and watchQuery returns `true`
  320. if (this._routeChanged && childPathChanged) {
  321. Component._dataRefresh = true
  322. } else if (this._paramChanged && childPathChanged) {
  323. const watchParam = Component.options.watchParam
  324. Component._dataRefresh = watchParam !== false
  325. } else if (this._queryChanged) {
  326. const watchQuery = Component.options.watchQuery
  327. if (watchQuery === true) {
  328. Component._dataRefresh = true
  329. } else if (Array.isArray(watchQuery)) {
  330. Component._dataRefresh = watchQuery.some(key => this._diffQuery[key])
  331. } else if (typeof watchQuery === 'function') {
  332. if (!instances) {
  333. instances = getMatchedComponentsInstances(to)
  334. }
  335. Component._dataRefresh = watchQuery.apply(instances[i], [to.query, from.query])
  336. }
  337. }
  338. if (!this._hadError && this._isMounted && !Component._dataRefresh) {
  339. return
  340. }
  341. const promises = []
  342. const hasAsyncData = (
  343. Component.options.asyncData &&
  344. typeof Component.options.asyncData === 'function'
  345. )
  346. const hasFetch = Boolean(Component.options.fetch) && Component.options.fetch.length
  347. // Call asyncData(context)
  348. if (hasAsyncData) {
  349. const promise = promisify(Component.options.asyncData, app.context)
  350. promise.then((asyncDataResult) => {
  351. applyAsyncData(Component, asyncDataResult)
  352. })
  353. promises.push(promise)
  354. }
  355. // Check disabled page loading
  356. this.$loading.manual = Component.options.loading === false
  357. // Call fetch(context)
  358. if (hasFetch) {
  359. let p = Component.options.fetch(app.context)
  360. if (!p || (!(p instanceof Promise) && (typeof p.then !== 'function'))) {
  361. p = Promise.resolve(p)
  362. }
  363. p.then((fetchResult) => {
  364. })
  365. promises.push(p)
  366. }
  367. return Promise.all(promises)
  368. }))
  369. // If not redirected
  370. if (!nextCalled) {
  371. if (renderState.aborted) {
  372. next(false)
  373. return
  374. }
  375. next()
  376. }
  377. } catch (err) {
  378. if (renderState.aborted) {
  379. next(false)
  380. return
  381. }
  382. const error = err || {}
  383. if (error.message === 'ERR_REDIRECT') {
  384. return this.$nuxt.$emit('routeChanged', to, from, error)
  385. }
  386. _lastPaths = []
  387. globalHandleError(error)
  388. // Load error layout
  389. let layout = (NuxtError.options || NuxtError).layout
  390. if (typeof layout === 'function') {
  391. layout = layout(app.context)
  392. }
  393. await this.loadLayout(layout)
  394. this.error(error)
  395. this.$nuxt.$emit('routeChanged', to, from, error)
  396. next()
  397. }
  398. }
  399. // Fix components format in matched, it's due to code-splitting of vue-router
  400. function normalizeComponents (to, ___) {
  401. flatMapComponents(to, (Component, _, match, key) => {
  402. if (typeof Component === 'object' && !Component.options) {
  403. // Updated via vue-router resolveAsyncComponents()
  404. Component = Vue.extend(Component)
  405. Component._Ctor = Component
  406. match.components[key] = Component
  407. }
  408. return Component
  409. })
  410. }
  411. const routeMap = new WeakMap()
  412. function getLayoutForNextPage (to, from, next) {
  413. // Set layout
  414. let hasError = Boolean(this.$options.nuxt.err)
  415. if (this._hadError && this._dateLastError === this.$options.nuxt.dateErr) {
  416. hasError = false
  417. }
  418. let layout = hasError
  419. ? (NuxtError.options || NuxtError).layout
  420. : to.matched[0].components.default.options.layout
  421. if (typeof layout === 'function') {
  422. layout = layout(app.context)
  423. }
  424. routeMap.set(to, layout);
  425. if (next) next();
  426. }
  427. function setLayoutForNextPage(to) {
  428. const layout = routeMap.get(to)
  429. routeMap.delete(to)
  430. const prevPageIsError = this._hadError && this._dateLastError === this.$options.nuxt.dateErr
  431. if (prevPageIsError) {
  432. this.$options.nuxt.err = null
  433. }
  434. this.setLayout(layout)
  435. }
  436. function checkForErrors (app) {
  437. // Hide error component if no error
  438. if (app._hadError && app._dateLastError === app.$options.nuxt.dateErr) {
  439. app.error()
  440. }
  441. }
  442. // When navigating on a different route but the same component is used, Vue.js
  443. // Will not update the instance data, so we have to update $data ourselves
  444. function fixPrepatch (to, ___) {
  445. if (this._routeChanged === false && this._paramChanged === false && this._queryChanged === false) {
  446. return
  447. }
  448. const instances = getMatchedComponentsInstances(to)
  449. const Components = getMatchedComponents(to)
  450. let triggerScroll = false
  451. Vue.nextTick(() => {
  452. instances.forEach((instance, i) => {
  453. if (!instance || instance._isDestroyed) {
  454. return
  455. }
  456. if (
  457. instance.constructor._dataRefresh &&
  458. Components[i] === instance.constructor &&
  459. instance.$vnode.data.keepAlive !== true &&
  460. typeof instance.constructor.options.data === 'function'
  461. ) {
  462. const newData = instance.constructor.options.data.call(instance)
  463. for (const key in newData) {
  464. Vue.set(instance.$data, key, newData[key])
  465. }
  466. triggerScroll = true
  467. }
  468. })
  469. if (triggerScroll) {
  470. // Ensure to trigger scroll event after calling scrollBehavior
  471. window.$nuxt.$nextTick(() => {
  472. window.$nuxt.$emit('triggerScroll')
  473. })
  474. }
  475. checkForErrors(this)
  476. })
  477. }
  478. function nuxtReady (_app) {
  479. window.onNuxtReadyCbs.forEach((cb) => {
  480. if (typeof cb === 'function') {
  481. cb(_app)
  482. }
  483. })
  484. // Special JSDOM
  485. if (typeof window._onNuxtLoaded === 'function') {
  486. window._onNuxtLoaded(_app)
  487. }
  488. // Add router hooks
  489. router.afterEach((to, from) => {
  490. // Wait for fixPrepatch + $data updates
  491. Vue.nextTick(() => _app.$nuxt.$emit('routeChanged', to, from))
  492. })
  493. }
  494. async function mountApp (__app) {
  495. // Set global variables
  496. app = __app.app
  497. router = __app.router
  498. store = __app.store
  499. // Create Vue instance
  500. const _app = new Vue(app)
  501. // Load layout
  502. const layout = NUXT.layout || 'default'
  503. await _app.loadLayout(layout)
  504. _app.setLayout(layout)
  505. // Mounts Vue app to DOM element
  506. const mount = () => {
  507. _app.$mount('#__nuxt')
  508. // Add afterEach router hooks
  509. router.afterEach(normalizeComponents)
  510. router.beforeResolve(getLayoutForNextPage.bind(_app))
  511. router.afterEach(setLayoutForNextPage.bind(_app))
  512. router.afterEach(fixPrepatch.bind(_app))
  513. // Listen for first Vue update
  514. Vue.nextTick(() => {
  515. // Call window.{{globals.readyCallback}} callbacks
  516. nuxtReady(_app)
  517. })
  518. }
  519. // Resolve route components
  520. const Components = await Promise.all(resolveComponents(app.context.route))
  521. // Enable transitions
  522. _app.setTransitions = _app.$options.nuxt.setTransitions.bind(_app)
  523. if (Components.length) {
  524. _app.setTransitions(mapTransitions(Components, router.currentRoute))
  525. _lastPaths = router.currentRoute.matched.map(route => compile(route.path)(router.currentRoute.params))
  526. }
  527. // Initialize error handler
  528. _app.$loading = {} // To avoid error while _app.$nuxt does not exist
  529. if (NUXT.error) {
  530. _app.error(NUXT.error)
  531. _app.nuxt.errPageReady = true
  532. }
  533. // Add beforeEach router hooks
  534. router.beforeEach(loadAsyncComponents.bind(_app))
  535. // Each new invocation of render() aborts previous invocation
  536. let renderState = null
  537. const boundRender = render.bind(_app)
  538. router.beforeEach((to, from, next) => {
  539. if (renderState) {
  540. renderState.aborted = true
  541. }
  542. renderState = { aborted: false }
  543. boundRender(to, from, next, renderState)
  544. })
  545. // Fix in static: remove trailing slash to force hydration
  546. // Full static, if server-rendered: hydrate, to allow custom redirect to generated page
  547. // Fix in static: remove trailing slash to force hydration
  548. if (NUXT.serverRendered && isSamePath(NUXT.routePath, _app.context.route.path)) {
  549. return mount()
  550. }
  551. const clientFirstLayoutSet = () => {
  552. getLayoutForNextPage.call(_app, router.currentRoute)
  553. setLayoutForNextPage.call(_app, router.currentRoute)
  554. }
  555. // First render on client-side
  556. const clientFirstMount = () => {
  557. normalizeComponents(router.currentRoute, router.currentRoute)
  558. clientFirstLayoutSet()
  559. checkForErrors(_app)
  560. // Don't call fixPrepatch.call(_app, router.currentRoute, router.currentRoute) since it's first render
  561. mount()
  562. }
  563. // fix: force next tick to avoid having same timestamp when an error happen on spa fallback
  564. await new Promise(resolve => setTimeout(resolve, 0))
  565. render.call(_app, router.currentRoute, router.currentRoute, (path) => {
  566. // If not redirected
  567. if (!path) {
  568. clientFirstMount()
  569. return
  570. }
  571. // Add a one-time afterEach hook to
  572. // mount the app wait for redirect and route gets resolved
  573. const unregisterHook = router.afterEach((to, from) => {
  574. unregisterHook()
  575. clientFirstMount()
  576. })
  577. // Push the path and let route to be resolved
  578. router.push(path, undefined, (err) => {
  579. if (err) {
  580. errorHandler(err)
  581. }
  582. })
  583. },
  584. { aborted: false })
  585. }