client.js 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617
  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) {
  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)
  172. }
  173. async function render (to, from, next) {
  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. next: _next.bind(this)
  202. })
  203. this._dateLastError = app.nuxt.dateErr
  204. this._hadError = Boolean(app.nuxt.err)
  205. // Get route's matched components
  206. const matches = []
  207. const Components = getMatchedComponents(to, matches)
  208. // If no Components matched, generate 404
  209. if (!Components.length) {
  210. // Default layout
  211. await callMiddleware.call(this, Components, app.context)
  212. if (nextCalled) {
  213. return
  214. }
  215. // Load layout for error page
  216. const errorLayout = (NuxtError.options || NuxtError).layout
  217. const layout = await this.loadLayout(
  218. typeof errorLayout === 'function'
  219. ? errorLayout.call(NuxtError, app.context)
  220. : errorLayout
  221. )
  222. await callMiddleware.call(this, Components, app.context, layout)
  223. if (nextCalled) {
  224. return
  225. }
  226. // Show error page
  227. app.context.error({ statusCode: 404, message: 'This page could not be found' })
  228. return next()
  229. }
  230. // Update ._data and other properties if hot reloaded
  231. Components.forEach((Component) => {
  232. if (Component._Ctor && Component._Ctor.options) {
  233. Component.options.asyncData = Component._Ctor.options.asyncData
  234. Component.options.fetch = Component._Ctor.options.fetch
  235. }
  236. })
  237. // Apply transitions
  238. this.setTransitions(mapTransitions(Components, to, from))
  239. try {
  240. // Call middleware
  241. await callMiddleware.call(this, Components, app.context)
  242. if (nextCalled) {
  243. return
  244. }
  245. if (app.context._errored) {
  246. return next()
  247. }
  248. // Set layout
  249. let layout = Components[0].options.layout
  250. if (typeof layout === 'function') {
  251. layout = layout(app.context)
  252. }
  253. layout = await this.loadLayout(layout)
  254. // Call middleware for layout
  255. await callMiddleware.call(this, Components, app.context, layout)
  256. if (nextCalled) {
  257. return
  258. }
  259. if (app.context._errored) {
  260. return next()
  261. }
  262. // Call .validate()
  263. let isValid = true
  264. try {
  265. for (const Component of Components) {
  266. if (typeof Component.options.validate !== 'function') {
  267. continue
  268. }
  269. isValid = await Component.options.validate(app.context)
  270. if (!isValid) {
  271. break
  272. }
  273. }
  274. } catch (validationError) {
  275. // ...If .validate() threw an error
  276. this.error({
  277. statusCode: validationError.statusCode || '500',
  278. message: validationError.message
  279. })
  280. return next()
  281. }
  282. // ...If .validate() returned false
  283. if (!isValid) {
  284. this.error({ statusCode: 404, message: 'This page could not be found' })
  285. return next()
  286. }
  287. let instances
  288. // Call asyncData & fetch hooks on components matched by the route.
  289. await Promise.all(Components.map(async (Component, i) => {
  290. // Check if only children route changed
  291. Component._path = compile(to.matched[matches[i]].path)(to.params)
  292. Component._dataRefresh = false
  293. const childPathChanged = Component._path !== _lastPaths[i]
  294. // Refresh component (call asyncData & fetch) when:
  295. // Route path changed part includes current component
  296. // Or route param changed part includes current component and watchParam is not `false`
  297. // Or route query is changed and watchQuery returns `true`
  298. if (this._routeChanged && childPathChanged) {
  299. Component._dataRefresh = true
  300. } else if (this._paramChanged && childPathChanged) {
  301. const watchParam = Component.options.watchParam
  302. Component._dataRefresh = watchParam !== false
  303. } else if (this._queryChanged) {
  304. const watchQuery = Component.options.watchQuery
  305. if (watchQuery === true) {
  306. Component._dataRefresh = true
  307. } else if (Array.isArray(watchQuery)) {
  308. Component._dataRefresh = watchQuery.some(key => this._diffQuery[key])
  309. } else if (typeof watchQuery === 'function') {
  310. if (!instances) {
  311. instances = getMatchedComponentsInstances(to)
  312. }
  313. Component._dataRefresh = watchQuery.apply(instances[i], [to.query, from.query])
  314. }
  315. }
  316. if (!this._hadError && this._isMounted && !Component._dataRefresh) {
  317. return
  318. }
  319. const promises = []
  320. const hasAsyncData = (
  321. Component.options.asyncData &&
  322. typeof Component.options.asyncData === 'function'
  323. )
  324. const hasFetch = Boolean(Component.options.fetch) && Component.options.fetch.length
  325. // Call asyncData(context)
  326. if (hasAsyncData) {
  327. const promise = promisify(Component.options.asyncData, app.context)
  328. promise.then((asyncDataResult) => {
  329. applyAsyncData(Component, asyncDataResult)
  330. })
  331. promises.push(promise)
  332. }
  333. // Check disabled page loading
  334. this.$loading.manual = Component.options.loading === false
  335. // Call fetch(context)
  336. if (hasFetch) {
  337. let p = Component.options.fetch(app.context)
  338. if (!p || (!(p instanceof Promise) && (typeof p.then !== 'function'))) {
  339. p = Promise.resolve(p)
  340. }
  341. p.then((fetchResult) => {
  342. })
  343. promises.push(p)
  344. }
  345. return Promise.all(promises)
  346. }))
  347. // If not redirected
  348. if (!nextCalled) {
  349. next()
  350. }
  351. } catch (err) {
  352. const error = err || {}
  353. if (error.message === 'ERR_REDIRECT') {
  354. return this.$nuxt.$emit('routeChanged', to, from, error)
  355. }
  356. _lastPaths = []
  357. globalHandleError(error)
  358. // Load error layout
  359. let layout = (NuxtError.options || NuxtError).layout
  360. if (typeof layout === 'function') {
  361. layout = layout(app.context)
  362. }
  363. await this.loadLayout(layout)
  364. this.error(error)
  365. this.$nuxt.$emit('routeChanged', to, from, error)
  366. next()
  367. }
  368. }
  369. // Fix components format in matched, it's due to code-splitting of vue-router
  370. function normalizeComponents (to, ___) {
  371. flatMapComponents(to, (Component, _, match, key) => {
  372. if (typeof Component === 'object' && !Component.options) {
  373. // Updated via vue-router resolveAsyncComponents()
  374. Component = Vue.extend(Component)
  375. Component._Ctor = Component
  376. match.components[key] = Component
  377. }
  378. return Component
  379. })
  380. }
  381. function setLayoutForNextPage (to) {
  382. // Set layout
  383. let hasError = Boolean(this.$options.nuxt.err)
  384. if (this._hadError && this._dateLastError === this.$options.nuxt.dateErr) {
  385. hasError = false
  386. }
  387. let layout = hasError
  388. ? (NuxtError.options || NuxtError).layout
  389. : to.matched[0].components.default.options.layout
  390. if (typeof layout === 'function') {
  391. layout = layout(app.context)
  392. }
  393. this.setLayout(layout)
  394. }
  395. function checkForErrors (app) {
  396. // Hide error component if no error
  397. if (app._hadError && app._dateLastError === app.$options.nuxt.dateErr) {
  398. app.error()
  399. }
  400. }
  401. // When navigating on a different route but the same component is used, Vue.js
  402. // Will not update the instance data, so we have to update $data ourselves
  403. function fixPrepatch (to, ___) {
  404. if (this._routeChanged === false && this._paramChanged === false && this._queryChanged === false) {
  405. return
  406. }
  407. const instances = getMatchedComponentsInstances(to)
  408. const Components = getMatchedComponents(to)
  409. let triggerScroll = false
  410. Vue.nextTick(() => {
  411. instances.forEach((instance, i) => {
  412. if (!instance || instance._isDestroyed) {
  413. return
  414. }
  415. if (
  416. instance.constructor._dataRefresh &&
  417. Components[i] === instance.constructor &&
  418. instance.$vnode.data.keepAlive !== true &&
  419. typeof instance.constructor.options.data === 'function'
  420. ) {
  421. const newData = instance.constructor.options.data.call(instance)
  422. for (const key in newData) {
  423. Vue.set(instance.$data, key, newData[key])
  424. }
  425. triggerScroll = true
  426. }
  427. })
  428. if (triggerScroll) {
  429. // Ensure to trigger scroll event after calling scrollBehavior
  430. window.$nuxt.$nextTick(() => {
  431. window.$nuxt.$emit('triggerScroll')
  432. })
  433. }
  434. checkForErrors(this)
  435. })
  436. }
  437. function nuxtReady (_app) {
  438. window.onNuxtReadyCbs.forEach((cb) => {
  439. if (typeof cb === 'function') {
  440. cb(_app)
  441. }
  442. })
  443. // Special JSDOM
  444. if (typeof window._onNuxtLoaded === 'function') {
  445. window._onNuxtLoaded(_app)
  446. }
  447. // Add router hooks
  448. router.afterEach((to, from) => {
  449. // Wait for fixPrepatch + $data updates
  450. Vue.nextTick(() => _app.$nuxt.$emit('routeChanged', to, from))
  451. })
  452. }
  453. async function mountApp (__app) {
  454. // Set global variables
  455. app = __app.app
  456. router = __app.router
  457. store = __app.store
  458. // Create Vue instance
  459. const _app = new Vue(app)
  460. // Load layout
  461. const layout = NUXT.layout || 'default'
  462. await _app.loadLayout(layout)
  463. _app.setLayout(layout)
  464. // Mounts Vue app to DOM element
  465. const mount = () => {
  466. _app.$mount('#__nuxt')
  467. // Add afterEach router hooks
  468. router.afterEach(normalizeComponents)
  469. router.afterEach(setLayoutForNextPage.bind(_app))
  470. router.afterEach(fixPrepatch.bind(_app))
  471. // Listen for first Vue update
  472. Vue.nextTick(() => {
  473. // Call window.{{globals.readyCallback}} callbacks
  474. nuxtReady(_app)
  475. })
  476. }
  477. // Resolve route components
  478. const Components = await Promise.all(resolveComponents(app.context.route))
  479. // Enable transitions
  480. _app.setTransitions = _app.$options.nuxt.setTransitions.bind(_app)
  481. if (Components.length) {
  482. _app.setTransitions(mapTransitions(Components, router.currentRoute))
  483. _lastPaths = router.currentRoute.matched.map(route => compile(route.path)(router.currentRoute.params))
  484. }
  485. // Initialize error handler
  486. _app.$loading = {} // To avoid error while _app.$nuxt does not exist
  487. if (NUXT.error) {
  488. _app.error(NUXT.error)
  489. }
  490. // Add beforeEach router hooks
  491. router.beforeEach(loadAsyncComponents.bind(_app))
  492. router.beforeEach(render.bind(_app))
  493. // Fix in static: remove trailing slash to force hydration
  494. // Full static, if server-rendered: hydrate, to allow custom redirect to generated page
  495. // Fix in static: remove trailing slash to force hydration
  496. if (NUXT.serverRendered && isSamePath(NUXT.routePath, _app.context.route.path)) {
  497. return mount()
  498. }
  499. // First render on client-side
  500. const clientFirstMount = () => {
  501. normalizeComponents(router.currentRoute, router.currentRoute)
  502. setLayoutForNextPage.call(_app, router.currentRoute)
  503. checkForErrors(_app)
  504. // Don't call fixPrepatch.call(_app, router.currentRoute, router.currentRoute) since it's first render
  505. mount()
  506. }
  507. // fix: force next tick to avoid having same timestamp when an error happen on spa fallback
  508. await new Promise(resolve => setTimeout(resolve, 0))
  509. render.call(_app, router.currentRoute, router.currentRoute, (path) => {
  510. // If not redirected
  511. if (!path) {
  512. clientFirstMount()
  513. return
  514. }
  515. // Add a one-time afterEach hook to
  516. // mount the app wait for redirect and route gets resolved
  517. const unregisterHook = router.afterEach((to, from) => {
  518. unregisterHook()
  519. clientFirstMount()
  520. })
  521. // Push the path and let route to be resolved
  522. router.push(path, undefined, (err) => {
  523. if (err) {
  524. errorHandler(err)
  525. }
  526. })
  527. })
  528. }