utils.js 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627
  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. const previousReloadTime = parseInt(window.sessionStorage.getItem('nuxt-reload'))
  141. // check for previous reload time not to reload infinitely
  142. if (!previousReloadTime || previousReloadTime + 60000 < timeNow) {
  143. window.sessionStorage.setItem('nuxt-reload', timeNow)
  144. window.location.reload(true /* skip cache */)
  145. }
  146. }
  147. throw error
  148. }
  149. }
  150. match.components[key] = Component = sanitizeComponent(Component)
  151. return typeof fn === 'function' ? fn(Component, instance, match, key) : Component
  152. })
  153. )
  154. }
  155. export async function getRouteData (route) {
  156. if (!route) {
  157. return
  158. }
  159. // Make sure the components are resolved (code-splitting)
  160. await resolveRouteComponents(route)
  161. // Send back a copy of route with meta based on Component definition
  162. return {
  163. ...route,
  164. meta: getMatchedComponents(route).map((Component, index) => {
  165. return { ...Component.options.meta, ...(route.matched[index] || {}).meta }
  166. })
  167. }
  168. }
  169. export async function setContext (app, context) {
  170. // If context not defined, create it
  171. if (!app.context) {
  172. app.context = {
  173. isStatic: process.static,
  174. isDev: false,
  175. isHMR: false,
  176. app,
  177. store: app.store,
  178. payload: context.payload,
  179. error: context.error,
  180. base: app.router.options.base,
  181. env: {}
  182. }
  183. // Only set once
  184. if (context.req) {
  185. app.context.req = context.req
  186. }
  187. if (context.res) {
  188. app.context.res = context.res
  189. }
  190. if (context.ssrContext) {
  191. app.context.ssrContext = context.ssrContext
  192. }
  193. app.context.redirect = (status, path, query) => {
  194. if (!status) {
  195. return
  196. }
  197. app.context._redirected = true
  198. // if only 1 or 2 arguments: redirect('/') or redirect('/', { foo: 'bar' })
  199. let pathType = typeof path
  200. if (typeof status !== 'number' && (pathType === 'undefined' || pathType === 'object')) {
  201. query = path || {}
  202. path = status
  203. pathType = typeof path
  204. status = 302
  205. }
  206. if (pathType === 'object') {
  207. path = app.router.resolve(path).route.fullPath
  208. }
  209. // "/absolute/route", "./relative/route" or "../relative/route"
  210. if (/(^[.]{1,2}\/)|(^\/(?!\/))/.test(path)) {
  211. app.context.next({
  212. path,
  213. query,
  214. status
  215. })
  216. } else {
  217. path = withQuery(path, query)
  218. if (process.server) {
  219. app.context.next({
  220. path,
  221. status
  222. })
  223. }
  224. if (process.client) {
  225. // https://developer.mozilla.org/en-US/docs/Web/API/Location/assign
  226. window.location.assign(path)
  227. // Throw a redirect error
  228. throw new Error('ERR_REDIRECT')
  229. }
  230. }
  231. }
  232. if (process.server) {
  233. app.context.beforeNuxtRender = fn => context.beforeRenderFns.push(fn)
  234. app.context.beforeSerialize = fn => context.beforeSerializeFns.push(fn)
  235. }
  236. if (process.client) {
  237. app.context.nuxtState = window.__NUXT__
  238. }
  239. }
  240. // Dynamic keys
  241. const [currentRouteData, fromRouteData] = await Promise.all([
  242. getRouteData(context.route),
  243. getRouteData(context.from)
  244. ])
  245. if (context.route) {
  246. app.context.route = currentRouteData
  247. }
  248. if (context.from) {
  249. app.context.from = fromRouteData
  250. }
  251. app.context.next = context.next
  252. app.context._redirected = false
  253. app.context._errored = false
  254. app.context.isHMR = false
  255. app.context.params = app.context.route.params || {}
  256. app.context.query = app.context.route.query || {}
  257. }
  258. export function middlewareSeries (promises, appContext) {
  259. if (!promises.length || appContext._redirected || appContext._errored) {
  260. return Promise.resolve()
  261. }
  262. return promisify(promises[0], appContext)
  263. .then(() => {
  264. return middlewareSeries(promises.slice(1), appContext)
  265. })
  266. }
  267. export function promisify (fn, context) {
  268. let promise
  269. if (fn.length === 2) {
  270. // fn(context, callback)
  271. promise = new Promise((resolve) => {
  272. fn(context, function (err, data) {
  273. if (err) {
  274. context.error(err)
  275. }
  276. data = data || {}
  277. resolve(data)
  278. })
  279. })
  280. } else {
  281. promise = fn(context)
  282. }
  283. if (promise && promise instanceof Promise && typeof promise.then === 'function') {
  284. return promise
  285. }
  286. return Promise.resolve(promise)
  287. }
  288. // Imported from vue-router
  289. export function getLocation (base, mode) {
  290. if (mode === 'hash') {
  291. return window.location.hash.replace(/^#\//, '')
  292. }
  293. base = decodeURI(base).slice(0, -1) // consideration is base is normalized with trailing slash
  294. let path = decodeURI(window.location.pathname)
  295. if (base && path.startsWith(base)) {
  296. path = path.slice(base.length)
  297. }
  298. const fullPath = (path || '/') + window.location.search + window.location.hash
  299. return normalizeURL(fullPath)
  300. }
  301. // Imported from path-to-regexp
  302. /**
  303. * Compile a string to a template function for the path.
  304. *
  305. * @param {string} str
  306. * @param {Object=} options
  307. * @return {!function(Object=, Object=)}
  308. */
  309. export function compile (str, options) {
  310. return tokensToFunction(parse(str, options), options)
  311. }
  312. export function getQueryDiff (toQuery, fromQuery) {
  313. const diff = {}
  314. const queries = { ...toQuery, ...fromQuery }
  315. for (const k in queries) {
  316. if (String(toQuery[k]) !== String(fromQuery[k])) {
  317. diff[k] = true
  318. }
  319. }
  320. return diff
  321. }
  322. export function normalizeError (err) {
  323. let message
  324. if (!(err.message || typeof err === 'string')) {
  325. try {
  326. message = JSON.stringify(err, null, 2)
  327. } catch (e) {
  328. message = `[${err.constructor.name}]`
  329. }
  330. } else {
  331. message = err.message || err
  332. }
  333. return {
  334. ...err,
  335. message,
  336. statusCode: (err.statusCode || err.status || (err.response && err.response.status) || 500)
  337. }
  338. }
  339. /**
  340. * The main path matching regexp utility.
  341. *
  342. * @type {RegExp}
  343. */
  344. const PATH_REGEXP = new RegExp([
  345. // Match escaped characters that would otherwise appear in future matches.
  346. // This allows the user to escape special characters that won't transform.
  347. '(\\\\.)',
  348. // Match Express-style parameters and un-named parameters with a prefix
  349. // and optional suffixes. Matches appear as:
  350. //
  351. // "/:test(\\d+)?" => ["/", "test", "\d+", undefined, "?", undefined]
  352. // "/route(\\d+)" => [undefined, undefined, undefined, "\d+", undefined, undefined]
  353. // "/*" => ["/", undefined, undefined, undefined, undefined, "*"]
  354. '([\\/.])?(?:(?:\\:(\\w+)(?:\\(((?:\\\\.|[^\\\\()])+)\\))?|\\(((?:\\\\.|[^\\\\()])+)\\))([+*?])?|(\\*))'
  355. ].join('|'), 'g')
  356. /**
  357. * Parse a string for the raw tokens.
  358. *
  359. * @param {string} str
  360. * @param {Object=} options
  361. * @return {!Array}
  362. */
  363. function parse (str, options) {
  364. const tokens = []
  365. let key = 0
  366. let index = 0
  367. let path = ''
  368. const defaultDelimiter = (options && options.delimiter) || '/'
  369. let res
  370. while ((res = PATH_REGEXP.exec(str)) != null) {
  371. const m = res[0]
  372. const escaped = res[1]
  373. const offset = res.index
  374. path += str.slice(index, offset)
  375. index = offset + m.length
  376. // Ignore already escaped sequences.
  377. if (escaped) {
  378. path += escaped[1]
  379. continue
  380. }
  381. const next = str[index]
  382. const prefix = res[2]
  383. const name = res[3]
  384. const capture = res[4]
  385. const group = res[5]
  386. const modifier = res[6]
  387. const asterisk = res[7]
  388. // Push the current path onto the tokens.
  389. if (path) {
  390. tokens.push(path)
  391. path = ''
  392. }
  393. const partial = prefix != null && next != null && next !== prefix
  394. const repeat = modifier === '+' || modifier === '*'
  395. const optional = modifier === '?' || modifier === '*'
  396. const delimiter = res[2] || defaultDelimiter
  397. const pattern = capture || group
  398. tokens.push({
  399. name: name || key++,
  400. prefix: prefix || '',
  401. delimiter,
  402. optional,
  403. repeat,
  404. partial,
  405. asterisk: Boolean(asterisk),
  406. pattern: pattern ? escapeGroup(pattern) : (asterisk ? '.*' : '[^' + escapeString(delimiter) + ']+?')
  407. })
  408. }
  409. // Match any characters still remaining.
  410. if (index < str.length) {
  411. path += str.substr(index)
  412. }
  413. // If the path exists, push it onto the end.
  414. if (path) {
  415. tokens.push(path)
  416. }
  417. return tokens
  418. }
  419. /**
  420. * Prettier encoding of URI path segments.
  421. *
  422. * @param {string}
  423. * @return {string}
  424. */
  425. function encodeURIComponentPretty (str, slashAllowed) {
  426. const re = slashAllowed ? /[?#]/g : /[/?#]/g
  427. return encodeURI(str).replace(re, (c) => {
  428. return '%' + c.charCodeAt(0).toString(16).toUpperCase()
  429. })
  430. }
  431. /**
  432. * Encode the asterisk parameter. Similar to `pretty`, but allows slashes.
  433. *
  434. * @param {string}
  435. * @return {string}
  436. */
  437. function encodeAsterisk (str) {
  438. return encodeURIComponentPretty(str, true)
  439. }
  440. /**
  441. * Escape a regular expression string.
  442. *
  443. * @param {string} str
  444. * @return {string}
  445. */
  446. function escapeString (str) {
  447. return str.replace(/([.+*?=^!:${}()[\]|/\\])/g, '\\$1')
  448. }
  449. /**
  450. * Escape the capturing group by escaping special characters and meaning.
  451. *
  452. * @param {string} group
  453. * @return {string}
  454. */
  455. function escapeGroup (group) {
  456. return group.replace(/([=!:$/()])/g, '\\$1')
  457. }
  458. /**
  459. * Expose a method for transforming tokens into the path function.
  460. */
  461. function tokensToFunction (tokens, options) {
  462. // Compile all the tokens into regexps.
  463. const matches = new Array(tokens.length)
  464. // Compile all the patterns before compilation.
  465. for (let i = 0; i < tokens.length; i++) {
  466. if (typeof tokens[i] === 'object') {
  467. matches[i] = new RegExp('^(?:' + tokens[i].pattern + ')$', flags(options))
  468. }
  469. }
  470. return function (obj, opts) {
  471. let path = ''
  472. const data = obj || {}
  473. const options = opts || {}
  474. const encode = options.pretty ? encodeURIComponentPretty : encodeURIComponent
  475. for (let i = 0; i < tokens.length; i++) {
  476. const token = tokens[i]
  477. if (typeof token === 'string') {
  478. path += token
  479. continue
  480. }
  481. const value = data[token.name || 'pathMatch']
  482. let segment
  483. if (value == null) {
  484. if (token.optional) {
  485. // Prepend partial segment prefixes.
  486. if (token.partial) {
  487. path += token.prefix
  488. }
  489. continue
  490. } else {
  491. throw new TypeError('Expected "' + token.name + '" to be defined')
  492. }
  493. }
  494. if (Array.isArray(value)) {
  495. if (!token.repeat) {
  496. throw new TypeError('Expected "' + token.name + '" to not repeat, but received `' + JSON.stringify(value) + '`')
  497. }
  498. if (value.length === 0) {
  499. if (token.optional) {
  500. continue
  501. } else {
  502. throw new TypeError('Expected "' + token.name + '" to not be empty')
  503. }
  504. }
  505. for (let j = 0; j < value.length; j++) {
  506. segment = encode(value[j])
  507. if (!matches[i].test(segment)) {
  508. throw new TypeError('Expected all "' + token.name + '" to match "' + token.pattern + '", but received `' + JSON.stringify(segment) + '`')
  509. }
  510. path += (j === 0 ? token.prefix : token.delimiter) + segment
  511. }
  512. continue
  513. }
  514. segment = token.asterisk ? encodeAsterisk(value) : encode(value)
  515. if (!matches[i].test(segment)) {
  516. throw new TypeError('Expected "' + token.name + '" to match "' + token.pattern + '", but received "' + segment + '"')
  517. }
  518. path += token.prefix + segment
  519. }
  520. return path
  521. }
  522. }
  523. /**
  524. * Get the flags for a regexp from the options.
  525. *
  526. * @param {Object} options
  527. * @return {string}
  528. */
  529. function flags (options) {
  530. return options && options.sensitive ? '' : 'i'
  531. }
  532. export function addLifecycleHook(vm, hook, fn) {
  533. if (!vm.$options[hook]) {
  534. vm.$options[hook] = []
  535. }
  536. if (!vm.$options[hook].includes(fn)) {
  537. vm.$options[hook].push(fn)
  538. }
  539. }
  540. export const urlJoin = joinURL
  541. export const stripTrailingSlash = withoutTrailingSlash
  542. export const isSamePath = _isSamePath
  543. export function setScrollRestoration (newVal) {
  544. try {
  545. window.history.scrollRestoration = newVal;
  546. } catch(e) {}
  547. }