utils.js 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634
  1. import Vue from 'vue'
  2. import { isSamePath as _isSamePath, joinURL, normalizeURL, withQuery, withoutTrailingSlash } from 'ufo'
  3. // window.{{globals.loadedCallback}} hook
  4. // Useful for jsdom testing or plugins (https://github.com/tmpvar/jsdom#dealing-with-asynchronous-script-loading)
  5. if (process.client) {
  6. window.onNuxtReadyCbs = []
  7. window.onNuxtReady = (cb) => {
  8. window.onNuxtReadyCbs.push(cb)
  9. }
  10. }
  11. export function createGetCounter (counterObject, defaultKey = '') {
  12. return function getCounter (id = defaultKey) {
  13. if (counterObject[id] === undefined) {
  14. counterObject[id] = 0
  15. }
  16. return counterObject[id]++
  17. }
  18. }
  19. export function empty () {}
  20. export function globalHandleError (error) {
  21. if (Vue.config.errorHandler) {
  22. Vue.config.errorHandler(error)
  23. }
  24. }
  25. export function interopDefault (promise) {
  26. return promise.then(m => m.default || m)
  27. }
  28. export function hasFetch(vm) {
  29. return vm.$options && typeof vm.$options.fetch === 'function' && !vm.$options.fetch.length
  30. }
  31. export function purifyData(data) {
  32. if (process.env.NODE_ENV === 'production') {
  33. return data
  34. }
  35. return Object.entries(data).filter(
  36. ([key, value]) => {
  37. const valid = !(value instanceof Function) && !(value instanceof Promise)
  38. if (!valid) {
  39. console.warn(`${key} is not able to be stringified. This will break in a production environment.`)
  40. }
  41. return valid
  42. }
  43. ).reduce((obj, [key, value]) => {
  44. obj[key] = value
  45. return obj
  46. }, {})
  47. }
  48. export function getChildrenComponentInstancesUsingFetch(vm, instances = []) {
  49. const children = vm.$children || []
  50. for (const child of children) {
  51. if (child.$fetch) {
  52. instances.push(child)
  53. }
  54. if (child.$children) {
  55. getChildrenComponentInstancesUsingFetch(child, instances)
  56. }
  57. }
  58. return instances
  59. }
  60. export function applyAsyncData (Component, asyncData) {
  61. if (
  62. // For SSR, we once all this function without second param to just apply asyncData
  63. // Prevent doing this for each SSR request
  64. !asyncData && Component.options.__hasNuxtData
  65. ) {
  66. return
  67. }
  68. const ComponentData = Component.options._originDataFn || Component.options.data || function () { return {} }
  69. Component.options._originDataFn = ComponentData
  70. Component.options.data = function () {
  71. const data = ComponentData.call(this, this)
  72. if (this.$ssrContext) {
  73. asyncData = this.$ssrContext.asyncData[Component.cid]
  74. }
  75. return { ...data, ...asyncData }
  76. }
  77. Component.options.__hasNuxtData = true
  78. if (Component._Ctor && Component._Ctor.options) {
  79. Component._Ctor.options.data = Component.options.data
  80. }
  81. }
  82. export function sanitizeComponent (Component) {
  83. // If Component already sanitized
  84. if (Component.options && Component._Ctor === Component) {
  85. return Component
  86. }
  87. if (!Component.options) {
  88. Component = Vue.extend(Component) // fix issue #6
  89. Component._Ctor = Component
  90. } else {
  91. Component._Ctor = Component
  92. Component.extendOptions = Component.options
  93. }
  94. // If no component name defined, set file path as name, (also fixes #5703)
  95. if (!Component.options.name && Component.options.__file) {
  96. Component.options.name = Component.options.__file
  97. }
  98. return Component
  99. }
  100. export function getMatchedComponents (route, matches = false, prop = 'components') {
  101. return Array.prototype.concat.apply([], route.matched.map((m, index) => {
  102. return Object.keys(m[prop]).map((key) => {
  103. matches && matches.push(index)
  104. return m[prop][key]
  105. })
  106. }))
  107. }
  108. export function getMatchedComponentsInstances (route, matches = false) {
  109. return getMatchedComponents(route, matches, 'instances')
  110. }
  111. export function flatMapComponents (route, fn) {
  112. return Array.prototype.concat.apply([], route.matched.map((m, index) => {
  113. return Object.keys(m.components).reduce((promises, key) => {
  114. if (m.components[key]) {
  115. promises.push(fn(m.components[key], m.instances[key], m, key, index))
  116. } else {
  117. delete m.components[key]
  118. }
  119. return promises
  120. }, [])
  121. }))
  122. }
  123. export function resolveRouteComponents (route, fn) {
  124. return Promise.all(
  125. flatMapComponents(route, async (Component, instance, match, key) => {
  126. // If component is a function, resolve it
  127. if (typeof Component === 'function' && !Component.options) {
  128. try {
  129. Component = await Component()
  130. } catch (error) {
  131. // Handle webpack chunk loading errors
  132. // This may be due to a new deployment or a network problem
  133. if (
  134. error &&
  135. error.name === 'ChunkLoadError' &&
  136. typeof window !== 'undefined' &&
  137. window.sessionStorage
  138. ) {
  139. const timeNow = Date.now()
  140. try {
  141. const previousReloadTime = parseInt(window.sessionStorage.getItem('nuxt-reload'))
  142. // check for previous reload time not to reload infinitely
  143. if (!previousReloadTime || previousReloadTime + 60000 < timeNow) {
  144. window.sessionStorage.setItem('nuxt-reload', timeNow)
  145. window.location.reload(true /* skip cache */)
  146. }
  147. } catch {
  148. // don't throw an error if we have issues reading sessionStorage
  149. }
  150. }
  151. throw error
  152. }
  153. }
  154. match.components[key] = Component = sanitizeComponent(Component)
  155. return typeof fn === 'function' ? fn(Component, instance, match, key) : Component
  156. })
  157. )
  158. }
  159. export async function getRouteData (route) {
  160. if (!route) {
  161. return
  162. }
  163. // Make sure the components are resolved (code-splitting)
  164. await resolveRouteComponents(route)
  165. // Send back a copy of route with meta based on Component definition
  166. return {
  167. ...route,
  168. meta: getMatchedComponents(route).map((Component, index) => {
  169. return { ...Component.options.meta, ...(route.matched[index] || {}).meta }
  170. })
  171. }
  172. }
  173. export async function setContext (app, context) {
  174. // If context not defined, create it
  175. if (!app.context) {
  176. app.context = {
  177. isStatic: process.static,
  178. isDev: false,
  179. isHMR: false,
  180. app,
  181. store: app.store,
  182. payload: context.payload,
  183. error: context.error,
  184. base: app.router.options.base,
  185. env: {}
  186. }
  187. // Only set once
  188. if (context.req) {
  189. app.context.req = context.req
  190. }
  191. if (context.res) {
  192. app.context.res = context.res
  193. }
  194. if (context.ssrContext) {
  195. app.context.ssrContext = context.ssrContext
  196. }
  197. app.context.redirect = (status, path, query) => {
  198. if (!status) {
  199. return
  200. }
  201. app.context._redirected = true
  202. // if only 1 or 2 arguments: redirect('/') or redirect('/', { foo: 'bar' })
  203. let pathType = typeof path
  204. if (typeof status !== 'number' && (pathType === 'undefined' || pathType === 'object')) {
  205. query = path || {}
  206. path = status
  207. pathType = typeof path
  208. status = 302
  209. }
  210. if (pathType === 'object') {
  211. path = app.router.resolve(path).route.fullPath
  212. }
  213. // "/absolute/route", "./relative/route" or "../relative/route"
  214. if (/(^[.]{1,2}\/)|(^\/(?!\/))/.test(path)) {
  215. app.context.next({
  216. path,
  217. query,
  218. status
  219. })
  220. } else {
  221. path = withQuery(path, query)
  222. if (process.server) {
  223. app.context.next({
  224. path,
  225. status
  226. })
  227. }
  228. if (process.client) {
  229. // https://developer.mozilla.org/en-US/docs/Web/API/Location/assign
  230. window.location.assign(path)
  231. // Throw a redirect error
  232. throw new Error('ERR_REDIRECT')
  233. }
  234. }
  235. }
  236. if (process.server) {
  237. app.context.beforeNuxtRender = fn => context.beforeRenderFns.push(fn)
  238. app.context.beforeSerialize = fn => context.beforeSerializeFns.push(fn)
  239. }
  240. if (process.client) {
  241. app.context.nuxtState = window.__NUXT__
  242. }
  243. }
  244. // Dynamic keys
  245. const [currentRouteData, fromRouteData] = await Promise.all([
  246. getRouteData(context.route),
  247. getRouteData(context.from)
  248. ])
  249. if (context.route) {
  250. app.context.route = currentRouteData
  251. }
  252. if (context.from) {
  253. app.context.from = fromRouteData
  254. }
  255. if (context.error) {
  256. app.context.error = context.error
  257. }
  258. app.context.next = context.next
  259. app.context._redirected = false
  260. app.context._errored = false
  261. app.context.isHMR = false
  262. app.context.params = app.context.route.params || {}
  263. app.context.query = app.context.route.query || {}
  264. }
  265. export function middlewareSeries (promises, appContext, renderState) {
  266. if (!promises.length || appContext._redirected || appContext._errored || (renderState && renderState.aborted)) {
  267. return Promise.resolve()
  268. }
  269. return promisify(promises[0], appContext)
  270. .then(() => {
  271. return middlewareSeries(promises.slice(1), appContext, renderState)
  272. })
  273. }
  274. export function promisify (fn, context) {
  275. let promise
  276. if (fn.length === 2) {
  277. // fn(context, callback)
  278. promise = new Promise((resolve) => {
  279. fn(context, function (err, data) {
  280. if (err) {
  281. context.error(err)
  282. }
  283. data = data || {}
  284. resolve(data)
  285. })
  286. })
  287. } else {
  288. promise = fn(context)
  289. }
  290. if (promise && promise instanceof Promise && typeof promise.then === 'function') {
  291. return promise
  292. }
  293. return Promise.resolve(promise)
  294. }
  295. // Imported from vue-router
  296. export function getLocation (base, mode) {
  297. if (mode === 'hash') {
  298. return window.location.hash.replace(/^#\//, '')
  299. }
  300. base = decodeURI(base).slice(0, -1) // consideration is base is normalized with trailing slash
  301. let path = decodeURI(window.location.pathname)
  302. if (base && path.startsWith(base)) {
  303. path = path.slice(base.length)
  304. }
  305. const fullPath = (path || '/') + window.location.search + window.location.hash
  306. return normalizeURL(fullPath)
  307. }
  308. // Imported from path-to-regexp
  309. /**
  310. * Compile a string to a template function for the path.
  311. *
  312. * @param {string} str
  313. * @param {Object=} options
  314. * @return {!function(Object=, Object=)}
  315. */
  316. export function compile (str, options) {
  317. return tokensToFunction(parse(str, options), options)
  318. }
  319. export function getQueryDiff (toQuery, fromQuery) {
  320. const diff = {}
  321. const queries = { ...toQuery, ...fromQuery }
  322. for (const k in queries) {
  323. if (String(toQuery[k]) !== String(fromQuery[k])) {
  324. diff[k] = true
  325. }
  326. }
  327. return diff
  328. }
  329. export function normalizeError (err) {
  330. let message
  331. if (!(err.message || typeof err === 'string')) {
  332. try {
  333. message = JSON.stringify(err, null, 2)
  334. } catch (e) {
  335. message = `[${err.constructor.name}]`
  336. }
  337. } else {
  338. message = err.message || err
  339. }
  340. return {
  341. ...err,
  342. message,
  343. statusCode: (err.statusCode || err.status || (err.response && err.response.status) || 500)
  344. }
  345. }
  346. /**
  347. * The main path matching regexp utility.
  348. *
  349. * @type {RegExp}
  350. */
  351. const PATH_REGEXP = new RegExp([
  352. // Match escaped characters that would otherwise appear in future matches.
  353. // This allows the user to escape special characters that won't transform.
  354. '(\\\\.)',
  355. // Match Express-style parameters and un-named parameters with a prefix
  356. // and optional suffixes. Matches appear as:
  357. //
  358. // "/:test(\\d+)?" => ["/", "test", "\d+", undefined, "?", undefined]
  359. // "/route(\\d+)" => [undefined, undefined, undefined, "\d+", undefined, undefined]
  360. // "/*" => ["/", undefined, undefined, undefined, undefined, "*"]
  361. '([\\/.])?(?:(?:\\:(\\w+)(?:\\(((?:\\\\.|[^\\\\()])+)\\))?|\\(((?:\\\\.|[^\\\\()])+)\\))([+*?])?|(\\*))'
  362. ].join('|'), 'g')
  363. /**
  364. * Parse a string for the raw tokens.
  365. *
  366. * @param {string} str
  367. * @param {Object=} options
  368. * @return {!Array}
  369. */
  370. function parse (str, options) {
  371. const tokens = []
  372. let key = 0
  373. let index = 0
  374. let path = ''
  375. const defaultDelimiter = (options && options.delimiter) || '/'
  376. let res
  377. while ((res = PATH_REGEXP.exec(str)) != null) {
  378. const m = res[0]
  379. const escaped = res[1]
  380. const offset = res.index
  381. path += str.slice(index, offset)
  382. index = offset + m.length
  383. // Ignore already escaped sequences.
  384. if (escaped) {
  385. path += escaped[1]
  386. continue
  387. }
  388. const next = str[index]
  389. const prefix = res[2]
  390. const name = res[3]
  391. const capture = res[4]
  392. const group = res[5]
  393. const modifier = res[6]
  394. const asterisk = res[7]
  395. // Push the current path onto the tokens.
  396. if (path) {
  397. tokens.push(path)
  398. path = ''
  399. }
  400. const partial = prefix != null && next != null && next !== prefix
  401. const repeat = modifier === '+' || modifier === '*'
  402. const optional = modifier === '?' || modifier === '*'
  403. const delimiter = res[2] || defaultDelimiter
  404. const pattern = capture || group
  405. tokens.push({
  406. name: name || key++,
  407. prefix: prefix || '',
  408. delimiter,
  409. optional,
  410. repeat,
  411. partial,
  412. asterisk: Boolean(asterisk),
  413. pattern: pattern ? escapeGroup(pattern) : (asterisk ? '.*' : '[^' + escapeString(delimiter) + ']+?')
  414. })
  415. }
  416. // Match any characters still remaining.
  417. if (index < str.length) {
  418. path += str.substr(index)
  419. }
  420. // If the path exists, push it onto the end.
  421. if (path) {
  422. tokens.push(path)
  423. }
  424. return tokens
  425. }
  426. /**
  427. * Prettier encoding of URI path segments.
  428. *
  429. * @param {string}
  430. * @return {string}
  431. */
  432. function encodeURIComponentPretty (str, slashAllowed) {
  433. const re = slashAllowed ? /[?#]/g : /[/?#]/g
  434. return encodeURI(str).replace(re, (c) => {
  435. return '%' + c.charCodeAt(0).toString(16).toUpperCase()
  436. })
  437. }
  438. /**
  439. * Encode the asterisk parameter. Similar to `pretty`, but allows slashes.
  440. *
  441. * @param {string}
  442. * @return {string}
  443. */
  444. function encodeAsterisk (str) {
  445. return encodeURIComponentPretty(str, true)
  446. }
  447. /**
  448. * Escape a regular expression string.
  449. *
  450. * @param {string} str
  451. * @return {string}
  452. */
  453. function escapeString (str) {
  454. return str.replace(/([.+*?=^!:${}()[\]|/\\])/g, '\\$1')
  455. }
  456. /**
  457. * Escape the capturing group by escaping special characters and meaning.
  458. *
  459. * @param {string} group
  460. * @return {string}
  461. */
  462. function escapeGroup (group) {
  463. return group.replace(/([=!:$/()])/g, '\\$1')
  464. }
  465. /**
  466. * Expose a method for transforming tokens into the path function.
  467. */
  468. function tokensToFunction (tokens, options) {
  469. // Compile all the tokens into regexps.
  470. const matches = new Array(tokens.length)
  471. // Compile all the patterns before compilation.
  472. for (let i = 0; i < tokens.length; i++) {
  473. if (typeof tokens[i] === 'object') {
  474. matches[i] = new RegExp('^(?:' + tokens[i].pattern + ')$', flags(options))
  475. }
  476. }
  477. return function (obj, opts) {
  478. let path = ''
  479. const data = obj || {}
  480. const options = opts || {}
  481. const encode = options.pretty ? encodeURIComponentPretty : encodeURIComponent
  482. for (let i = 0; i < tokens.length; i++) {
  483. const token = tokens[i]
  484. if (typeof token === 'string') {
  485. path += token
  486. continue
  487. }
  488. const value = data[token.name || 'pathMatch']
  489. let segment
  490. if (value == null) {
  491. if (token.optional) {
  492. // Prepend partial segment prefixes.
  493. if (token.partial) {
  494. path += token.prefix
  495. }
  496. continue
  497. } else {
  498. throw new TypeError('Expected "' + token.name + '" to be defined')
  499. }
  500. }
  501. if (Array.isArray(value)) {
  502. if (!token.repeat) {
  503. throw new TypeError('Expected "' + token.name + '" to not repeat, but received `' + JSON.stringify(value) + '`')
  504. }
  505. if (value.length === 0) {
  506. if (token.optional) {
  507. continue
  508. } else {
  509. throw new TypeError('Expected "' + token.name + '" to not be empty')
  510. }
  511. }
  512. for (let j = 0; j < value.length; j++) {
  513. segment = encode(value[j])
  514. if (!matches[i].test(segment)) {
  515. throw new TypeError('Expected all "' + token.name + '" to match "' + token.pattern + '", but received `' + JSON.stringify(segment) + '`')
  516. }
  517. path += (j === 0 ? token.prefix : token.delimiter) + segment
  518. }
  519. continue
  520. }
  521. segment = token.asterisk ? encodeAsterisk(value) : encode(value)
  522. if (!matches[i].test(segment)) {
  523. throw new TypeError('Expected "' + token.name + '" to match "' + token.pattern + '", but received "' + segment + '"')
  524. }
  525. path += token.prefix + segment
  526. }
  527. return path
  528. }
  529. }
  530. /**
  531. * Get the flags for a regexp from the options.
  532. *
  533. * @param {Object} options
  534. * @return {string}
  535. */
  536. function flags (options) {
  537. return options && options.sensitive ? '' : 'i'
  538. }
  539. export function addLifecycleHook(vm, hook, fn) {
  540. if (!vm.$options[hook]) {
  541. vm.$options[hook] = []
  542. }
  543. if (!vm.$options[hook].includes(fn)) {
  544. vm.$options[hook].push(fn)
  545. }
  546. }
  547. export const urlJoin = joinURL
  548. export const stripTrailingSlash = withoutTrailingSlash
  549. export const isSamePath = _isSamePath
  550. export function setScrollRestoration (newVal) {
  551. try {
  552. window.history.scrollRestoration = newVal;
  553. } catch(e) {}
  554. }