hash
stringlengths
40
40
date
stringdate
2017-10-11 16:52:59
2025-03-24 06:02:38
author
stringclasses
190 values
commit_message
stringlengths
12
90
is_merge
bool
1 class
masked_commit_message
stringlengths
5
75
type
stringclasses
8 values
git_diff
stringlengths
144
14.2M
1870ae779e9a6a627f6ca607957adf7322603ab1
2024-04-24 00:27:19
John Leider
docs(VTextField): update dense example
false
update dense example
docs
diff --git a/packages/docs/src/examples/v-text-field/prop-dense.vue b/packages/docs/src/examples/v-text-field/prop-dense.vue index 69f0d70f28d..6948d662c0e 100644 --- a/packages/docs/src/examples/v-text-field/prop-dense.vue +++ b/packages/docs/src/examples/v-text-field/prop-dense.vue @@ -1,7 +1,7 @@ <template> <v-card class="mx-auto" - color="grey-lighten-3" + color="surface-light" max-width="400" > <v-card-text>
1c21d76710c55ca1569abf99177105f33a4a0236
2019-10-09 21:46:53
kuromoka
fix(VTextArea): fix clear icon overlapped by the scrollbar (#9190)
false
fix clear icon overlapped by the scrollbar (#9190)
fix
diff --git a/packages/vuetify/src/components/VTextarea/VTextarea.sass b/packages/vuetify/src/components/VTextarea/VTextarea.sass index 2eda1e2f2ef..89b31c138b3 100644 --- a/packages/vuetify/src/components/VTextarea/VTextarea.sass +++ b/packages/vuetify/src/components/VTextarea/VTextarea.sass @@ -47,6 +47,13 @@ align-self: flex-start margin-top: 16px + .v-input__append-inner + +ltr() + padding-left: 12px + + +rtl() + padding-right: 12px + &--auto-grow textarea overflow: hidden
ec23eaca5c9b387081e0bb41cdb0fd08a099d0ec
2021-03-20 01:08:18
amajesticpotatoe
docs(icons): fix broken link
false
fix broken link
docs
diff --git a/packages/docs/src/pages/en/components/icons.md b/packages/docs/src/pages/en/components/icons.md index 65055e3a78c..9a3fc3b9b10 100644 --- a/packages/docs/src/pages/en/components/icons.md +++ b/packages/docs/src/pages/en/components/icons.md @@ -56,7 +56,7 @@ Icons can be used inside of buttons to add emphasis to the action. #### Font Awesome -[Font Awesome](https://fontawesome.io/icons/) is also supported. Simply use the `fa-` prefixed icon name. Please note that you still need to include the Font Awesome icons in your project. For more information on how to install it, please navigate to the [installation page](/features/icon-fonts#install-font-awesome-5-icons) +[Font Awesome](https://fontawesome.com/icons/) is also supported. Simply use the `fa-` prefixed icon name. Please note that you still need to include the Font Awesome icons in your project. For more information on how to install it, please navigate to the [installation page](/features/icon-fonts#install-font-awesome-5-icons) <example file="v-icon/misc-font-awesome" />
178b013b3e5eb97090a0571e3e9a66c9ee079b74
2023-05-03 20:24:30
Kael
feat(ssr): add server-side clientWidth/height options
false
add server-side clientWidth/height options
feat
diff --git a/packages/vuetify/src/composables/display.ts b/packages/vuetify/src/composables/display.ts index 3f980b38cbb..7e926e75785 100644 --- a/packages/vuetify/src/composables/display.ts +++ b/packages/vuetify/src/composables/display.ts @@ -28,6 +28,11 @@ export interface InternalDisplayOptions { thresholds: DisplayThresholds } +export type SSROptions = boolean | { + clientWidth: number + clientHeight?: number +} + export interface DisplayPlatform { android: boolean ios: boolean @@ -91,20 +96,20 @@ const parseDisplayOptions = (options: DisplayOptions = defaultDisplayOptions) => return mergeDeep(defaultDisplayOptions, options) as InternalDisplayOptions } -function getClientWidth (isHydrate?: boolean) { - return IN_BROWSER && !isHydrate +function getClientWidth (ssr?: SSROptions) { + return IN_BROWSER && !ssr ? window.innerWidth - : 0 + : (typeof ssr === 'object' && ssr.clientWidth) || 0 } -function getClientHeight (isHydrate?: boolean) { - return IN_BROWSER && !isHydrate +function getClientHeight (ssr?: SSROptions) { + return IN_BROWSER && !ssr ? window.innerHeight - : 0 + : (typeof ssr === 'object' && ssr.clientHeight) || 0 } -function getPlatform (isHydrate?: boolean): DisplayPlatform { - const userAgent = IN_BROWSER && !isHydrate +function getPlatform (ssr?: SSROptions): DisplayPlatform { + const userAgent = IN_BROWSER && !ssr ? window.navigator.userAgent : 'ssr' @@ -141,7 +146,7 @@ function getPlatform (isHydrate?: boolean): DisplayPlatform { } } -export function createDisplay (options?: DisplayOptions, ssr?: boolean): DisplayInstance { +export function createDisplay (options?: DisplayOptions, ssr?: SSROptions): DisplayInstance { const { thresholds, mobileBreakpoint } = parseDisplayOptions(options) const height = ref(getClientHeight(ssr)) diff --git a/packages/vuetify/src/framework.ts b/packages/vuetify/src/framework.ts index 9b362047ae7..325e76fa7d4 100644 --- a/packages/vuetify/src/framework.ts +++ b/packages/vuetify/src/framework.ts @@ -14,7 +14,7 @@ import { nextTick, reactive } from 'vue' import type { App, ComponentPublicInstance, InjectionKey } from 'vue' import type { DateOptions } from '@/labs/date' import type { DefaultsOptions } from '@/composables/defaults' -import type { DisplayOptions } from '@/composables/display' +import type { DisplayOptions, SSROptions } from '@/composables/display' import type { IconOptions } from '@/composables/icons' import type { LocaleOptions, RtlOptions } from '@/composables/locale' import type { ThemeOptions } from '@/composables/theme' @@ -33,14 +33,14 @@ export interface VuetifyOptions { theme?: ThemeOptions icons?: IconOptions locale?: LocaleOptions & RtlOptions - ssr?: boolean + ssr?: SSROptions } export interface Blueprint extends Omit<VuetifyOptions, 'blueprint'> {} export function createVuetify (vuetify: VuetifyOptions = {}) { const { blueprint, ...rest } = vuetify - const options = mergeDeep(blueprint, rest) + const options: VuetifyOptions = mergeDeep(blueprint, rest) const { aliases = {}, components = {},
565714cd0ff27aaf5b140234f00f6a67563a805c
2023-10-10 19:08:40
Kael
docs: section-based scroll spy, update route hash
false
section-based scroll spy, update route hash
docs
diff --git a/packages/docs/src/components/app/Heading.vue b/packages/docs/src/components/app/Heading.vue index 85b2d345ae2..2f88ed42bbf 100644 --- a/packages/docs/src/components/app/Heading.vue +++ b/packages/docs/src/components/app/Heading.vue @@ -1,7 +1,6 @@ <template> <component :is="component" - v-intersect="href ? onIntersect : undefined" :class="classes" > <router-link @@ -23,10 +22,6 @@ <script setup> // Utilities import { computed } from 'vue' - import { storeToRefs } from 'pinia' - - // Composables - import { useAppStore } from '@/store/app' const HEADING_CLASSES = { 1: 'text-h3 text-sm-h3', @@ -36,8 +31,6 @@ 5: 'text-subtitle-1 font-weight-medium', } - const { activeHeaders } = storeToRefs(useAppStore()) - const props = defineProps({ content: String, href: String, @@ -46,17 +39,6 @@ const component = computed(() => `h${props.level}`) const classes = computed(() => ['v-heading', 'mb-2', HEADING_CLASSES[props.level]]) - - function onIntersect (isIntersecting) { - if (isIntersecting) { - if (!activeHeaders.value.hrefs.includes(props.href)) { - activeHeaders.value.hrefs.push(props.href) - } - } else if (!isIntersecting && activeHeaders.value.hrefs.includes(props.href)) { - activeHeaders.value.hrefs.splice(activeHeaders.value.hrefs.indexOf(props.href), 1) - } - activeHeaders.value.temp = !isIntersecting && !activeHeaders.value.hrefs.length ? props.href : '' - } </script> <style lang="sass"> diff --git a/packages/docs/src/components/app/Toc.vue b/packages/docs/src/components/app/Toc.vue index 264a702497a..b637d96a9dc 100644 --- a/packages/docs/src/components/app/Toc.vue +++ b/packages/docs/src/components/app/Toc.vue @@ -31,7 +31,7 @@ :class="[ 'ps-3 text-medium-emphasis text-body-2 py-1 font-weight-regular', { - 'text-primary router-link-active': activeHeaders.temp == to || activeHeaders.hrefs.includes(to), + 'text-primary router-link-active': activeItem === to.slice(1), 'ps-6': level === 3, 'ps-9': level === 4, 'ps-12': level === 5, @@ -124,15 +124,14 @@ import SponsorCard from '@/components/sponsor/Card.vue' // Composables - import { RouteLocation, Router, useRoute, useRouter } from 'vue-router' + import { useRoute, useRouter } from 'vue-router' import { storeToRefs } from 'pinia' import { useAppStore } from '@/store/app' - // import { useGtag } from 'vue-gtag-next' import { useSponsorsStore } from '@/store/sponsors' import { useTheme } from 'vuetify' // Utilities - import { computed, ref } from 'vue' + import { computed, nextTick, onMounted, onScopeDispose, ref, watch } from 'vue' import { rpath } from '@/util/routes' type TocItem = { @@ -141,124 +140,76 @@ level: number; } - const { toc: tocDrawer, activeHeaders } = storeToRefs(useAppStore()) + const { toc: tocDrawer, scrolling } = storeToRefs(useAppStore()) - function useUpdateHashOnScroll (route: RouteLocation, router: Router) { - const scrolling = ref(false) - let offsets: number[] = [] - let timeout: any = 0 - - function calculateOffsets () { - const offsets = [] - const toc = route.meta.toc as any[] - - for (const item of toc.slice().reverse()) { - const section = document.getElementById(item.to.slice(1)) - - if (!section) continue + const route = useRoute() + const router = useRouter() + const theme = useTheme() - offsets.push(section.offsetTop - 48) + const activeStack = [] + const activeItem = ref('') + const observer = new IntersectionObserver(entries => { + entries.forEach(entry => { + if (entry.isIntersecting) { + activeStack.push(entry.target.id) + } else if (activeStack.includes(entry.target.id)) { + activeStack.splice(activeStack.indexOf(entry.target.id), 1) } + }) + activeItem.value = activeStack.at(-1) || activeItem.value || route.meta.toc[0]?.to.slice(1) || '' + }, { rootMargin: '-10% 0px -75%' }) - return offsets - } - - async function findActiveHash () { - const toc = route.meta.toc as any[] - // if (this.$vuetify.breakpoint.mobile) return - - const currentOffset = ( - window.pageYOffset || - document.documentElement.offsetTop || - 0 - ) - - // If we are at the top of the page - // reset the offset - if (currentOffset === 0) { - if (route.hash) { - router.replace({ path: route.path }) - } - - return - } + async function observeToc () { + scrolling.value = false + activeStack.length = 0 + activeItem.value = '' + observer.disconnect() + await nextTick() + route.meta.toc.forEach(v => { + const el = document.querySelector(v.to) + el && observer.observe(el) + }) + } - if ( - offsets.length !== toc.length - ) { - offsets = calculateOffsets() - } + watch(() => route.meta.toc, observeToc) + onMounted(() => { + observeToc() + }) + onScopeDispose(() => { + observer.disconnect() + }) - const index = offsets.findIndex(offset => { - return offset < currentOffset - }) + let internalScrolling = false + let timeout = -1 + watch(activeItem, async val => { + if (!val || internalScrolling) return - let tindex = index > -1 - ? offsets.length - 1 - index - : 0 + scrolling.value = true - if (currentOffset + window.innerHeight === document.documentElement.offsetHeight) { - tindex = toc.length - 1 + if (val === route.meta.toc[0]?.to.slice(1) && route.hash) { + router.replace({ path: route.path }) + } else { + const toc = route.meta.toc.find(v => v.to.slice(1) === val) + if (toc) { + await router.replace({ path: route.path, hash: toc.to }) } - - const hash = toc[tindex].to - - if (hash === route.hash) return - - scrolling.value = true - - await router.replace({ - path: route.path, - hash, - }) - - scrolling.value = false } - - function onScroll () { - const toc = route.meta.toc as any[] - - clearTimeout(timeout) - - if ( - scrolling.value || - !toc.length - ) return - - timeout = setTimeout(findActiveHash, 17) - } - - return { onScroll, scrolling } - } - - const route = useRoute() - const router = useRouter() - const theme = useTheme() - // const { event } = useGtag() - - const { scrolling } = useUpdateHashOnScroll(route, router) + clearTimeout(timeout) + timeout = setTimeout(() => { + scrolling.value = false + }, 200) + }) async function onClick (hash: string) { if (route.hash === hash) return - scrolling.value = true - - router.replace({ path: route.path, hash }) - - // await this.$vuetify.goTo(hash) - // await wait(200) - - scrolling.value = false + internalScrolling = true + await router.replace({ path: route.path, hash }) + setTimeout(() => { + internalScrolling = false + }, 1000) } - // function onClickPromotion () { - // event('click', { - // event_category: 'vuetify-toc', - // event_label: 'promotion', - // value: 'theme-selection', - // }) - // } - const sponsorStore = useSponsorsStore() const toc = computed(() => route.meta.toc as TocItem[]) @@ -282,7 +233,7 @@ list-style-type: none li - border-left: 2px solid #E5E5E5 + border-left: 2px solid rgb(var(--v-theme-on-surface-variant)) &.router-link-active border-left-color: currentColor @@ -290,10 +241,6 @@ .v-toc-link color: inherit - &.theme--dark - li:not(.router-link-active) - border-left-color: rgba(255, 255, 255, 0.5) - :deep(.v-navigation-drawer__content) height: auto margin-right: 12px diff --git a/packages/docs/src/main.ts b/packages/docs/src/main.ts index f513b80f727..ec66d2b8ef0 100644 --- a/packages/docs/src/main.ts +++ b/packages/docs/src/main.ts @@ -82,6 +82,8 @@ const router = createRouter({ }, ], async scrollBehavior (to, from, savedPosition) { + if (appStore.scrolling) return + let main = IN_BROWSER && document.querySelector('main') // For default & hash navigation let wait = 0 @@ -100,7 +102,7 @@ const router = createRouter({ if (to.hash) { return { el: to.hash, - behavior: 'smooth', + behavior: main ? 'smooth' : undefined, top: main ? parseInt(getComputedStyle(main).getPropertyValue('--v-layout-top')) : 0, } } else if (savedPosition) return savedPosition @@ -119,10 +121,6 @@ app.config.warnHandler = (err, vm, info) => { } router.beforeEach((to, from, next) => { - appStore.activeHeaders = { - hrefs: [], - temp: '', - } if (to.meta.locale !== from.meta.locale) { localeStore.locale = to.meta.locale as string } diff --git a/packages/docs/src/store/app.ts b/packages/docs/src/store/app.ts index 9e02aab5d22..6b13a9ae86a 100644 --- a/packages/docs/src/store/app.ts +++ b/packages/docs/src/store/app.ts @@ -12,12 +12,9 @@ export type Category = { export type RootState = { apiSearch: string - activeHeaders: { - hrefs: string[] - temp: string - } drawer: boolean | null toc: boolean | null + scrolling: false items: NavItem[] pages: string[] settings: boolean @@ -37,12 +34,9 @@ export const useAppStore = defineStore({ id: 'app', state: () => ({ apiSearch: '', - activeHeaders: { - hrefs: [], - temp: '', - }, drawer: null, toc: null, + scrolling: false, items: Array.from(data), pages: getPages(data as NavItem[]), settings: false,
07ae4db1fdf29fc84128290cd81fa4d96c9f7e9a
2022-06-23 23:03:39
John Leider
refactor(VTextField): tuning pass (#15252)
false
tuning pass (#15252)
refactor
diff --git a/packages/vuetify/src/components/VTextField/VTextField.tsx b/packages/vuetify/src/components/VTextField/VTextField.tsx index ac566fb18ce..14c38fd0d9d 100644 --- a/packages/vuetify/src/components/VTextField/VTextField.tsx +++ b/packages/vuetify/src/components/VTextField/VTextField.tsx @@ -2,25 +2,25 @@ import './VTextField.sass' // Components -import { filterInputProps, makeVInputProps, VInput } from '@/components/VInput/VInput' import { filterFieldProps, makeVFieldProps, VField } from '@/components/VField/VField' +import { filterInputProps, makeVInputProps, VInput } from '@/components/VInput/VInput' import { VCounter } from '@/components/VCounter' +// Directives +import Intersect from '@/directives/intersect' + // Composables import { useForwardRef } from '@/composables/forwardRef' import { useProxiedModel } from '@/composables/proxiedModel' -// Directives -import Intersect from '@/directives/intersect' - // Utilities import { computed, nextTick, ref } from 'vue' import { filterInputAttrs, genericComponent, useRender } from '@/util' // Types import type { PropType } from 'vue' -import type { VInputSlots } from '@/components/VInput/VInput' import type { VFieldSlots } from '@/components/VField/VField' +import type { VInputSlots } from '@/components/VInput/VInput' const activeTypes = ['color', 'file', 'time', 'date', 'datetime-local', 'week', 'month'] diff --git a/packages/vuetify/src/components/VTextField/__tests__/VTextField.spec.ts b/packages/vuetify/src/components/VTextField/__tests__/VTextField.spec.ts deleted file mode 100644 index 1008f318789..00000000000 --- a/packages/vuetify/src/components/VTextField/__tests__/VTextField.spec.ts +++ /dev/null @@ -1,895 +0,0 @@ -// @ts-nocheck -/* eslint-disable */ - -// import Vue from 'vue' -// import VTextField from '../VTextField' -// import VProgressLinear from '../../VProgressLinear' -import { - mount, - MountOptions, - Wrapper, -} from '@vue/test-utils' -// import { waitAnimationFrame } from '../../../../test' - -describe.skip('VTextField.ts', () => { // eslint-disable-line max-statements - type Instance = InstanceType<typeof VTextField> - let mountFunction: (options?: MountOptions<Instance>) => Wrapper<Instance> - beforeEach(() => { - mountFunction = (options?: MountOptions<Instance>) => { - return mount(VTextField, { - // https://github.com/vuejs/vue-test-utils/issues/1130 - sync: false, - mocks: { - $vuetify: { - icons: {}, - rtl: false, - }, - }, - ...options, - }) - } - }) - - it('should render component and match snapshot', () => { - const wrapper = mountFunction() - - expect(wrapper.html()).toMatchSnapshot() - }) - - it('should pass required attr to the input', () => { - const wrapper = mountFunction({ - attrs: { - required: true, - }, - }) - - const input = wrapper.findAll('input').at(0) - expect(input.element.getAttribute('required')).toBe('required') - }) - - it('should pass events to internal input field', () => { - const keyup = jest.fn() - const component = { - render (h) { - return h(VTextField, { on: { keyUp: keyup }, props: { download: '' }, attrs: {} }) - }, - } - const wrapper = mount(component) - - const input = wrapper.findAll('input').at(0) - input.trigger('keyUp', { keyCode: 65 }) - - expect(keyup).toHaveBeenCalled() - }) - - it('should not render aria-label attribute on text field element with no label value or id', () => { - const wrapper = mountFunction({ - propsData: { - label: null, - }, - attrs: {}, - }) - - const inputGroup = wrapper.findAll('input').at(0) - expect(inputGroup.element.getAttribute('aria-label')).toBeFalsy() - }) - - it('should not render aria-label attribute on text field element with id', () => { - const wrapper = mountFunction({ - propsData: { - label: 'Test', - }, - attrs: { - id: 'Test', - }, - }) - - const inputGroup = wrapper.findAll('input').at(0) - expect(inputGroup.element.getAttribute('aria-label')).toBeFalsy() - }) - - it('should start out as invalid', () => { - const wrapper = mountFunction({ - propsData: { - rules: [v => !!v || 'Required'], - }, - }) - - expect(wrapper.vm.valid).toEqual(false) - }) - - it('should start validating on input', async () => { - const wrapper = mountFunction({ - attachToDocument: true, - }) - - expect(wrapper.vm.shouldValidate).toEqual(false) - wrapper.setProps({ value: 'asd' }) - await wrapper.vm.$nextTick() - expect(wrapper.vm.shouldValidate).toEqual(true) - }) - - it('should not start validating on input if validate-on-blur prop is set', async () => { - const wrapper = mountFunction({ - propsData: { - validateOnBlur: true, - }, - }) - - expect(wrapper.vm.shouldValidate).toEqual(false) - wrapper.setProps({ value: 'asd' }) - await wrapper.vm.$nextTick() - expect(wrapper.vm.shouldValidate).toEqual(false) - }) - - // TODO: this fails without sync, nextTick doesn't help - // https://github.com/vuejs/vue-test-utils/issues/1130 - it.skip('should not display counter when set to false/undefined/null', async () => { - const wrapper = mountFunction({ - propsData: { - counter: true, - }, - attrs: { - maxlength: 50, - }, - }) - - expect(wrapper.findAll('.v-counter').wrappers[0]).not.toBeUndefined() - expect(wrapper.html()).toMatchSnapshot() - - wrapper.setProps({ counter: false }) - await wrapper.vm.$nextTick() - - expect(wrapper.html()).toMatchSnapshot() - expect(wrapper.findAll('.v-counter').wrappers[0]).toBeUndefined() - - wrapper.setProps({ counter: undefined }) - await wrapper.vm.$nextTick() - - expect(wrapper.findAll('.v-counter').wrappers[0]).toBeUndefined() - - wrapper.setProps({ counter: null }) - await wrapper.vm.$nextTick() - - expect(wrapper.findAll('.v-counter').wrappers[0]).toBeUndefined() - }) - - it('should have readonly attribute', () => { - const wrapper = mountFunction({ - propsData: { - readonly: true, - }, - }) - - const input = wrapper.findAll('input').at(0) - - expect(input.element.getAttribute('readonly')).toBe('readonly') - }) - - it('should clear input value', async () => { - const wrapper = mountFunction({ - propsData: { - clearable: true, - value: 'foo', - }, - }) - - const clear = wrapper.findAll('.v-input__icon--clear .v-icon').at(0) - const input = jest.fn() - wrapper.vm.$on('input', input) - - expect(wrapper.vm.internalValue).toBe('foo') - - clear.trigger('click') - - await wrapper.vm.$nextTick() - - expect(input).toHaveBeenCalledWith(null) - }) - - it('should not clear input if not clearable and has appended icon (with callback)', async () => { - const click = jest.fn() - const wrapper = mountFunction({ - propsData: { - value: 'foo', - appendIcon: 'block', - }, - listeners: { - 'click:append': click, - }, - }) - - const icon = wrapper.findAll('.v-input__icon--append .v-icon').at(0) - icon.trigger('click') - await wrapper.vm.$nextTick() - expect(wrapper.vm.internalValue).toBe('foo') - expect(click).toHaveBeenCalledTimes(1) - }) - - it('should not clear input if not clearable and has appended icon (without callback)', async () => { - const wrapper = mountFunction({ - propsData: { - value: 'foo', - appendIcon: 'block', - }, - }) - - const icon = wrapper.findAll('.v-input__icon--append .v-icon').at(0) - icon.trigger('click') - await wrapper.vm.$nextTick() - expect(wrapper.vm.internalValue).toBe('foo') - }) - - it('should start validating on blur', async () => { - const rule = jest.fn().mockReturnValue(true) - const wrapper = mountFunction({ - attachToDocument: true, - propsData: { - rules: [rule], - validateOnBlur: true, - }, - }) - - const input = wrapper.find('input') - expect(wrapper.vm.shouldValidate).toEqual(false) - - // Rules are called once on mount - expect(rule).toHaveBeenCalledTimes(1) - - input.trigger('focus') - await wrapper.vm.$nextTick() - - input.element.value = 'f' - input.trigger('input') - await wrapper.vm.$nextTick() - expect(rule).toHaveBeenCalledTimes(1) - - input.trigger('blur') - await wrapper.vm.$nextTick() - - expect(wrapper.vm.shouldValidate).toEqual(true) - expect(rule).toHaveBeenCalledTimes(2) - }) - - it('should keep its value on blur', async () => { - const wrapper = mountFunction({ - propsData: { - value: 'asd', - }, - }) - - const input = wrapper.findAll('input').at(0) - - input.element.value = 'fgh' - input.trigger('input') - input.trigger('blur') - - expect(input.element.value).toBe('fgh') - }) - - // TODO: this fails without sync, nextTick doesn't help - // https://github.com/vuejs/vue-test-utils/issues/1130 - it.skip('should update if value is changed externally', async () => { - const wrapper = mountFunction({}) - - const input = wrapper.findAll('input').at(0) - - wrapper.setProps({ value: 'fgh' }) - expect(input.element.value).toBe('fgh') - - input.trigger('focus') - wrapper.setProps({ value: 'jkl' }) - expect(input.element.value).toBe('jkl') - }) - - it('should fire a single change event on blur', async () => { - let value = 'asd' - const change = jest.fn() - - const component = { - render (h) { - return h(VTextField, { - on: { - input: i => value = i, - change, - }, - props: { value }, - }) - }, - } - const wrapper = mount(component, { - attachToDocument: true, - }) - - const input = wrapper.findAll('input').at(0) - - input.trigger('focus') - await wrapper.vm.$nextTick() - input.element.value = 'fgh' - input.trigger('input') - - await wrapper.vm.$nextTick() - input.trigger('blur') - await wrapper.vm.$nextTick() - - expect(change).toHaveBeenCalledWith('fgh') - expect(change.mock.calls).toHaveLength(1) - }) - - // TODO: this fails without sync - // https://github.com/vuejs/vue-test-utils/issues/1130 - it.skip('should not make prepend icon clearable', () => { - const wrapper = mountFunction({ - propsData: { - prependIcon: 'check', - appendIcon: 'check', - value: 'test', - clearable: true, - }, - }) - - const prepend = wrapper.findAll('.v-input__icon--append .v-icon').at(0) - expect(prepend.text()).toBe('check') - expect(prepend.element.classList).not.toContain('input-group__icon-cb') - }) - - // TODO: this fails even without sync for some reason - // https://github.com/vuejs/vue-test-utils/issues/1130 - it.skip('should not emit change event if value has not changed', async () => { - const change = jest.fn() - let value = 'test' - const component = { - // eslint-disable-next-line sonarjs/no-identical-functions - render (h) { - return h(VTextField, { - on: { - input: i => value = i, - change, - }, - props: { value }, - }) - }, - } - const wrapper = mount(component, { sync: false }) - - const input = wrapper.findAll('input').at(0) - - input.trigger('focus') - await wrapper.vm.$nextTick() - input.trigger('blur') - await wrapper.vm.$nextTick() - - expect(change.mock.calls).toHaveLength(0) - }) - - it('should render component with async loading and match snapshot', () => { - const wrapper = mountFunction({ - propsData: { - loading: true, - }, - }) - - expect(wrapper.html()).toMatchSnapshot() - }) - - it('should render component with async loading and custom progress and match snapshot', () => { - Vue.prototype.$vuetify = { - icons: {}, - rtl: false, - } - const progress = Vue.component('test', { - render (h) { - return h(VProgressLinear, { - props: { - indeterminate: true, - height: 7, - color: 'orange', - }, - }) - }, - }) - - const wrapper = mountFunction({ - sync: false, - propsData: { - loading: true, - }, - slots: { - progress: [progress], - }, - }) - - expect(wrapper.html()).toMatchSnapshot() - }) - - it('should display the number 0', async () => { - const wrapper = mountFunction({ - propsData: { value: 0 }, - }) - - expect(wrapper.vm.$refs.input.value).toBe('0') - }) - - it('should autofocus', async () => { - const wrapper = mountFunction({ - attachToDocument: true, - propsData: { - autofocus: true, - }, - }) - - const focus = jest.fn() - wrapper.vm.$on('focus', focus) - - await wrapper.vm.$nextTick() - - expect(wrapper.vm.isFocused).toBe(true) - wrapper.vm.onClick() - - expect(focus.mock.calls).toHaveLength(0) - - wrapper.setData({ isFocused: false }) - - wrapper.vm.onClick() - expect(focus.mock.calls).toHaveLength(1) - - wrapper.setProps({ disabled: true }) - - wrapper.setData({ isFocused: false }) - - wrapper.vm.onClick() - expect(focus.mock.calls).toHaveLength(1) - - wrapper.setProps({ disabled: false }) - - wrapper.vm.onClick() - expect(focus.mock.calls).toHaveLength(2) - - delete wrapper.vm.$refs.input - - wrapper.vm.onFocus() - expect(focus.mock.calls).toHaveLength(2) - }) - - it('should have prefix and suffix', () => { - const wrapper = mountFunction({ - propsData: { - prefix: '$', - suffix: '.com', - }, - }) - - expect(wrapper.html()).toMatchSnapshot() - }) - - it('should use a custom clear callback', async () => { - const clear = jest.fn() - const wrapper = mountFunction({ - propsData: { - clearable: true, - value: 'foo', - }, - listeners: { - 'click:clear': clear, - }, - }) - - wrapper.vm.$on('click:clear', clear) - - wrapper.find('.v-input__icon--clear .v-icon').trigger('click') - - expect(clear).toHaveBeenCalled() - }) - - it('should not generate label', () => { - const wrapper = mountFunction() - - expect(wrapper.vm.genLabel()).toBeNull() - - wrapper.setProps({ singleLine: true }) - - expect(wrapper.vm.genLabel()).toBeNull() - - wrapper.setProps({ placeholder: 'foo' }) - - expect(wrapper.vm.genLabel()).toBeNull() - - wrapper.setProps({ - placeholder: undefined, - value: 'bar', - }) - - expect(wrapper.vm.genLabel()).toBeNull() - - wrapper.setProps({ - label: 'bar', - value: undefined, - }) - - expect(wrapper.vm.genLabel()).toBeTruthy() - }) - - it('should propagate id to label for attribute', () => { - const wrapper = mountFunction({ - propsData: { - label: 'foo', - id: 'bar', - }, - attrs: { - id: 'bar', - }, - domProps: { - id: 'bar', - }, - }) - - const label = wrapper.find('label') - - expect(label.element.getAttribute('for')).toBe('bar') - }) - - it('should render an appended outer icon', () => { - const wrapper = mountFunction({ - propsData: { - appendOuterIcon: 'search', - }, - }) - - expect(wrapper.find('.v-input__icon--append-outer .v-icon').element.innerHTML).toBe('search') - }) - - // TODO: this fails without sync, nextTick doesn't help - // https://github.com/vuejs/vue-test-utils/issues/1130 - it.skip('should have correct max value', async () => { - const wrapper = mountFunction({ - attrs: { - maxlength: 25, - }, - propsData: { - counter: true, - }, - }) - - const counter = wrapper.find('.v-counter') - - expect(counter.element.innerHTML).toBe('0 / 25') - - wrapper.setProps({ counter: '50' }) - - await wrapper.vm.$nextTick() - - expect(counter.element.innerHTML).toBe('0 / 50') - }) - - it('should use counter value function', async () => { - const wrapper = mountFunction({ - attrs: { - maxlength: 25, - }, - propsData: { - counter: true, - counterValue: (value?: string): number => (value || '').replace(/\s/g, '').length, - }, - }) - - const counter = wrapper.find('.v-counter') - - expect(counter.element.innerHTML).toBe('0 / 25') - - wrapper.setProps({ value: 'foo bar baz' }) - - await wrapper.vm.$nextTick() - - expect(counter.element.innerHTML).toBe('9 / 25') - - wrapper.setProps({ counter: '50' }) - - await wrapper.vm.$nextTick() - - expect(counter.element.innerHTML).toBe('9 / 50') - - wrapper.setProps({ - counterValue: (value?: string): number => (value || '').replace(/ba/g, '').length, - }) - - await wrapper.vm.$nextTick() - - expect(counter.element.innerHTML).toBe('7 / 50') - }) - - it('should set bad input on input', () => { - const wrapper = mountFunction() - - expect(wrapper.vm.badInput).toBeFalsy() - - wrapper.vm.onInput({ - target: {}, - }) - - expect(wrapper.vm.badInput).toBeFalsy() - - wrapper.vm.onInput({ - target: { validity: { badInput: false } }, - }) - - expect(wrapper.vm.badInput).toBeFalsy() - - wrapper.vm.onInput({ - target: { validity: { badInput: true } }, - }) - - expect(wrapper.vm.badInput).toBe(true) - }) - - it('should not apply id to root element', () => { - const wrapper = mountFunction({ - attrs: { id: 'foo' }, - }) - - const input = wrapper.find('input') - expect(wrapper.element.id).toBe('') - expect(input.element.id).toBe('foo') - }) - - it('should fire change event when pressing enter and value has changed', () => { - const wrapper = mountFunction() - const input = wrapper.find('input') - const change = jest.fn() - const el = input.element as HTMLInputElement - - wrapper.vm.$on('change', change) - - input.trigger('focus') - el.value = 'foo' - input.trigger('input') - input.trigger('keydown.enter') - input.trigger('keydown.enter') - - expect(change).toHaveBeenCalledTimes(1) - - el.value = 'foobar' - input.trigger('input') - input.trigger('keydown.enter') - - expect(change).toHaveBeenCalledTimes(2) - }) - - it('should have focus and blur methods', async () => { - const wrapper = mountFunction({ - attachToDocument: true, - }) - const onBlur = jest.spyOn(wrapper.vm.$refs.input, 'blur') - const onFocus = jest.spyOn(wrapper.vm.$refs.input, 'focus') - - wrapper.vm.focus() - - expect(onFocus).toHaveBeenCalledTimes(1) - - wrapper.vm.blur() - - // https://github.com/vuetifyjs/vuetify/issues/5913 - // Blur waits a requestAnimationFrame - // to resolve a bug in MAC / Safari - await waitAnimationFrame() - - expect(onBlur).toHaveBeenCalledTimes(1) - }) - - // TODO: this fails without sync, nextTick doesn't help - // https://github.com/vuejs/vue-test-utils/issues/1130 - it.skip('should activate label when using dirtyTypes', async () => { - const dirtyTypes = ['color', 'file', 'time', 'date', 'datetime-local', 'week', 'month'] - const wrapper = mountFunction({ - propsData: { - label: 'Foobar', - }, - }) - const label = wrapper.find('.v-label') - - for (const type of dirtyTypes) { - wrapper.setProps({ type }) - - await wrapper.vm.$nextTick() - - expect(label.element.classList).toContain('v-label--active') - expect(wrapper.vm.$el.classList).toContain('v-input--is-label-active') - - wrapper.setProps({ type: undefined }) - - await wrapper.vm.$nextTick() - - expect(label.element.classList).not.toContain('v-label--active') - expect(wrapper.vm.$el.classList).not.toContain('v-input--is-label-active') - } - }) - - it('should apply theme to label, counter, messages and icons', () => { - const wrapper = mountFunction({ - propsData: { - counter: true, - label: 'foo', - hint: 'bar', - persistentHint: true, - light: true, - prependIcon: 'prepend', - appendIcon: 'append', - prependInnerIcon: 'prepend-inner', - appendOuterIcon: 'append-outer', - }, - }) - - expect(wrapper.html()).toMatchSnapshot() - }) - - // https://github.com/vuetifyjs/vuetify/issues/5018 - it('should not focus input when mousedown did not originate from input', () => { - const focus = jest.fn() - const wrapper = mountFunction({ - methods: { focus }, - }) - - const input = wrapper.find('.v-input__slot') - input.trigger('mousedown') - input.trigger('mouseup') - input.trigger('mouseup') - - expect(focus).toHaveBeenCalledTimes(1) - }) - - it('should hide messages if no messages and hide-details is auto', async () => { - const wrapper = mountFunction({ - propsData: { - hideDetails: 'auto', - }, - }) - - expect(wrapper.html()).toMatchSnapshot() - - wrapper.setProps({ counter: 7 }) - await wrapper.vm.$nextTick() - expect(wrapper.html()).toMatchSnapshot() - - wrapper.setProps({ counter: null, errorMessages: 'required' }) - await wrapper.vm.$nextTick() - expect(wrapper.html()).toMatchSnapshot() - }) - - // https://github.com/vuetifyjs/vuetify/issues/8268 - // TODO: this fails without sync, nextTick doesn't help - // https://github.com/vuejs/vue-test-utils/issues/1130 - it.skip('should recalculate prefix width on prefix change', async () => { - const setPrefixWidth = jest.fn() - const wrapper = mountFunction({ - methods: { setPrefixWidth }, - }) - - wrapper.setProps({ prefix: 'foobar' }) - - await wrapper.vm.$nextTick() - - expect(setPrefixWidth).toHaveBeenCalledTimes(2) - }) - - // https://github.com/vuetifyjs/vuetify/pull/8724 - it('should fire events in correct order when clear icon is clicked and input is not focused', async () => { - const calls: string[] = [] - const change = jest.fn(() => calls.push('change')) - const blur = jest.fn(() => calls.push('blur')) - const focus = jest.fn(() => calls.push('focus')) - const input = jest.fn(() => calls.push('input')) - - const component = { - render (h) { - return h(VTextField, { - on: { - change, - blur, - focus, - input, - }, - props: { - value: 'test', - clearable: true, - }, - }) - }, - } - const wrapper = mount(component, { - attachToDocument: true, - }) - - const inputElement = wrapper.findAll('input').at(0) - const clearIcon = wrapper.find('.v-input__icon--clear .v-icon') - - clearIcon.trigger('click') - await wrapper.vm.$nextTick() - - inputElement.trigger('blur') - await wrapper.vm.$nextTick() - - expect(calls).toEqual([ - 'focus', - 'input', - 'change', - 'blur', - ]) - expect(inputElement.element.value).toBe('') - }) - - // https://material.io/components/text-fields/#filled-text-field - it('should be single if using the filled prop with no label', () => { - const wrapper = mountFunction({ - propsData: { filled: true }, - }) - - expect(wrapper.vm.isSingle).toBe(true) - - wrapper.setProps({ label: 'Foobar ' }) - - expect(wrapper.vm.isSingle).toBe(false) - }) - - it('should autofocus text-field when intersected', async () => { - const wrapper = mountFunction({ - attachToDocument: true, - propsData: { autofocus: true }, - }) - const input = wrapper.find('input') - const element = input.element as HTMLInputElement - - expect(document.activeElement === element).toBe(true) - - element.blur() - - expect(document.activeElement === element).toBe(false) - - // Simulate observe firing that is visible - wrapper.vm.onObserve([], [], true) - expect(document.activeElement === element).toBe(true) - - element.blur() - - // Simulate observe firing that is not visible - wrapper.vm.onObserve([], [], false) - expect(document.activeElement === element).toBe(false) - - element.blur() - - wrapper.setProps({ autofocus: false }) - - // Simulate observe firing with no autofocus - wrapper.vm.onObserve([], [], true) - expect(document.activeElement === element).toBe(false) - }) - - it('should use the correct icon color when using the solo inverted prop', () => { - const wrapper = mountFunction({ - attachToDocument: true, - propsData: { soloInverted: true }, - mocks: { - $vuetify: { - icons: {}, - theme: { dark: false }, - }, - }, - provide: { - theme: { isDark: true }, - }, - }) - - expect(wrapper.vm.computedColor).toBe('white') - - wrapper.vm.focus() - - expect(wrapper.vm.computedColor).toBe('primary') - }) - - it('should keep -0 in input when type is number', async () => { - const wrapper = mountFunction({ - propsData: { type: 'number', value: -0 }, - }) - - const input = wrapper.find('input') - expect(input.element.value).toBe('-0') - }) -}) diff --git a/packages/vuetify/src/components/VTextField/__tests__/__snapshots__/VTextField.spec.ts.snap b/packages/vuetify/src/components/VTextField/__tests__/__snapshots__/VTextField.spec.ts.snap deleted file mode 100644 index 03c125f5f3e..00000000000 --- a/packages/vuetify/src/components/VTextField/__tests__/__snapshots__/VTextField.spec.ts.snap +++ /dev/null @@ -1,325 +0,0 @@ -// Jest Snapshot v1, https://goo.gl/fbAQLP - -exports[`VTextField.ts should apply theme to label, counter, messages and icons 1`] = ` -<div class="v-input theme--light v-text-field"> - <div class="v-input__prepend-outer"> - <div class="v-input__icon v-input__icon--prepend"> - <i aria-hidden="true" - class="v-icon notranslate material-icons theme--light" - > - prepend - </i> - </div> - </div> - <div class="v-input__control"> - <div class="v-input__slot"> - <div class="v-input__prepend-inner"> - <div class="v-input__icon v-input__icon--prepend-inner"> - <i aria-hidden="true" - class="v-icon notranslate prepend prepend-inner theme--light" - > - </i> - </div> - </div> - <div class="v-text-field__slot"> - <label for="input-129" - class="v-label theme--light" - style="left: 0px; position: absolute;" - > - foo - </label> - <input id="input-129" - type="text" - > - </div> - <div class="v-input__append-inner"> - <div class="v-input__icon v-input__icon--append"> - <i aria-hidden="true" - class="v-icon notranslate material-icons theme--light" - > - append - </i> - </div> - </div> - </div> - <div class="v-text-field__details"> - <div class="v-messages theme--light"> - <span name="message-transition" - tag="div" - class="v-messages__wrapper" - > - <div class="v-messages__message"> - bar - </div> - </span> - </div> - <div class="v-counter theme--light"> - 0 - </div> - </div> - </div> - <div class="v-input__append-outer"> - <div class="v-input__icon v-input__icon--append-outer"> - <i aria-hidden="true" - class="v-icon notranslate append append-outer theme--light" - > - </i> - </div> - </div> -</div> -`; - -exports[`VTextField.ts should have prefix and suffix 1`] = ` -<div class="v-input theme--light v-text-field v-text-field--prefix"> - <div class="v-input__control"> - <div class="v-input__slot"> - <div class="v-text-field__slot"> - <div class="v-text-field__prefix"> - $ - </div> - <input id="input-87" - type="text" - > - <div class="v-text-field__suffix"> - .com - </div> - </div> - </div> - <div class="v-text-field__details"> - <div class="v-messages theme--light"> - <span name="message-transition" - tag="div" - class="v-messages__wrapper" - > - </span> - </div> - </div> - </div> -</div> -`; - -exports[`VTextField.ts should hide messages if no messages and hide-details is auto 1`] = ` -<div class="v-input v-input--hide-details theme--light v-text-field"> - <div class="v-input__control"> - <div class="v-input__slot"> - <div class="v-text-field__slot"> - <input id="input-141" - type="text" - > - </div> - </div> - </div> -</div> -`; - -exports[`VTextField.ts should hide messages if no messages and hide-details is auto 2`] = ` -<div class="v-input theme--light v-text-field"> - <div class="v-input__control"> - <div class="v-input__slot"> - <div class="v-text-field__slot"> - <input id="input-141" - type="text" - > - </div> - </div> - <div class="v-text-field__details"> - <div class="v-messages theme--light"> - <span name="message-transition" - tag="div" - class="v-messages__wrapper" - > - </span> - </div> - <div class="v-counter theme--light"> - 0 / 7 - </div> - </div> - </div> -</div> -`; - -exports[`VTextField.ts should hide messages if no messages and hide-details is auto 3`] = ` -<div class="v-input v-input--has-state theme--light v-text-field error--text"> - <div class="v-input__control"> - <div class="v-input__slot"> - <div class="v-text-field__slot"> - <input id="input-141" - type="text" - > - </div> - </div> - <div class="v-text-field__details"> - <div class="v-messages theme--light error--text" - role="alert" - > - <span name="message-transition" - tag="div" - class="v-messages__wrapper" - > - <div class="v-messages__message"> - required - </div> - </span> - </div> - </div> - </div> -</div> -`; - -exports[`VTextField.ts should not display counter when set to false/undefined/null 1`] = ` -<div class="v-input theme--light v-text-field"> - <div class="v-input__control"> - <div class="v-input__slot"> - <div class="v-text-field__slot"> - <input maxlength="50" - id="input-34" - type="text" - > - </div> - </div> - <div class="v-text-field__details"> - <div class="v-messages theme--light"> - <span name="message-transition" - tag="div" - class="v-messages__wrapper" - > - </span> - </div> - <div class="v-counter theme--light"> - 0 / 50 - </div> - </div> - </div> -</div> -`; - -exports[`VTextField.ts should not display counter when set to false/undefined/null 2`] = ` -<div class="v-input theme--light v-text-field"> - <div class="v-input__control"> - <div class="v-input__slot"> - <div class="v-text-field__slot"> - <input maxlength="50" - id="input-34" - type="text" - > - </div> - </div> - <div class="v-text-field__details"> - <div class="v-messages theme--light"> - <span name="message-transition" - tag="div" - class="v-messages__wrapper" - > - </span> - </div> - </div> - </div> -</div> -`; - -exports[`VTextField.ts should render component and match snapshot 1`] = ` -<div class="v-input theme--light v-text-field"> - <div class="v-input__control"> - <div class="v-input__slot"> - <div class="v-text-field__slot"> - <input id="input-1" - type="text" - > - </div> - </div> - <div class="v-text-field__details"> - <div class="v-messages theme--light"> - <span name="message-transition" - tag="div" - class="v-messages__wrapper" - > - </span> - </div> - </div> - </div> -</div> -`; - -exports[`VTextField.ts should render component with async loading and custom progress and match snapshot 1`] = ` -<div class="v-input v-input--is-loading theme--light v-text-field"> - <div class="v-input__control"> - <div class="v-input__slot"> - <div class="v-text-field__slot"> - <input id="input-72" - type="text" - > - </div> - <div role="progressbar" - aria-valuemin="0" - aria-valuemax="100" - class="v-progress-linear v-progress-linear--visible theme--light" - style="height: 7px;" - > - <div class="v-progress-linear__background orange" - style="opacity: 0.3; left: 0%; width: 100%;" - > - </div> - <div class="v-progress-linear__buffer"> - </div> - <div class="v-progress-linear__indeterminate v-progress-linear__indeterminate--active"> - <div class="v-progress-linear__indeterminate long orange"> - </div> - <div class="v-progress-linear__indeterminate short orange"> - </div> - </div> - </div> - </div> - <div class="v-text-field__details"> - <div class="v-messages theme--light"> - <span name="message-transition" - tag="div" - class="v-messages__wrapper" - > - </span> - </div> - </div> - </div> -</div> -`; - -exports[`VTextField.ts should render component with async loading and match snapshot 1`] = ` -<div class="v-input v-input--is-loading theme--light v-text-field"> - <div class="v-input__control"> - <div class="v-input__slot"> - <div class="v-text-field__slot"> - <input id="input-66" - type="text" - > - </div> - <div role="progressbar" - aria-valuemin="0" - aria-valuemax="100" - class="v-progress-linear v-progress-linear--absolute theme--light" - style="height: 2px;" - > - <div class="v-progress-linear__background primary" - style="opacity: 0.3; left: 0%; width: 100%;" - > - </div> - <div class="v-progress-linear__buffer"> - </div> - <div class="v-progress-linear__indeterminate v-progress-linear__indeterminate--active"> - <div class="v-progress-linear__indeterminate long primary"> - </div> - <div class="v-progress-linear__indeterminate short primary"> - </div> - </div> - </div> - </div> - <div class="v-text-field__details"> - <div class="v-messages theme--light"> - <span name="message-transition" - tag="div" - class="v-messages__wrapper" - > - </span> - </div> - </div> - </div> -</div> -`; diff --git a/packages/vuetify/src/components/VTextField/_variables.scss b/packages/vuetify/src/components/VTextField/_variables.scss index ced7a215cfc..e0dfdc47a66 100644 --- a/packages/vuetify/src/components/VTextField/_variables.scss +++ b/packages/vuetify/src/components/VTextField/_variables.scss @@ -1,6 +1,6 @@ @use '../../styles/settings'; -// Defaults +// VTextField $text-field-affix-color: rgba(var(--v-theme-on-surface), var(--v-medium-emphasis-opacity)) !default; $text-field-border-radius: settings.$border-radius-root !default; $text-field-details-padding-inline: 16px !default;
af4b768f61ff8d4c1994cdb8d28a1ac278422170
2022-12-19 21:36:37
John Leider
chore(README): update sponsors
false
update sponsors
chore
diff --git a/README.md b/README.md index 254fc2aadcc..69edd4b1397 100644 --- a/README.md +++ b/README.md @@ -140,6 +140,11 @@ Funds donated through GitHub Sponsors and Patreon go directly to support John an <img height="30px" src="https://cdn.cosmicjs.com/215133d0-248a-11ed-b52d-a3f33977cd87-medium-logo-alt.png"> </a> </td> + <td> + <a href="https://crosswordanswers911.net/"> + <img height="30px" src="https://cdn.cosmicjs.com/ef6ea2a0-7ee1-11ed-8730-d9eebcd39d9f-crossword-answers-911.jpg"> + </a> + </td> </tr> </tbody> </table>
bf65296462a1f33bedd13746d8d92d91f8fdcb97
2024-03-29 03:02:06
Mohib Arshi
fix(VBtn): prevent keyboard tab while loading (#18639)
false
prevent keyboard tab while loading (#18639)
fix
diff --git a/packages/vuetify/src/components/VBtn/VBtn.tsx b/packages/vuetify/src/components/VBtn/VBtn.tsx index 9ebb439a418..933df33c792 100644 --- a/packages/vuetify/src/components/VBtn/VBtn.tsx +++ b/packages/vuetify/src/components/VBtn/VBtn.tsx @@ -199,8 +199,10 @@ export const VBtn = genericComponent<VBtnSlots>()({ sizeStyles.value, props.style, ]} + aria-busy={ props.loading ? true : undefined } disabled={ isDisabled.value || undefined } href={ link.href.value } + tabindex={ props.loading ? -1 : undefined } v-ripple={[ !isDisabled.value && props.ripple, null,
9642a13985aeb5f167857f50e9187d209b926cd3
2018-06-24 07:58:50
John Leider
fix(v-input): remove ff styles
false
remove ff styles
fix
diff --git a/src/stylus/components/_inputs.styl b/src/stylus/components/_inputs.styl index 6c79e1e2afe..cbca3f117ae 100644 --- a/src/stylus/components/_inputs.styl +++ b/src/stylus/components/_inputs.styl @@ -39,6 +39,10 @@ theme(v-input, "v-input") input, textarea + // Remove Firefox red outline + &:required + box-shadow: none + &:focus, &:active outline: none
7cf46951bc88dc96cacf8693b91157d4a4e594e6
2020-02-02 07:52:32
John Leider
docs: add new scheduling app
false
add new scheduling app
docs
diff --git a/packages/docs/src/components/getting-started/Consulting.vue b/packages/docs/src/components/getting-started/Consulting.vue index 5ad077dd08c..524750fd3c2 100644 --- a/packages/docs/src/components/getting-started/Consulting.vue +++ b/packages/docs/src/components/getting-started/Consulting.vue @@ -43,12 +43,14 @@ </v-col> <v-col cols="12"> - <v-responsive - class="calendly-inline-widget" - data-url="https://calendly.com/vuetify" - height="625" - min-width="320" - /> + <v-lazy> + <iframe + src="https://app.acuityscheduling.com/schedule.php?owner=19002891" + width="100%" + height="1000" + frameBorder="0" + /> + </v-lazy> </v-col> </v-row> </template> @@ -75,7 +77,7 @@ attachScript () { const script = document.createElement('script') script.type = 'text/javascript' - script.src = '//assets.calendly.com/assets/external/widget.js' + script.src = '//embed.acuityscheduling.com/js/embed.js' this.$el.append(script) },
3a510e8af57d76da660c6b4a407f7940fefae5cb
2020-01-31 19:21:57
Jacek Karczmarczyk
fix(VTimePicker): missing update:period event when ampm clicked in title
false
missing update:period event when ampm clicked in title
fix
diff --git a/packages/vuetify/src/components/VTimePicker/VTimePicker.ts b/packages/vuetify/src/components/VTimePicker/VTimePicker.ts index b7147b38040..ad67abdd48d 100644 --- a/packages/vuetify/src/components/VTimePicker/VTimePicker.ts +++ b/packages/vuetify/src/components/VTimePicker/VTimePicker.ts @@ -350,7 +350,7 @@ export default mixins( }, on: { 'update:selecting': (value: 1 | 2 | 3) => (this.selecting = value), - 'update:period': this.setPeriod, + 'update:period': (period: string) => this.$emit('update:period', period), }, ref: 'title', slot: 'title',
820e2ecc6a4ce7bfea7517eb4db174a827e3b722
2023-03-07 20:36:28
Kael
chore: restore global v-theme-overlay-multiplier
false
restore global v-theme-overlay-multiplier
chore
diff --git a/packages/vuetify/src/styles/elements/_global.sass b/packages/vuetify/src/styles/elements/_global.sass index df64d75f4b2..ee15c205516 100644 --- a/packages/vuetify/src/styles/elements/_global.sass +++ b/packages/vuetify/src/styles/elements/_global.sass @@ -14,6 +14,7 @@ html.overflow-y-hidden overflow-y: hidden !important :root + --v-theme-overlay-multiplier: 1 --v-scrollbar-offset: 0px // iOS Safari hack to allow click events on body
ca7eda83fe03cf03dd89d9bb9ec09548fd7b38a0
2023-09-08 14:59:13
Kael
docs(selects): add itemProps and item slot examples
false
add itemProps and item slot examples
docs
diff --git a/packages/api-generator/src/locale/en/VSelect.json b/packages/api-generator/src/locale/en/VSelect.json index 224aab1fcd5..3ab7fc22eaf 100644 --- a/packages/api-generator/src/locale/en/VSelect.json +++ b/packages/api-generator/src/locale/en/VSelect.json @@ -26,7 +26,7 @@ "update:search-input": "The `search-input.sync` event" }, "slots": { - "item": "Define a custom item appearance. The root element of this slot must be a **v-list-item** with `v-bind=\"props\"` applied. `props` includes everything required for the default select list behaviour - including title, value, click handlers, virtual scrolling, and anything else that has been added with `item-props`." + "item": "Define a custom item appearance. The root element of this slot must be a **v-list-item** with `v-bind=\"props\"` applied. `props` includes everything required for the default select list behaviour - including title, value, click handlers, virtual scrolling, and anything else that has been added with [`item-props`](api/v-select/#props-item-props)." }, "exposed": { } diff --git a/packages/api-generator/src/types.ts b/packages/api-generator/src/types.ts index 37e726b9d79..d9e31a354ac 100644 --- a/packages/api-generator/src/types.ts +++ b/packages/api-generator/src/types.ts @@ -243,6 +243,7 @@ function count (arr: string[], needle: string) { }, 0) } +// Types that are displayed as links const allowedRefs = [ 'Anchor', 'LocationStrategyFn', @@ -263,12 +264,15 @@ const allowedRefs = [ 'FilterFunction', 'DataIteratorItem', ] + +// Types that displayed without their generic arguments const plainRefs = [ 'Component', 'ComponentPublicInstance', 'ComponentInternalInstance', 'FunctionalComponent', 'DataTableItem', + 'ListItem', 'Group', 'DataIteratorItem', ] diff --git a/packages/docs/src/examples/v-select/prop-item-props.vue b/packages/docs/src/examples/v-select/prop-item-props.vue new file mode 100644 index 00000000000..132125bfe45 --- /dev/null +++ b/packages/docs/src/examples/v-select/prop-item-props.vue @@ -0,0 +1,81 @@ +<template> + <v-select label="User" :items="items" :item-props="itemProps"></v-select> +</template> + +<script setup> + const items = [ + { + name: 'John', + department: 'Marketing', + }, + { + name: 'Jane', + department: 'Engineering', + }, + { + name: 'Joe', + department: 'Sales', + }, + { + name: 'Janet', + department: 'Engineering', + }, + { + name: 'Jake', + department: 'Marketing', + }, + { + name: 'Jack', + department: 'Sales', + }, + ] + + function itemProps (item) { + return { + title: item.name, + subtitle: item.department, + } + } +</script> + +<script> + export default { + data: () => ({ + items: [ + { + name: 'John', + department: 'Marketing', + }, + { + name: 'Jane', + department: 'Engineering', + }, + { + name: 'Joe', + department: 'Sales', + }, + { + name: 'Janet', + department: 'Engineering', + }, + { + name: 'Jake', + department: 'Marketing', + }, + { + name: 'Jack', + department: 'Sales', + }, + ], + }), + + methods: { + itemProps (item) { + return { + title: item.name, + subtitle: item.department, + } + }, + }, + } +</script> diff --git a/packages/docs/src/examples/v-select/slot-item.vue b/packages/docs/src/examples/v-select/slot-item.vue new file mode 100644 index 00000000000..5dd7b1ff534 --- /dev/null +++ b/packages/docs/src/examples/v-select/slot-item.vue @@ -0,0 +1,69 @@ +<template> + <v-select label="User" :items="items" item-title="name"> + <template v-slot:item="{ props, item }"> + <v-list-item v-bind="props" :subtitle="item.raw.department"></v-list-item> + </template> + </v-select> +</template> + +<script setup> + const items = [ + { + name: 'John', + department: 'Marketing', + }, + { + name: 'Jane', + department: 'Engineering', + }, + { + name: 'Joe', + department: 'Sales', + }, + { + name: 'Janet', + department: 'Engineering', + }, + { + name: 'Jake', + department: 'Marketing', + }, + { + name: 'Jack', + department: 'Sales', + }, + ] +</script> + +<script> + export default { + data: () => ({ + items: [ + { + name: 'John', + department: 'Marketing', + }, + { + name: 'Jane', + department: 'Engineering', + }, + { + name: 'Joe', + department: 'Sales', + }, + { + name: 'Janet', + department: 'Engineering', + }, + { + name: 'Jake', + department: 'Marketing', + }, + { + name: 'Jack', + department: 'Sales', + }, + ], + }), + } +</script> diff --git a/packages/docs/src/pages/en/components/autocompletes.md b/packages/docs/src/pages/en/components/autocompletes.md index dabb7d3f96b..02b0a47ee80 100644 --- a/packages/docs/src/pages/en/components/autocompletes.md +++ b/packages/docs/src/pages/en/components/autocompletes.md @@ -36,14 +36,6 @@ The autocomplete component extends `v-select` and adds the ability to filter ite When using objects for the **items** prop, you must associate **item-title** and **item-value** with existing properties on your objects. These values are defaulted to **title** and **value** and can be changed. ::: -::: warning - The **auto** property of **menu-props** is only supported for the default input style. -::: - -::: info - Browser autocomplete is set to off by default, may vary by browser and may be ignored. [MDN](https://developer.mozilla.org/en-US/docs/Web/Security/Securing_your_site/Turning_off_form_autocompletion) -::: - ## Examples Below is a collection of simple to complex examples. @@ -52,7 +44,7 @@ Below is a collection of simple to complex examples. #### Density -You can use `density` prop to adjusts vertical spacing within the component. +You can use `density` prop to adjust vertical spacing within the component. <example file="v-autocomplete/prop-density" /> @@ -72,11 +64,13 @@ With the power of slots, you can customize the visual output of the select. In t ### Misc +<!-- #### Asynchronous items Sometimes you need to load data externally based upon a search query. Use the `search-input` prop with the **.sync** modifier when using the `autocomplete` prop. We also make use of the new `cache-items` prop. This will keep a unique list of all items that have been passed to the `items` prop and is **REQUIRED** when using asynchronous items and the **multiple** prop. <example file="v-autocomplete/misc-asynchronous-items" /> +--> #### State selector diff --git a/packages/docs/src/pages/en/components/combobox.md b/packages/docs/src/pages/en/components/combobox.md index 2f9e75130d1..ea281b482dc 100644 --- a/packages/docs/src/pages/en/components/combobox.md +++ b/packages/docs/src/pages/en/components/combobox.md @@ -34,14 +34,8 @@ With Combobox, you can allow a user to create new values that may not be present ::: error As the Combobox allows user input, it **always** returns the full value provided to it (for example a list of Objects will always return an Object when selected). This is because there's no way to tell if a value is supposed to be user input or an object lookup [GitHub Issue](https://github.com/vuetifyjs/vuetify/issues/5479) -::: - -::: warning - The **auto** property of **menu-props** is only supported for the default input style. -::: -::: info - Browser autocomplete is set to off by default, may vary by browser and may be ignored. [MDN](https://developer.mozilla.org/en-US/docs/Web/Security/Securing_your_site/Turning_off_form_autocompletion) + This also means that a typed string will not select an item the same way clicking on it would, you may want to set `auto-select-first="exact"` when using object items. ::: ## Examples @@ -50,13 +44,13 @@ With Combobox, you can allow a user to create new values that may not be present #### Density -You can use `density` prop to adjusts vertical spacing within the component. +You can use `density` prop to adjust vertical spacing within the component. <example file="v-combobox/prop-density" /> #### Multiple combobox -Previously known as **tags** - user is allowed to enter more than 1 value +Previously known as **tags** - user is allowed to enter more than one value. <example file="v-combobox/prop-multiple" /> diff --git a/packages/docs/src/pages/en/components/selects.md b/packages/docs/src/pages/en/components/selects.md index 37dbe924e18..fbb6a7ed23b 100644 --- a/packages/docs/src/pages/en/components/selects.md +++ b/packages/docs/src/pages/en/components/selects.md @@ -30,14 +30,6 @@ Select fields components are used for collecting user provided information from ## Caveats -::: info - Browser autocomplete is set to off by default, may vary by browser and may be ignored. [MDN](https://developer.mozilla.org/en-US/docs/Web/Security/Securing_your_site/Turning_off_form_autocompletion) -::: - -::: warning - The **auto** property of **menu-props** is only supported for the default input style. -::: - ::: error When using objects for the **items** prop, you must associate **item-title** and **item-value** with existing properties on your objects. These values are defaulted to **title** and **value** and can be changed. ::: @@ -52,7 +44,7 @@ All form inputs have a massive API that make it super easy to configure everythi #### Density -You can use **density** prop to reduce the field height and lower max height of list items. +You can use **density** prop to adjust vertical spacing within the component. <example file="v-select/prop-dense" /> @@ -92,13 +84,50 @@ Custom props can be passed directly to `v-menu` using **menuProps** prop. In thi <example file="v-select/prop-menu-props" /> --> +#### Custom item props + +`item-title` and `item-value` are provided for convenience, and additional props can be passed to list items either through the **item** slot (see below) or with the **itemProps** prop. +Similar to title and value, it has a default value of `"props"`, which will pass everything in the `props` key of each item object to the list item. + +```js +const items = [ + { + title: 'John', + props: { subtitle: 'Engineering' }, + }, +] +``` + +`:item-props="true"` will use the entire item object as props. This overrides `item-title` and `item-value`. + +```js +const items = [ + { + title: 'John', + subtitle: 'Engineering', + }, +] +``` + +Or a custom transform function can be passed to `itemProps` to generate the props for each item. + +<example file="v-select/prop-item-props" /> + +See the [VListItem API](/api/v-list-item/) for a list of available props. + ### Slots The `v-select` component offers slots that make it easy to customize the output of certain parts of the component. This includes the **prepend** and **append** slots, the **selection** slot, and the **no-data** slot. +#### Item + +The item slot is used to change how items are rendered in the list. It provides `item`, an [InternalItem](/api/v-select/#slots-item) object containing the transformed item-title and item-value; and `props`, an object containing the props and events that would normally be bound to the list item. + +<example file="v-select/slot-item" /> + #### Append and prepend item -The `v-select` components can be optionally expanded with prepended and appended items. This is perfect for customized **select-all** functionality. +The `v-select` component can be optionally expanded with prepended and appended items. This is perfect for customized **select-all** functionality. <example file="v-select/slot-append-and-prepend-item" />
f042f25cf6fd4a745d1ad1a972c476a869a79406
2019-06-15 19:21:18
Jacek Karczmarczyk
docs: unify slot usage in examples (#7520)
false
unify slot usage in examples (#7520)
docs
diff --git a/packages/docs/src/examples/banners/playground.vue b/packages/docs/src/examples/banners/playground.vue index bd4ce2f9838..8af57a87ad1 100644 --- a/packages/docs/src/examples/banners/playground.vue +++ b/packages/docs/src/examples/banners/playground.vue @@ -61,7 +61,7 @@ Lorem ipsum dolor sit amet consectetur adipisicing elit. Corporis magnam necessitatibus possimus sapiente laboriosam ducimus atque maxime quibusdam, facilis velit assumenda, quod nisi aliquid corrupti maiores doloribus soluta optio blanditiis. Lorem ipsum dolor sit amet consectetur adipisicing elit. Corporis magnam necessitatibus possimus sapiente laboriosam ducimus atque maxime quibusdam, facilis velit assumenda, quod nisi aliquid corrupti maiores doloribus soluta optio blanditiis. - <template #actions> + <template v-slot:actions> <v-btn text color="deep-purple accent-4" diff --git a/packages/docs/src/examples/banners/simple/two-line.vue b/packages/docs/src/examples/banners/simple/two-line.vue index 3c0402d8170..8e573f84598 100644 --- a/packages/docs/src/examples/banners/simple/two-line.vue +++ b/packages/docs/src/examples/banners/simple/two-line.vue @@ -2,7 +2,7 @@ <v-banner> Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent cursus nec sem id malesuada. Curabitur lacinia sem et turpis euismod, eget elementum ex pretium. - <template #actions> + <template v-slot:actions> <v-btn text color="primary">Dismiss</v-btn> <v-btn text color="primary">Retry</v-btn> </template> diff --git a/packages/docs/src/examples/banners/usage.vue b/packages/docs/src/examples/banners/usage.vue index 9149ac44116..53b6cb734c7 100644 --- a/packages/docs/src/examples/banners/usage.vue +++ b/packages/docs/src/examples/banners/usage.vue @@ -2,7 +2,7 @@ <v-banner single-line> One line message text string with two actions on tablet / Desktop - <template #actions> + <template v-slot:actions> <v-btn text color="deep-purple accent-4" diff --git a/packages/docs/src/examples/data-tables/crud.vue b/packages/docs/src/examples/data-tables/crud.vue index 5a9f0fe75a8..1e07d54ed75 100644 --- a/packages/docs/src/examples/data-tables/crud.vue +++ b/packages/docs/src/examples/data-tables/crud.vue @@ -69,7 +69,7 @@ delete </v-icon> </template> - <template #no-data> + <template v-slot:no-data> <v-btn color="primary" @click="initialize">Reset</v-btn> </template> </v-data-table> diff --git a/packages/docs/src/examples/hover/complex/hoverList.vue b/packages/docs/src/examples/hover/complex/hoverList.vue index fa2a71593e4..342c0ee0da4 100644 --- a/packages/docs/src/examples/hover/complex/hoverList.vue +++ b/packages/docs/src/examples/hover/complex/hoverList.vue @@ -7,9 +7,8 @@ xs12 sm4 > - <v-hover> + <v-hover v-slot:default="{ hover }"> <v-card - slot-scope="{ hover }" :elevation="hover ? 12 : 2" :class="{ 'on-hover': hover }" > diff --git a/packages/docs/src/examples/hover/complex/transition.vue b/packages/docs/src/examples/hover/complex/transition.vue index ba2e874bcf4..b1f1712617c 100644 --- a/packages/docs/src/examples/hover/complex/transition.vue +++ b/packages/docs/src/examples/hover/complex/transition.vue @@ -1,7 +1,6 @@ <template> - <v-hover> + <v-hover v-slot:default="{ hover }"> <v-card - slot-scope="{ hover }" class="mx-auto" color="grey lighten-4" max-width="600" diff --git a/packages/docs/src/examples/hover/playground.vue b/packages/docs/src/examples/hover/playground.vue index b1e8037d15a..b3afc36ca60 100644 --- a/packages/docs/src/examples/hover/playground.vue +++ b/packages/docs/src/examples/hover/playground.vue @@ -3,13 +3,13 @@ <v-layout row> <v-flex xs12 sm6 offset-sm3> <v-hover + v-slot:default="{ hover }" :open-delay="openDelay" :close-delay="closeDelay" :disabled="disabled" :value="value" > <v-card - slot-scope="{ hover }" :elevation="hover ? 12 : 2" height="300" max-width="350" diff --git a/packages/docs/src/examples/hover/simple/disabled.vue b/packages/docs/src/examples/hover/simple/disabled.vue index b4149ee49f2..fbefccd96a0 100644 --- a/packages/docs/src/examples/hover/simple/disabled.vue +++ b/packages/docs/src/examples/hover/simple/disabled.vue @@ -5,9 +5,11 @@ row > <v-flex xs12> - <v-hover disabled> + <v-hover + v-slot:default="{ hover }" + disabled + > <v-card - slot-scope="{ hover }" :elevation="hover ? 12 : 2" class="mx-auto" height="350" diff --git a/packages/docs/src/examples/hover/simple/openAndCloseDelay.vue b/packages/docs/src/examples/hover/simple/openAndCloseDelay.vue index c144c2a40cd..aa88ebe2da6 100644 --- a/packages/docs/src/examples/hover/simple/openAndCloseDelay.vue +++ b/packages/docs/src/examples/hover/simple/openAndCloseDelay.vue @@ -4,9 +4,11 @@ xs12 sm6 > - <v-hover open-delay="200"> + <v-hover + v-slot:default="{ hover }" + open-delay="200" + > <v-card - slot-scope="{ hover }" :elevation="hover ? 16 : 2" class="mx-auto" height="350" @@ -23,9 +25,11 @@ xs12 sm6 > - <v-hover close-delay="200"> + <v-hover + v-slot:default="{ hover }" + close-delay="200" + > <v-card - slot-scope="{ hover }" :elevation="hover ? 16 : 2" class="mx-auto" height="350" diff --git a/packages/docs/src/examples/hover/usage.vue b/packages/docs/src/examples/hover/usage.vue index 3df1c101109..ef8b905b5c5 100644 --- a/packages/docs/src/examples/hover/usage.vue +++ b/packages/docs/src/examples/hover/usage.vue @@ -5,9 +5,8 @@ row > <v-flex xs12> - <v-hover> + <v-hover v-slot:default="{ hover }"> <v-card - slot-scope="{ hover }" :elevation="hover ? 12 : 2" class="mx-auto" height="350" diff --git a/packages/docs/src/examples/item-groups/complex/post.vue b/packages/docs/src/examples/item-groups/complex/post.vue index 599c8814f17..013cf3d2256 100644 --- a/packages/docs/src/examples/item-groups/complex/post.vue +++ b/packages/docs/src/examples/item-groups/complex/post.vue @@ -24,9 +24,9 @@ <v-item v-for="n in 8" :key="n" + v-slot:default="{ active, toggle }" > <v-chip - slot-scope="{ active, toggle }" active-class="purple--text" :input-value="active" @click="toggle" diff --git a/packages/docs/src/examples/item-groups/intermediate/togglePictures.vue b/packages/docs/src/examples/item-groups/intermediate/togglePictures.vue index a9a35cebb26..376ce004b10 100644 --- a/packages/docs/src/examples/item-groups/intermediate/togglePictures.vue +++ b/packages/docs/src/examples/item-groups/intermediate/togglePictures.vue @@ -18,9 +18,8 @@ xs12 md6 > - <v-item> + <v-item v-slot:default="{ active, toggle }"> <v-img - slot-scope="{ active, toggle }" :src="`https://cdn.vuetifyjs.com/images/${item.src}`" height="150" class="text-xs-right pa-2" diff --git a/packages/docs/src/examples/item-groups/playground.vue b/packages/docs/src/examples/item-groups/playground.vue index 880ea36bd70..f8c3cdae05c 100644 --- a/packages/docs/src/examples/item-groups/playground.vue +++ b/packages/docs/src/examples/item-groups/playground.vue @@ -17,42 +17,40 @@ xs12 md4 > - <v-item> - <template slot-scope="{ active, toggle }"> - <v-card - v-if="type === 'cards'" - :color="active ? 'primary' : ''" - class="d-flex align-center" + <v-item v-slot:default="{ active, toggle }"> + <v-card + v-if="type === 'cards'" + :color="active ? 'primary' : ''" + class="d-flex align-center" + dark + height="200" + @click="toggle" + > + <v-scroll-y-transition> + <div + v-if="active" + class="display-3 text-xs-center" + > + Active + </div> + </v-scroll-y-transition> + </v-card> + <v-img + v-else + src="https://picsum.photos/id/237/200/300" + height="150" + class="text-xs-right pa-2" + @click="toggle" + > + <v-btn + icon dark - height="200" - @click="toggle" - > - <v-scroll-y-transition> - <div - v-if="active" - class="display-3 text-xs-center" - > - Active - </div> - </v-scroll-y-transition> - </v-card> - <v-img - v-else - src="https://picsum.photos/id/237/200/300" - height="150" - class="text-xs-right pa-2" - @click="toggle" > - <v-btn - icon - dark - > - <v-icon> - {{ active ? 'mdi-heart' : 'mdi-heart-outline' }} - </v-icon> - </v-btn> - </v-img> - </template> + <v-icon> + {{ active ? 'mdi-heart' : 'mdi-heart-outline' }} + </v-icon> + </v-btn> + </v-img> </v-item> </v-flex> </v-layout> diff --git a/packages/docs/src/examples/item-groups/simple/activeClass.vue b/packages/docs/src/examples/item-groups/simple/activeClass.vue index 32a0674ae8d..32c103e16d8 100644 --- a/packages/docs/src/examples/item-groups/simple/activeClass.vue +++ b/packages/docs/src/examples/item-groups/simple/activeClass.vue @@ -8,9 +8,8 @@ xs12 md4 > - <v-item> + <v-item v-slot:default="{ active, toggle }"> <v-card - slot-scope="{ active, toggle }" class="d-flex align-center" dark height="200" diff --git a/packages/docs/src/examples/item-groups/simple/mandatory.vue b/packages/docs/src/examples/item-groups/simple/mandatory.vue index 487ef7bbbf4..c6913ae8e6f 100644 --- a/packages/docs/src/examples/item-groups/simple/mandatory.vue +++ b/packages/docs/src/examples/item-groups/simple/mandatory.vue @@ -8,9 +8,8 @@ xs12 md4 > - <v-item> + <v-item v-slot:default="{ active, toggle }"> <v-card - slot-scope="{ active, toggle }" :color="active ? 'primary' : ''" class="d-flex align-center" dark diff --git a/packages/docs/src/examples/item-groups/simple/multiple.vue b/packages/docs/src/examples/item-groups/simple/multiple.vue index 2a4de4ea448..7f658199d85 100644 --- a/packages/docs/src/examples/item-groups/simple/multiple.vue +++ b/packages/docs/src/examples/item-groups/simple/multiple.vue @@ -8,9 +8,8 @@ xs12 md4 > - <v-item> + <v-item v-slot:default="{ active, toggle }"> <v-card - slot-scope="{ active, toggle }" :color="active ? 'primary' : ''" class="d-flex align-center" dark diff --git a/packages/docs/src/examples/item-groups/usage.vue b/packages/docs/src/examples/item-groups/usage.vue index 970512293f3..bbf0da00a1a 100644 --- a/packages/docs/src/examples/item-groups/usage.vue +++ b/packages/docs/src/examples/item-groups/usage.vue @@ -8,9 +8,8 @@ xs12 md4 > - <v-item> + <v-item v-slot:default="{ active, toggle }"> <v-card - slot-scope="{ active, toggle }" :color="active ? 'primary' : ''" class="d-flex align-center" dark diff --git a/packages/docs/src/examples/list-item-groups/selectionControls.vue b/packages/docs/src/examples/list-item-groups/selectionControls.vue index 2cdf8a2e75c..733387a8750 100644 --- a/packages/docs/src/examples/list-item-groups/selectionControls.vue +++ b/packages/docs/src/examples/list-item-groups/selectionControls.vue @@ -20,7 +20,7 @@ :value="item" active-class="deep-purple--text text--accent-4" > - <template #default="{ active, toggle }"> + <template v-slot:default="{ active, toggle }"> <v-list-item-content> <v-list-item-title v-text="item"></v-list-item-title> </v-list-item-content> diff --git a/packages/docs/src/examples/lists/intermediate/actionTitleAndSubtitle.vue b/packages/docs/src/examples/lists/intermediate/actionTitleAndSubtitle.vue index b2583d3476a..c7a847345ff 100644 --- a/packages/docs/src/examples/lists/intermediate/actionTitleAndSubtitle.vue +++ b/packages/docs/src/examples/lists/intermediate/actionTitleAndSubtitle.vue @@ -54,7 +54,7 @@ active-class="" > <v-list-item> - <template #default="{ active }"> + <template v-slot:default="{ active }"> <v-list-item-action> <v-checkbox v-model="active"></v-checkbox> </v-list-item-action> @@ -67,7 +67,7 @@ </v-list-item> <v-list-item> - <template #default="{ active }"> + <template v-slot:default="{ active }"> <v-list-item-action> <v-checkbox v-model="active"></v-checkbox> </v-list-item-action> @@ -80,7 +80,7 @@ </v-list-item> <v-list-item> - <template #default="{ active }"> + <template v-slot:default="{ active }"> <v-list-item-action> <v-checkbox v-model="active"></v-checkbox> </v-list-item-action> diff --git a/packages/docs/src/examples/lists/intermediate/subheadingsAndDividers.vue b/packages/docs/src/examples/lists/intermediate/subheadingsAndDividers.vue index c80157aafe1..f3f538d9fab 100644 --- a/packages/docs/src/examples/lists/intermediate/subheadingsAndDividers.vue +++ b/packages/docs/src/examples/lists/intermediate/subheadingsAndDividers.vue @@ -44,7 +44,7 @@ multiple > <v-list-item> - <template #default="{ active, toggle }"> + <template v-slot:default="{ active, toggle }"> <v-list-item-action> <v-checkbox v-model="active" @@ -61,7 +61,7 @@ </v-list-item> <v-list-item> - <template #default="{ active, toggle }"> + <template v-slot:default="{ active, toggle }"> <v-list-item-action> <v-checkbox v-model="active" @@ -78,7 +78,7 @@ </v-list-item> <v-list-item> - <template #default="{ active, toggle }"> + <template v-slot:default="{ active, toggle }"> <v-list-item-action> <v-checkbox v-model="active" @@ -95,7 +95,7 @@ </v-list-item> <v-list-item> - <template #default="{ active, toggle }"> + <template v-slot:default="{ active, toggle }"> <v-list-item-action> <v-checkbox v-model="active" diff --git a/packages/docs/src/examples/lists/intermediate/titleSubtitleActionsAndActionText.vue b/packages/docs/src/examples/lists/intermediate/titleSubtitleActionsAndActionText.vue index f0528aee1e6..2bc1fee53cf 100644 --- a/packages/docs/src/examples/lists/intermediate/titleSubtitleActionsAndActionText.vue +++ b/packages/docs/src/examples/lists/intermediate/titleSubtitleActionsAndActionText.vue @@ -30,7 +30,7 @@ > <template v-for="(item, index) in items"> <v-list-item :key="item.title"> - <template #default="{ active, toggle }"> + <template v-slot:default="{ active, toggle }"> <v-list-item-content> <v-list-item-title v-text="item.title"></v-list-item-title> <v-list-item-subtitle class="text--primary" v-text="item.headline"></v-list-item-subtitle> diff --git a/packages/docs/src/examples/slide-groups/carousel.vue b/packages/docs/src/examples/slide-groups/carousel.vue index 781f52137d0..1df703f0e70 100644 --- a/packages/docs/src/examples/slide-groups/carousel.vue +++ b/packages/docs/src/examples/slide-groups/carousel.vue @@ -12,9 +12,9 @@ <v-slide-item v-for="n in 15" :key="n" + v-slot:default="{ active, toggle }" > <v-card - slot-scope="{ active, toggle }" :color="active ? 'primary' : 'grey lighten-1'" class="ma-3" height="200" diff --git a/packages/docs/src/examples/slide-groups/centerActive.vue b/packages/docs/src/examples/slide-groups/centerActive.vue index cecfd5f518a..b1c2d6d0f95 100755 --- a/packages/docs/src/examples/slide-groups/centerActive.vue +++ b/packages/docs/src/examples/slide-groups/centerActive.vue @@ -13,9 +13,9 @@ <v-slide-item v-for="n in 15" :key="n" + v-slot:default="{ active, toggle }" > <v-card - slot-scope="{ active, toggle }" :color="active ? 'primary' : 'grey lighten-1'" class="ma-3" height="200" diff --git a/packages/docs/src/examples/slide-groups/usage.vue b/packages/docs/src/examples/slide-groups/usage.vue index 5a7deabd83c..ce4afa70a0d 100644 --- a/packages/docs/src/examples/slide-groups/usage.vue +++ b/packages/docs/src/examples/slide-groups/usage.vue @@ -7,9 +7,9 @@ <v-slide-item v-for="n in 25" :key="n" + v-slot:default="{ active, toggle }" > <v-btn - slot-scope="{ active, toggle }" :input-value="active" active-class="purple white--text" depressed diff --git a/packages/docs/src/examples/sliders/intermediate/metronome.vue b/packages/docs/src/examples/sliders/intermediate/metronome.vue index 320e5faf71d..5869175c800 100644 --- a/packages/docs/src/examples/sliders/intermediate/metronome.vue +++ b/packages/docs/src/examples/sliders/intermediate/metronome.vue @@ -62,7 +62,7 @@ min="40" max="218" > - <template #prepend> + <template v-slot:prepend> <v-icon :color="color" @click="decrement" @@ -71,7 +71,7 @@ </v-icon> </template> - <template #append> + <template v-slot:append> <v-icon :color="color" @click="increment" diff --git a/packages/docs/src/examples/sliders/simple/customThumb.vue b/packages/docs/src/examples/sliders/simple/customThumb.vue index 70c3ed9319a..28fd02ebddb 100644 --- a/packages/docs/src/examples/sliders/simple/customThumb.vue +++ b/packages/docs/src/examples/sliders/simple/customThumb.vue @@ -9,7 +9,7 @@ ticks="always" tick-size="4" > - <template #thumb-label="props"> + <template v-slot:thumb-label="props"> <v-icon dark> {{ season(props.value) }} </v-icon> diff --git a/packages/docs/src/examples/sliders/simple/editableNumericValue.vue b/packages/docs/src/examples/sliders/simple/editableNumericValue.vue index 2f92501b2fd..c88578e1798 100644 --- a/packages/docs/src/examples/sliders/simple/editableNumericValue.vue +++ b/packages/docs/src/examples/sliders/simple/editableNumericValue.vue @@ -21,7 +21,7 @@ label="R" class="align-center" > - <template #append> + <template v-slot:append> <v-text-field v-model="red" class="mt-0 pt-0" @@ -39,7 +39,7 @@ label="G" class="align-center" > - <template #append> + <template v-slot:append> <v-text-field v-model="green" class="mt-0 pt-0" @@ -57,7 +57,7 @@ label="B" class="align-center" > - <template #append> + <template v-slot:append> <v-text-field v-model="blue" class="mt-0 pt-0" diff --git a/packages/docs/src/examples/sliders/simple/minMax.vue b/packages/docs/src/examples/sliders/simple/minMax.vue index bf4dc163df2..38f4e9a480e 100644 --- a/packages/docs/src/examples/sliders/simple/minMax.vue +++ b/packages/docs/src/examples/sliders/simple/minMax.vue @@ -12,7 +12,7 @@ :min="min" hide-details > - <template #append> + <template v-slot:append> <v-text-field v-model="slider" class="mt-0 pt-0" @@ -39,7 +39,7 @@ hide-details class="align-center" > - <template #prepend> + <template v-slot:prepend> <v-text-field v-model="range[0]" class="mt-0 pt-0" @@ -49,7 +49,7 @@ style="width: 60px" ></v-text-field> </template> - <template #append> + <template v-slot:append> <v-text-field v-model="range[1]" class="mt-0 pt-0" diff --git a/packages/docs/src/examples/sparklines/fill.vue b/packages/docs/src/examples/sparklines/fill.vue index 3c990f20e70..9c3810b05fe 100644 --- a/packages/docs/src/examples/sparklines/fill.vue +++ b/packages/docs/src/examples/sparklines/fill.vue @@ -20,9 +20,13 @@ <v-layout fill-height align-center> <v-item-group v-model="gradient" mandatory> <v-layout> - <v-item v-for="(gradient, i) in gradients" :key="i" :value="gradient"> + <v-item + v-for="(gradient, i) in gradients" + :key="i" + v-slot:default="{ active, toggle }" + :value="gradient" + > <v-card - slot-scope="{ active, toggle }" :style="{ background: gradient.length > 1 ? `linear-gradient(0deg, ${gradient})` diff --git a/packages/docs/src/examples/sparklines/playground.vue b/packages/docs/src/examples/sparklines/playground.vue index 217a8d14f24..067eac55461 100644 --- a/packages/docs/src/examples/sparklines/playground.vue +++ b/packages/docs/src/examples/sparklines/playground.vue @@ -21,9 +21,13 @@ <v-layout fill-height align-center> <v-item-group v-model="gradient" mandatory> <v-layout> - <v-item v-for="(gradient, i) in gradients" :key="i" :value="gradient"> + <v-item + v-for="(gradient, i) in gradients" + :key="i" + v-slot:default="{ active, toggle }" + :value="gradient" + > <v-card - slot-scope="{ active, toggle }" :style="{ background: gradient.length > 1 ? `linear-gradient(0deg, ${gradient})` diff --git a/packages/docs/src/examples/windows/simple/onboarding.vue b/packages/docs/src/examples/windows/simple/onboarding.vue index 59a6379f000..b1477b554b2 100644 --- a/packages/docs/src/examples/windows/simple/onboarding.vue +++ b/packages/docs/src/examples/windows/simple/onboarding.vue @@ -41,9 +41,9 @@ <v-item v-for="n in length" :key="`btn-${n}`" + v-slot:default="{ active, toggle }" > <v-btn - slot-scope="{ active, toggle }" :input-value="active" icon @click="toggle" diff --git a/packages/docs/src/examples/windows/simple/reverse.vue b/packages/docs/src/examples/windows/simple/reverse.vue index f1950cd27c2..ee4a3daef40 100644 --- a/packages/docs/src/examples/windows/simple/reverse.vue +++ b/packages/docs/src/examples/windows/simple/reverse.vue @@ -36,9 +36,9 @@ <v-item v-for="n in length" :key="`btn-${n}`" + v-slot:default="{ active, toggle }" > <v-btn - slot-scope="{ active, toggle }" :input-value="active" icon @click="toggle" diff --git a/packages/docs/src/examples/windows/simple/vertical.vue b/packages/docs/src/examples/windows/simple/vertical.vue index b12e5dc38bc..69d6ef99bf7 100644 --- a/packages/docs/src/examples/windows/simple/vertical.vue +++ b/packages/docs/src/examples/windows/simple/vertical.vue @@ -36,9 +36,9 @@ <v-item v-for="n in length" :key="`btn-${n}`" + v-slot:default="{ active, toggle }" > <v-btn - slot-scope="{ active, toggle }" :input-value="active" icon @click="toggle" diff --git a/packages/docs/src/examples/windows/usage.vue b/packages/docs/src/examples/windows/usage.vue index 349caeca3b7..e4e6d3d7ab7 100644 --- a/packages/docs/src/examples/windows/usage.vue +++ b/packages/docs/src/examples/windows/usage.vue @@ -9,8 +9,9 @@ <v-item v-for="n in length" :key="n" + v-slot:default="{ active, toggle }" > - <div slot-scope="{ active, toggle }"> + <div> <v-btn :input-value="active" icon
9cd96a88e81c69e9fe2c8e20f518ab39a0ff21cc
2019-11-22 21:04:33
John Leider
fix(VBtn): add missing sass variable for text-transform
false
add missing sass variable for text-transform
fix
diff --git a/packages/vuetify/src/components/VBtn/VBtn.sass b/packages/vuetify/src/components/VBtn/VBtn.sass index 15dc18b5ac3..54448e88208 100644 --- a/packages/vuetify/src/components/VBtn/VBtn.sass +++ b/packages/vuetify/src/components/VBtn/VBtn.sass @@ -50,7 +50,7 @@ position: relative text-decoration: none text-indent: $btn-letter-spacing - text-transform: uppercase + text-transform: $btn-text-transform transition-duration: $btn-transition-duration transition-property: box-shadow, transform, opacity transition-timing-function: $btn-transition-fn diff --git a/packages/vuetify/src/components/VBtn/_variables.scss b/packages/vuetify/src/components/VBtn/_variables.scss index cea1c7b24e5..b7389e177c4 100644 --- a/packages/vuetify/src/components/VBtn/_variables.scss +++ b/packages/vuetify/src/components/VBtn/_variables.scss @@ -11,6 +11,7 @@ $btn-icon-padding: 12px !default; $btn-letter-spacing: .0892857143em !default; $btn-outline-border-width: thin !default; $btn-rounded-border-radius: 28px !default; +$btn-text-transform: uppercase !default; $btn-transition-duration: 0.28s !default; $btn-transition-fn: map-get($transition, 'fast-out-slow-in') !default; $btn-transition: opacity 0.2s map-get($transition, 'ease-in-out') !default;
1a8db40219d859631d63c5efb4e6c589296f6d97
2024-05-07 12:14:59
Kael
chore: update vue to 3.4.27
false
update vue to 3.4.27
chore
diff --git a/package.json b/package.json index 986155b7f7d..df2ba25274d 100755 --- a/package.json +++ b/package.json @@ -43,7 +43,7 @@ "@typescript-eslint/eslint-plugin": "^6.21.0", "@typescript-eslint/parser": "^6.21.0", "@unhead/vue": "^1.9.4", - "@vue/compiler-sfc": "^3.4.21", + "@vue/compiler-sfc": "^3.4.27", "@vueuse/head": "^1.3.1", "babel-eslint": "^10.1.0", "babel-jest": "^28.1.3", @@ -82,7 +82,7 @@ "upath": "^2.0.1", "vite-plugin-inspect": "^0.8.3", "vite-plugin-warmup": "^0.1.0", - "vue": "^3.4.21", + "vue": "^3.4.27", "vue-analytics": "^5.16.1", "vue-router": "^4.3.0", "vue-tsc": "^1.8.27", diff --git a/packages/api-generator/package.json b/packages/api-generator/package.json index ba8f15c7a9c..113dae776c2 100755 --- a/packages/api-generator/package.json +++ b/packages/api-generator/package.json @@ -16,7 +16,7 @@ "prettier": "^3.2.5", "ts-morph": "^22.0.0", "tsx": "^4.7.2", - "vue": "^3.4.21", + "vue": "^3.4.27", "vuetify": "^3.6.3" }, "devDependencies": { diff --git a/packages/docs/package.json b/packages/docs/package.json index 449a64171ab..3385989eca2 100644 --- a/packages/docs/package.json +++ b/packages/docs/package.json @@ -33,7 +33,7 @@ "prismjs": "^1.29.0", "roboto-fontface": "^0.10.0", "vee-validate": "^4.12.6", - "vue": "^3.4.21", + "vue": "^3.4.27", "vue-gtag-next": "^1.14.0", "vue-i18n": "^9.11.0", "vue-instantsearch": "^4.15.0", @@ -49,7 +49,7 @@ "@types/prismjs": "^1.26.3", "@vitejs/plugin-basic-ssl": "^1.1.0", "@vitejs/plugin-vue": "^5.0.4", - "@vue/compiler-sfc": "^3.4.21", + "@vue/compiler-sfc": "^3.4.27", "@vuetify/api-generator": "^3.6.3", "ajv": "^8.12.0", "async-es": "^3.2.5", diff --git a/packages/vuetify/package.json b/packages/vuetify/package.json index a5addaba149..1b82b1f18ed 100755 --- a/packages/vuetify/package.json +++ b/packages/vuetify/package.json @@ -138,7 +138,7 @@ "@vitejs/plugin-vue": "^5.0.4", "@vitejs/plugin-vue-jsx": "^3.1.0", "@vue/babel-plugin-jsx": "^1.2.2", - "@vue/test-utils": "2.4.5", + "@vue/test-utils": "2.4.6", "acorn-walk": "^8.3.2", "autoprefixer": "^10.4.19", "babel-plugin-add-import-extension": "1.5.1", diff --git a/packages/vuetify/src/components/VSlideGroup/VSlideGroup.tsx b/packages/vuetify/src/components/VSlideGroup/VSlideGroup.tsx index 676486fe22e..0fa926635c9 100644 --- a/packages/vuetify/src/components/VSlideGroup/VSlideGroup.tsx +++ b/packages/vuetify/src/components/VSlideGroup/VSlideGroup.tsx @@ -207,7 +207,7 @@ export const VSlideGroup = genericComponent<new <T>( } } - function onScroll (e: UIEvent) { + function onScroll (e: Event) { const { scrollTop, scrollLeft } = e.target as HTMLElement scrollOffset.value = isHorizontal.value ? scrollLeft : scrollTop diff --git a/packages/vuetify/src/globals.d.ts b/packages/vuetify/src/globals.d.ts index cb06c7aeac7..8068100005b 100644 --- a/packages/vuetify/src/globals.d.ts +++ b/packages/vuetify/src/globals.d.ts @@ -58,16 +58,6 @@ declare global { path?: EventTarget[] } - interface UIEvent { - initUIEvent ( - typeArg: string, - canBubbleArg: boolean, - cancelableArg: boolean, - viewArg: Window, - detailArg: number, - ): void - } - interface MouseEvent { sourceCapabilities?: { firesTouchEvents: boolean } } diff --git a/yarn.lock b/yarn.lock index 063b4d09793..e54478ecf52 100644 --- a/yarn.lock +++ b/yarn.lock @@ -3991,6 +3991,17 @@ estree-walker "^2.0.2" source-map-js "^1.0.2" +"@vue/[email protected]": + version "3.4.27" + resolved "https://registry.yarnpkg.com/@vue/compiler-core/-/compiler-core-3.4.27.tgz#e69060f4b61429fe57976aa5872cfa21389e4d91" + integrity sha512-E+RyqY24KnyDXsCuQrI+mlcdW3ALND6U7Gqa/+bVwbcpcR3BRRIckFoz7Qyd4TTlnugtwuI7YgjbvsLmxb+yvg== + dependencies: + "@babel/parser" "^7.24.4" + "@vue/shared" "3.4.27" + entities "^4.5.0" + estree-walker "^2.0.2" + source-map-js "^1.2.0" + "@vue/[email protected]", "@vue/compiler-dom@^3.3.0": version "3.4.21" resolved "https://registry.yarnpkg.com/@vue/compiler-dom/-/compiler-dom-3.4.21.tgz#0077c355e2008207283a5a87d510330d22546803" @@ -3999,7 +4010,30 @@ "@vue/compiler-core" "3.4.21" "@vue/shared" "3.4.21" -"@vue/[email protected]", "@vue/compiler-sfc@^3.2.47", "@vue/compiler-sfc@^3.4.15", "@vue/compiler-sfc@^3.4.21": +"@vue/[email protected]": + version "3.4.27" + resolved "https://registry.yarnpkg.com/@vue/compiler-dom/-/compiler-dom-3.4.27.tgz#d51d35f40d00ce235d7afc6ad8b09dfd92b1cc1c" + integrity sha512-kUTvochG/oVgE1w5ViSr3KUBh9X7CWirebA3bezTbB5ZKBQZwR2Mwj9uoSKRMFcz4gSMzzLXBPD6KpCLb9nvWw== + dependencies: + "@vue/compiler-core" "3.4.27" + "@vue/shared" "3.4.27" + +"@vue/[email protected]", "@vue/compiler-sfc@^3.4.27": + version "3.4.27" + resolved "https://registry.yarnpkg.com/@vue/compiler-sfc/-/compiler-sfc-3.4.27.tgz#399cac1b75c6737bf5440dc9cf3c385bb2959701" + integrity sha512-nDwntUEADssW8e0rrmE0+OrONwmRlegDA1pD6QhVeXxjIytV03yDqTey9SBDiALsvAd5U4ZrEKbMyVXhX6mCGA== + dependencies: + "@babel/parser" "^7.24.4" + "@vue/compiler-core" "3.4.27" + "@vue/compiler-dom" "3.4.27" + "@vue/compiler-ssr" "3.4.27" + "@vue/shared" "3.4.27" + estree-walker "^2.0.2" + magic-string "^0.30.10" + postcss "^8.4.38" + source-map-js "^1.2.0" + +"@vue/compiler-sfc@^3.2.47", "@vue/compiler-sfc@^3.4.15": version "3.4.21" resolved "https://registry.yarnpkg.com/@vue/compiler-sfc/-/compiler-sfc-3.4.21.tgz#4af920dc31ab99e1ff5d152b5fe0ad12181145b2" integrity sha512-me7epoTxYlY+2CUM7hy9PCDdpMPfIwrOvAXud2Upk10g4YLv9UBW7kL798TvMeDhPthkZ0CONNrK2GoeI1ODiQ== @@ -4022,6 +4056,14 @@ "@vue/compiler-dom" "3.4.21" "@vue/shared" "3.4.21" +"@vue/[email protected]": + version "3.4.27" + resolved "https://registry.yarnpkg.com/@vue/compiler-ssr/-/compiler-ssr-3.4.27.tgz#2a8ecfef1cf448b09be633901a9c020360472e3d" + integrity sha512-CVRzSJIltzMG5FcidsW0jKNQnNRYC8bT21VegyMMtHmhW3UOI7knmUehzswXLrExDLE6lQCZdrhD4ogI7c+vuw== + dependencies: + "@vue/compiler-dom" "3.4.27" + "@vue/shared" "3.4.27" + "@vue/devtools-api@^6.5.0", "@vue/devtools-api@^6.5.1": version "6.5.1" resolved "https://registry.yarnpkg.com/@vue/devtools-api/-/devtools-api-6.5.1.tgz#7f71f31e40973eeee65b9a64382b13593fdbd697" @@ -4042,31 +4084,39 @@ path-browserify "^1.0.1" vue-template-compiler "^2.7.14" -"@vue/[email protected]": - version "3.4.21" - resolved "https://registry.yarnpkg.com/@vue/reactivity/-/reactivity-3.4.21.tgz#affd3415115b8ebf4927c8d2a0d6a24bccfa9f02" - integrity sha512-UhenImdc0L0/4ahGCyEzc/pZNwVgcglGy9HVzJ1Bq2Mm9qXOpP8RyNTjookw/gOCUlXSEtuZ2fUg5nrHcoqJcw== +"@vue/[email protected]": + version "3.4.27" + resolved "https://registry.yarnpkg.com/@vue/reactivity/-/reactivity-3.4.27.tgz#6ece72331bf719953f5eaa95ec60b2b8d49e3791" + integrity sha512-kK0g4NknW6JX2yySLpsm2jlunZJl2/RJGZ0H9ddHdfBVHcNzxmQ0sS0b09ipmBoQpY8JM2KmUw+a6sO8Zo+zIA== dependencies: - "@vue/shared" "3.4.21" + "@vue/shared" "3.4.27" -"@vue/[email protected]": - version "3.4.21" - resolved "https://registry.yarnpkg.com/@vue/runtime-core/-/runtime-core-3.4.21.tgz#3749c3f024a64c4c27ecd75aea4ca35634db0062" - integrity sha512-pQthsuYzE1XcGZznTKn73G0s14eCJcjaLvp3/DKeYWoFacD9glJoqlNBxt3W2c5S40t6CCcpPf+jG01N3ULyrA== +"@vue/[email protected]": + version "3.4.27" + resolved "https://registry.yarnpkg.com/@vue/runtime-core/-/runtime-core-3.4.27.tgz#1b6e1d71e4604ba7442dd25ed22e4a1fc6adbbda" + integrity sha512-7aYA9GEbOOdviqVvcuweTLe5Za4qBZkUY7SvET6vE8kyypxVgaT1ixHLg4urtOlrApdgcdgHoTZCUuTGap/5WA== dependencies: - "@vue/reactivity" "3.4.21" - "@vue/shared" "3.4.21" + "@vue/reactivity" "3.4.27" + "@vue/shared" "3.4.27" -"@vue/[email protected]": - version "3.4.21" - resolved "https://registry.yarnpkg.com/@vue/runtime-dom/-/runtime-dom-3.4.21.tgz#91f867ef64eff232cac45095ab28ebc93ac74588" - integrity sha512-gvf+C9cFpevsQxbkRBS1NpU8CqxKw0ebqMvLwcGQrNpx6gqRDodqKqA+A2VZZpQ9RpK2f9yfg8VbW/EpdFUOJw== +"@vue/[email protected]": + version "3.4.27" + resolved "https://registry.yarnpkg.com/@vue/runtime-dom/-/runtime-dom-3.4.27.tgz#fe8d1ce9bbe8921d5dd0ad5c10df0e04ef7a5ee7" + integrity sha512-ScOmP70/3NPM+TW9hvVAz6VWWtZJqkbdf7w6ySsws+EsqtHvkhxaWLecrTorFxsawelM5Ys9FnDEMt6BPBDS0Q== dependencies: - "@vue/runtime-core" "3.4.21" - "@vue/shared" "3.4.21" + "@vue/runtime-core" "3.4.27" + "@vue/shared" "3.4.27" csstype "^3.1.3" -"@vue/[email protected]", "@vue/server-renderer@^3.2.26": +"@vue/[email protected]": + version "3.4.27" + resolved "https://registry.yarnpkg.com/@vue/server-renderer/-/server-renderer-3.4.27.tgz#3306176f37e648ba665f97dda3ce705687be63d2" + integrity sha512-dlAMEuvmeA3rJsOMJ2J1kXU7o7pOxgsNHVr9K8hB3ImIkSuBrIdy0vF66h8gf8Tuinf1TK3mPAz2+2sqyf3KzA== + dependencies: + "@vue/compiler-ssr" "3.4.27" + "@vue/shared" "3.4.27" + +"@vue/server-renderer@^3.2.26": version "3.4.21" resolved "https://registry.yarnpkg.com/@vue/server-renderer/-/server-renderer-3.4.21.tgz#150751579d26661ee3ed26a28604667fa4222a97" integrity sha512-aV1gXyKSN6Rz+6kZ6kr5+Ll14YzmIbeuWe7ryJl5muJ4uwSwY/aStXTixx76TwkZFJLm1aAlA/HSWEJ4EyiMkg== @@ -4079,10 +4129,15 @@ resolved "https://registry.yarnpkg.com/@vue/shared/-/shared-3.4.21.tgz#de526a9059d0a599f0b429af7037cd0c3ed7d5a1" integrity sha512-PuJe7vDIi6VYSinuEbUIQgMIRZGgM8e4R+G+/dQTk0X1NEdvgvvgv7m+rfmDH1gZzyA1OjjoWskvHlfRNfQf3g== -"@vue/[email protected]": - version "2.4.5" - resolved "https://registry.yarnpkg.com/@vue/test-utils/-/test-utils-2.4.5.tgz#010aa4debe6602d83dc75f233b397092742105a2" - integrity sha512-oo2u7vktOyKUked36R93NB7mg2B+N7Plr8lxp2JBGwr18ch6EggFjixSCdIVVLkT6Qr0z359Xvnafc9dcKyDUg== +"@vue/[email protected]": + version "3.4.27" + resolved "https://registry.yarnpkg.com/@vue/shared/-/shared-3.4.27.tgz#f05e3cd107d157354bb4ae7a7b5fc9cf73c63b50" + integrity sha512-DL3NmY2OFlqmYYrzp39yi3LDkKxa5vZVwxWdQ3rG0ekuWscHraeIbnI8t+aZK7qhYqEqWKTUdijadunb9pnrgA== + +"@vue/[email protected]": + version "2.4.6" + resolved "https://registry.yarnpkg.com/@vue/test-utils/-/test-utils-2.4.6.tgz#7d534e70c4319d2a587d6a3b45a39e9695ade03c" + integrity sha512-FMxEjOpYNYiFe0GkaHsnJPXFHxQ6m4t8vI/ElPGpMWxZKpmRvQ33OIrvRXemy6yha03RxhOlQuy+gZMC3CQSow== dependencies: js-beautify "^1.14.9" vue-component-type-helpers "^2.0.0" @@ -10419,6 +10474,13 @@ magic-string@^0.25.0, magic-string@^0.25.7: dependencies: sourcemap-codec "^1.4.4" +magic-string@^0.30.10: + version "0.30.10" + resolved "https://registry.yarnpkg.com/magic-string/-/magic-string-0.30.10.tgz#123d9c41a0cb5640c892b041d4cfb3bd0aa4b39e" + integrity sha512-iIRwTIf0QKV3UAnYK4PU8uiEc4SRh5jX0mwpIwETPpHdhVM4f53RSwS/vXvN1JhGX+Cs7B8qIq3d6AH49O5fAQ== + dependencies: + "@jridgewell/sourcemap-codec" "^1.4.15" + magic-string@^0.30.3, magic-string@^0.30.4, magic-string@^0.30.5, magic-string@^0.30.7, magic-string@^0.30.9: version "0.30.9" resolved "https://registry.yarnpkg.com/magic-string/-/magic-string-0.30.9.tgz#8927ae21bfdd856310e07a1bc8dd5e73cb6c251d" @@ -14806,16 +14868,16 @@ vue-tsc@^1.8.27: "@vue/language-core" "1.8.27" semver "^7.5.4" -vue@^3.4.21: - version "3.4.21" - resolved "https://registry.yarnpkg.com/vue/-/vue-3.4.21.tgz#69ec30e267d358ee3a0ce16612ba89e00aaeb731" - integrity sha512-5hjyV/jLEIKD/jYl4cavMcnzKwjMKohureP8ejn3hhEjwhWIhWeuzL2kJAjzl/WyVsgPY56Sy4Z40C3lVshxXA== +vue@^3.4.27: + version "3.4.27" + resolved "https://registry.yarnpkg.com/vue/-/vue-3.4.27.tgz#40b7d929d3e53f427f7f5945386234d2854cc2a1" + integrity sha512-8s/56uK6r01r1icG/aEOHqyMVxd1bkYcSe9j8HcKtr/xTOFWvnzIVTehNW+5Yt89f+DLBe4A569pnZLS5HzAMA== dependencies: - "@vue/compiler-dom" "3.4.21" - "@vue/compiler-sfc" "3.4.21" - "@vue/runtime-dom" "3.4.21" - "@vue/server-renderer" "3.4.21" - "@vue/shared" "3.4.21" + "@vue/compiler-dom" "3.4.27" + "@vue/compiler-sfc" "3.4.27" + "@vue/runtime-dom" "3.4.27" + "@vue/server-renderer" "3.4.27" + "@vue/shared" "3.4.27" w3c-hr-time@^1.0.2: version "1.0.2"
002b26148a1f5e50900b1fa688bfe7b1b5cb1049
2018-01-05 07:52:24
John Leider
fix(v-tab): moved text specific styling to parent
false
moved text specific styling to parent
fix
diff --git a/src/stylus/components/_tabs.styl b/src/stylus/components/_tabs.styl index 4d650c28b98..e294d8d0fd5 100755 --- a/src/stylus/components/_tabs.styl +++ b/src/stylus/components/_tabs.styl @@ -117,8 +117,14 @@ theme(tabs__bar, "tabs__bar") align-items: center display: inline-flex flex: 0 1 auto + font-size: 14px + font-weight: 500 + line-height: normal height: inherit max-width: 264px + text-align: center + text-decoration: none + text-transform: $tab-text-transform vertical-align: middle .tabs__item @@ -127,16 +133,10 @@ theme(tabs__bar, "tabs__bar") display: flex flex: 1 1 flex-basis: 264px - font-size: 14px - font-weight: 500 height: 100% justify-content: center - line-height: normal max-width: inherit padding: 6px 12px - text-align: center - text-decoration: none - text-transform: $tab-text-transform transition: $primary-transition user-select: none white-space: normal
87d9d5564174756696fa6f25190f16cebc677428
2022-06-30 00:12:48
Blaine Landowski
refactor(VBtn): tuning pass (#15213)
false
tuning pass (#15213)
refactor
diff --git a/packages/vuetify/src/components/VBottomNavigation/VBottomNavigation.sass b/packages/vuetify/src/components/VBottomNavigation/VBottomNavigation.sass index d1779d4d3af..d74b0d25103 100644 --- a/packages/vuetify/src/components/VBottomNavigation/VBottomNavigation.sass +++ b/packages/vuetify/src/components/VBottomNavigation/VBottomNavigation.sass @@ -41,22 +41,15 @@ .v-btn__icon font-size: $bottom-navigation-icon-font-size - &:not(.v-btn--selected):not(.v-btn--disabled) - color: $bottom-navigation-button-color - .v-bottom-navigation--grow & > .v-btn flex-grow: 1 .v-bottom-navigation--shift & - > .v-btn - .v-btn__icon - top: $bottom-navigation-shift-icon-top - transform: $bottom-navigation-shift-icon-transform - + .v-btn &:not(.v-btn--selected) - .v-btn__content - color: $bottom-navigation-shift-content-color + .v-btn__content > span + opacity: 0 - .v-btn__icon - transform: translateY(0) + .v-btn__content + transform: $bottom-navigation-shift-icon-transform diff --git a/packages/vuetify/src/components/VBottomNavigation/_variables.scss b/packages/vuetify/src/components/VBottomNavigation/_variables.scss index 9b7ad8dc567..b6862418aa6 100644 --- a/packages/vuetify/src/components/VBottomNavigation/_variables.scss +++ b/packages/vuetify/src/components/VBottomNavigation/_variables.scss @@ -24,7 +24,7 @@ $bottom-navigation-min-width: 80px !default; $bottom-navigation-opacity: var(--v-medium-emphasis-opacity) !default; $bottom-navigation-shift-content-color: rgba(var(--v-theme-on-surface), 0) !default; $bottom-navigation-shift-icon-top: math.div($bottom-navigation-icon-font-size, 3) !default; -$bottom-navigation-shift-icon-transform: translateY(-($bottom-navigation-shift-icon-top)) !default; +$bottom-navigation-shift-icon-transform: translateY($bottom-navigation-shift-icon-top) !default; $bottom-navigation-text-transform: none !default; $bottom-navigation-transition: transform, color .2s, .1s settings.$standard-easing !default; diff --git a/packages/vuetify/src/components/VBtn/VBtn.sass b/packages/vuetify/src/components/VBtn/VBtn.sass index 0e129a5de66..88c222c15ab 100644 --- a/packages/vuetify/src/components/VBtn/VBtn.sass +++ b/packages/vuetify/src/components/VBtn/VBtn.sass @@ -8,7 +8,9 @@ .v-btn align-items: center border-radius: $button-border-radius - display: inline-flex + display: grid + grid-template-areas: "prepend content append" + grid-template-columns: max-content auto max-content font-weight: $button-font-weight justify-content: center letter-spacing: $button-text-letter-spacing @@ -91,12 +93,15 @@ &--loading pointer-events: none - .v-btn__content + .v-btn__content, + .v-btn__prepend, + .v-btn__append opacity: 0 &--stacked - flex-direction: column - line-height: $button-stacked-line-height + .v-btn__content + flex-direction: column + line-height: $button-stacked-line-height @at-root @include button-sizes($button-stacked-sizes, true) @@ -126,10 +131,36 @@ top: 0 width: 100% -.v-btn__content +.v-btn__content, +.v-btn__prepend, +.v-btn__append + align-items: center + display: flex transition: $button-content-transition + +.v-btn__prepend + grid-area: prepend + margin-inline-start: $button-margin-start + margin-inline-end: $button-margin-end + +.v-btn__append + grid-area: append + margin-inline-start: $button-margin-end + margin-inline-end: $button-margin-start + +.v-btn__content + grid-area: content + justify-content: center white-space: $button-white-space + > .v-icon--start + margin-inline-start: $button-margin-start + margin-inline-end: $button-margin-end + + > .v-icon--end + margin-inline-start: $button-margin-end + margin-inline-end: $button-margin-start + .v-btn--stacked & white-space: normal diff --git a/packages/vuetify/src/components/VBtn/VBtn.tsx b/packages/vuetify/src/components/VBtn/VBtn.tsx index 75ad9af0310..30e80617ab9 100644 --- a/packages/vuetify/src/components/VBtn/VBtn.tsx +++ b/packages/vuetify/src/components/VBtn/VBtn.tsx @@ -3,15 +3,22 @@ import './VBtn.sass' // Components import { VBtnToggleSymbol } from '@/components/VBtnToggle/VBtnToggle' +import { VDefaultsProvider } from '@/components/VDefaultsProvider' import { VIcon } from '@/components/VIcon' import { VProgressCircular } from '@/components/VProgressCircular' +// Directives +import { Ripple } from '@/directives/ripple' + // Composables +import { genOverlays, makeVariantProps, useVariant } from '@/composables/variant' +import { IconValue } from '@/composables/icons' import { makeBorderProps, useBorder } from '@/composables/border' import { makeDensityProps, useDensity } from '@/composables/density' import { makeDimensionProps, useDimension } from '@/composables/dimensions' import { makeElevationProps, useElevation } from '@/composables/elevation' import { makeGroupItemProps, useGroupItem } from '@/composables/group' +import { makeLoaderProps, useLoader } from '@/composables/loader' import { makeLocationProps, useLocation } from '@/composables/location' import { makePositionProps, usePosition } from '@/composables/position' import { makeRoundedProps, useRounded } from '@/composables/rounded' @@ -19,16 +26,11 @@ import { makeRouterProps, useLink } from '@/composables/router' import { makeSizeProps, useSize } from '@/composables/size' import { makeTagProps } from '@/composables/tag' import { makeThemeProps, provideTheme } from '@/composables/theme' -import { genOverlays, makeVariantProps, useVariant } from '@/composables/variant' import { useSelectLink } from '@/composables/selectLink' -import { IconValue } from '@/composables/icons' - -// Directives -import { Ripple } from '@/directives/ripple' // Utilities import { computed } from 'vue' -import { defineComponent } from '@/util' +import { defineComponent, useRender } from '@/util' // Types import type { PropType } from 'vue' @@ -52,8 +54,6 @@ export const VBtn = defineComponent({ block: Boolean, stacked: Boolean, - loading: Boolean, - ripple: { type: Boolean, default: true, @@ -65,6 +65,7 @@ export const VBtn = defineComponent({ ...makeDimensionProps(), ...makeElevationProps(), ...makeGroupItemProps(), + ...makeLoaderProps(), ...makeLocationProps(), ...makePositionProps(), ...makeRouterProps(), @@ -81,6 +82,7 @@ export const VBtn = defineComponent({ const { densityClasses } = useDensity(props) const { dimensionStyles } = useDimension(props) const { elevationClasses } = useElevation(props) + const { loaderClasses } = useLoader(props) const { locationStyles } = useLocation(props) const { positionClasses } = usePosition(props) const { roundedClasses } = useRounded(props) @@ -94,9 +96,11 @@ export const VBtn = defineComponent({ useSelectLink(link, group?.select) - return () => { + useRender(() => { const Tag = (link.isLink.value) ? 'a' : props.tag const hasColor = !group || group.isSelected.value + const hasPrepend = !!(props.prependIcon || slots.prepend) + const hasAppend = !!(props.appendIcon || slots.append) return ( <Tag @@ -111,14 +115,15 @@ export const VBtn = defineComponent({ 'v-btn--elevated': isElevated.value, 'v-btn--flat': props.flat, 'v-btn--icon': !!props.icon, - 'v-btn--stacked': props.stacked, 'v-btn--loading': props.loading, + 'v-btn--stacked': props.stacked, }, themeClasses.value, borderClasses.value, hasColor ? colorClasses.value : undefined, densityClasses.value, elevationClasses.value, + loaderClasses.value, positionClasses.value, roundedClasses.value, sizeClasses.value, @@ -145,52 +150,72 @@ export const VBtn = defineComponent({ > { genOverlays(true, 'v-btn') } - <span class="v-btn__content" data-no-activator=""> - { !props.icon && props.prependIcon && ( - <VIcon - key="prependIcon" - class="v-btn__icon" - icon={ props.prependIcon } - start - /> - ) } - - { typeof props.icon === 'boolean' - ? slots.default?.() - : ( - <VIcon - key="icon" - class="v-btn__icon" - icon={ props.icon } - size={ props.size } - /> - ) - } - - { !props.icon && props.appendIcon && ( - <VIcon - key="appendIcon" - class="v-btn__icon" - icon={ props.appendIcon } - end - /> - ) } - </span> - - { props.loading && ( + { !props.icon && hasPrepend && ( + <VDefaultsProvider + key="prepend" + defaults={{ + VIcon: { + icon: props.prependIcon, + }, + }} + > + <div class="v-btn__prepend"> + { slots.prepend?.() ?? (<VIcon />) } + </div> + </VDefaultsProvider> + ) } + + <div class="v-btn__content" data-no-activator=""> + <VDefaultsProvider + key="content" + defaults={{ + VIcon: { + icon: typeof props.icon === 'string' + ? props.icon + : undefined, + }, + }} + > + { slots.default?.() ?? ( + typeof props.icon === 'string' && ( + <VIcon key="icon" /> + ) + ) } + </VDefaultsProvider> + </div> + + { !props.icon && hasAppend && ( + <VDefaultsProvider + key="append" + defaults={{ + VIcon: { + icon: props.appendIcon, + }, + }} + > + <div class="v-btn__append"> + { slots.append?.() ?? (<VIcon />) } + </div> + </VDefaultsProvider> + ) } + + { !!props.loading && ( <span key="loader" class="v-btn__loader"> - { slots.loader ? slots.loader() : ( + { slots.loader?.() ?? ( <VProgressCircular + color={ typeof props.loading === 'boolean' ? undefined : props.loading } indeterminate size="23" width="2" /> - )} + ) } </span> - )} + ) } </Tag> ) - } + }) + + return {} }, }) diff --git a/packages/vuetify/src/components/VBtn/_variables.scss b/packages/vuetify/src/components/VBtn/_variables.scss index 6f1ef91a0c3..db43204d6de 100644 --- a/packages/vuetify/src/components/VBtn/_variables.scss +++ b/packages/vuetify/src/components/VBtn/_variables.scss @@ -28,12 +28,16 @@ $button-height: 36px !default; $button-stacked-height: 72px !default; $button-icon-border-radius: map.get(settings.$rounded, 'circle') !default; $button-icon-font-size: 1rem !default; -$button-icon-size: 48px !default; +$button-icon-size: 40px !default; $button-line-height: normal !default; $button-stacked-line-height: 1.25 !default; $button-plain-opacity: .62 !default; $button-padding-ratio: 2.25 !default; $button-stacked-padding-ratio: 4.5 !default; +$button-margin-start-multiplier: -9 !default; +$button-margin-end-multiplier: 4.5 !default; +$button-margin-start: calc(var(--v-btn-height) / #{$button-margin-start-multiplier}) !default; +$button-margin-end: calc(var(--v-btn-height) / #{$button-margin-end-multiplier}) !default; $button-max-width: 100% !default; $button-positions: absolute fixed !default; $button-text-letter-spacing: tools.map-deep-get(settings.$typography, 'button', 'letter-spacing') !default; @@ -46,9 +50,9 @@ $button-stacked-width-ratio: 1 !default; $button-rounded-border-radius: map.get(settings.$rounded, 'xl') !default; $button-white-space: nowrap !default; -$button-density: ('default': 0, 'comfortable': -2, 'compact': -3) !default; +$button-density: ('default': 1, 'comfortable': -2, 'compact': -3) !default; $button-stacked-density: ('default': 0, 'comfortable': -4, 'compact': -6) !default; -$button-icon-density: ('default': 3, 'comfortable': 0, 'compact': -2) !default; +$button-icon-density: ('default': 1, 'comfortable': -2, 'compact': -2) !default; $button-border: ( $button-border-color, diff --git a/packages/vuetify/src/components/VIcon/VIcon.sass b/packages/vuetify/src/components/VIcon/VIcon.sass index 27ca8976ae6..9a0d7a15ecb 100644 --- a/packages/vuetify/src/components/VIcon/VIcon.sass +++ b/packages/vuetify/src/components/VIcon/VIcon.sass @@ -32,10 +32,6 @@ .v-icon--start margin-inline-end: $icon-margin-start - .v-btn:not(.v-btn--icon) & - margin-inline-start: $icon-btn-margin-start - margin-inline-end: $icon-btn-margin-end - .v-btn.v-btn--stacked & margin-inline-start: 0 margin-inline-end: 0 @@ -44,10 +40,6 @@ .v-icon--end margin-inline-start: $icon-margin-end - .v-btn:not(.v-btn--icon) & - margin-inline-start: $icon-btn-margin-end - margin-inline-end: $icon-btn-margin-start - .v-btn.v-btn--stacked & margin-inline-start: 0 margin-inline-end: 0 diff --git a/packages/vuetify/src/components/VIcon/_variables.scss b/packages/vuetify/src/components/VIcon/_variables.scss index 5d7128a3f40..ac301fe7f32 100644 --- a/packages/vuetify/src/components/VIcon/_variables.scss +++ b/packages/vuetify/src/components/VIcon/_variables.scss @@ -3,10 +3,6 @@ @use '../../styles/tools'; // VIcon -$icon-btn-margin-start-multiplier: -9 !default; -$icon-btn-margin-end-multiplier: 4.5 !default; -$icon-btn-margin-start: calc(var(--v-btn-height) / #{$icon-btn-margin-start-multiplier}) !default; -$icon-btn-margin-end: calc(var(--v-btn-height) / #{$icon-btn-margin-end-multiplier}) !default; $icon-btn-stacked-margin: 4px !default; $icon-left-margin-left: map.get(settings.$grid-gutters, 'md') !default; $icon-letter-spacing: normal !default; diff --git a/packages/vuetify/src/components/VPagination/__tests__/VPagination.spec.cy.tsx b/packages/vuetify/src/components/VPagination/__tests__/VPagination.spec.cy.tsx index 72d28432176..d89f341e279 100644 --- a/packages/vuetify/src/components/VPagination/__tests__/VPagination.spec.cy.tsx +++ b/packages/vuetify/src/components/VPagination/__tests__/VPagination.spec.cy.tsx @@ -89,7 +89,7 @@ describe('VPagination', () => { <VPagination length="100" /> )) - cy.get('.v-pagination__item').should('have.length', 7) + cy.get('.v-pagination__item').should('have.length', 8) }) it('should render in RTL mode', () => {
5fbea51840c399af5e7b32191b366e5121f4d4f8
2021-06-14 22:33:44
Vibhash Kumar Singh
fix(VCombobox): correctly handle duplicate items (#13366)
false
correctly handle duplicate items (#13366)
fix
diff --git a/packages/vuetify/src/components/VCombobox/VCombobox.ts b/packages/vuetify/src/components/VCombobox/VCombobox.ts index ec19caf7568..dfe222e213e 100644 --- a/packages/vuetify/src/components/VCombobox/VCombobox.ts +++ b/packages/vuetify/src/components/VCombobox/VCombobox.ts @@ -223,7 +223,15 @@ export default VAutocomplete.extend({ return this.updateEditing() } - const index = this.selectedItems.indexOf(this.internalSearch) + const index = this.selectedItems.findIndex(item => + this.internalSearch === this.getText(item)) + + // If the duplicate item is an object, + // copy it, so that it can be added again later + const itemToSelect = index > -1 && typeof this.selectedItems[index] === 'object' + ? Object.assign({}, this.selectedItems[index]) + : this.internalSearch + // If it already exists, do nothing // this might need to change to bring // the duplicated item to the last entered @@ -239,7 +247,8 @@ export default VAutocomplete.extend({ // TODO: find out where if (menuIndex > -1) return (this.internalSearch = null) - this.selectItem(this.internalSearch) + this.selectItem(itemToSelect) + this.internalSearch = null }, onPaste (event: ClipboardEvent) { diff --git a/packages/vuetify/src/components/VCombobox/__tests__/VCombobox-multiple.spec.ts b/packages/vuetify/src/components/VCombobox/__tests__/VCombobox-multiple.spec.ts index 7f1e4a78606..962d0c8cf9f 100644 --- a/packages/vuetify/src/components/VCombobox/__tests__/VCombobox-multiple.spec.ts +++ b/packages/vuetify/src/components/VCombobox/__tests__/VCombobox-multiple.spec.ts @@ -520,4 +520,32 @@ describe('VCombobox.ts', () => { expect(change).toHaveBeenLastCalledWith(['foo']) }) + + // https://github.com/vuetifyjs/vuetify/issues/12351 + it('should correctly handle duplicate items', async () => { + const { wrapper, change } = createMultipleCombobox({ + chips: true, + multiple: true, + items: [ + { text: 'foo', value: 'foo' }, + { text: 'bar', value: 'bar' }, + ], + value: [ + { text: 'foo', value: 'foo' }, + ], + }) + + const input = wrapper.find('input') + const element = input.element as HTMLInputElement + + input.trigger('focus') + element.value = 'foo' + input.trigger('input') + await wrapper.vm.$nextTick() + + input.trigger('keydown.tab') + await wrapper.vm.$nextTick() + + expect(change).toHaveBeenLastCalledWith([{ text: 'foo', value: 'foo' }]) + }) })
c9b00dbd845783be3849ac712f0c943e23981eb7
2019-09-24 07:10:40
Andreas Backx
feat(VDataIterator): propagate and add toggle-select-all event (#8975)
false
propagate and add toggle-select-all event (#8975)
feat
diff --git a/packages/api-generator/src/maps/v-data-iterator.js b/packages/api-generator/src/maps/v-data-iterator.js index ab3fc44790d..da342fa4bc5 100644 --- a/packages/api-generator/src/maps/v-data-iterator.js +++ b/packages/api-generator/src/maps/v-data-iterator.js @@ -19,6 +19,7 @@ const DataIteratorEvents = DataEvents.concat([ { name: 'update:expanded', source: 'v-data-iterator', value: 'any[]' }, { name: 'item-selected', source: 'v-data-iterator', value: '{ item: any, value: boolean }' }, { name: 'item-expanded', source: 'v-data-iterator', value: '{ item: any, value: boolean }' }, + { name: 'toggle-select-all', source: 'v-data-iterator', value: '{ value: boolean }' }, ]) const DataIteratorSlots = [ diff --git a/packages/vuetify/src/components/VDataIterator/VDataIterator.ts b/packages/vuetify/src/components/VDataIterator/VDataIterator.ts index da312e8d990..4036f7426b7 100644 --- a/packages/vuetify/src/components/VDataIterator/VDataIterator.ts +++ b/packages/vuetify/src/components/VDataIterator/VDataIterator.ts @@ -142,6 +142,7 @@ export default Themeable.extend({ }) this.selection = selection + this.$emit('toggle-select-all', { value }) }, isSelected (item: any): boolean { return !!this.selection[getObjectValueByPath(item, this.itemKey)] || false diff --git a/packages/vuetify/src/components/VDataIterator/__tests__/VDataIterator.spec.ts b/packages/vuetify/src/components/VDataIterator/__tests__/VDataIterator.spec.ts index 4b31b70a0c3..3742568409e 100644 --- a/packages/vuetify/src/components/VDataIterator/__tests__/VDataIterator.spec.ts +++ b/packages/vuetify/src/components/VDataIterator/__tests__/VDataIterator.spec.ts @@ -172,6 +172,7 @@ describe('VDataIterator.ts', () => { { id: 'foo' }, { id: 'bar' }, ] + const toggleSelectAll = jest.fn() const wrapper = mountFunction({ propsData: { @@ -179,6 +180,7 @@ describe('VDataIterator.ts', () => { }, listeners: { input, + 'toggle-select-all': toggleSelectAll, }, scopedSlots: { header (props) { @@ -200,6 +202,7 @@ describe('VDataIterator.ts', () => { await wrapper.vm.$nextTick() expect(input).toHaveBeenCalledWith(items) + expect(toggleSelectAll).toHaveBeenCalledWith({ value: true }) }) it('should update expansion from the outside', async () => {
23eb1774e746bdebded5442bef11dde4ada27b84
2023-11-14 23:27:12
John Leider
docs: move auth login location, update drawer append content
false
move auth login location, update drawer append content
docs
diff --git a/packages/docs/src/components/app/bar/AuthDialog.vue b/packages/docs/src/components/app/bar/AuthDialog.vue new file mode 100644 index 00000000000..7b75d8abf80 --- /dev/null +++ b/packages/docs/src/components/app/bar/AuthDialog.vue @@ -0,0 +1,93 @@ +<template> + <app-btn + v-if="!auth.user" + v-bind="{ + [`${lgAndUp ? 'append-' : ''}icon`]: 'mdi-login', + text: lgAndUp ? 'login.login' : undefined, + }" + :rounded="mdAndDown" + class="ms-1" + color="primary" + variant="outlined" + > + <v-dialog activator="parent" max-width="480"> + <v-card class="pt-6 pb-1 pb-sm-4 px-4 px-sm-8"> + <v-img + :src="`https://cdn.vuetifyjs.com/docs/images/logos/vuetify-logo-v3-slim-text-${theme.name.value}.svg`" + class="mb-4" + height="30" + /> + + <div class="text-center mb-6"> + <v-card-title class="text-h5 mb-1 text-md-h4 font-weight-bold"> + {{ auth.lastLoginProvider() ? t('login.welcome-back') : t('login.to-vuetify') }} + </v-card-title> + + <v-card-subtitle class="text-wrap">{{ t('login.tagline') }}</v-card-subtitle> + </div> + + <v-list class="mx-auto" max-width="300" width="100%"> + <GithubLogin class="mb-3" /> + + <DiscordLogin /> + </v-list> + </v-card> + </v-dialog> + </app-btn> + + <app-menu + v-else + :items="items" + :open-on-hover="false" + > + <template #activator="{ props }"> + <v-avatar + v-bind="props" + :image="user.avatar || auth.user.picture || ''" + class="ms-1 cursor-pointer" + /> + </template> + </app-menu> +</template> + +<script setup lang="ts"> + // Components + import GithubLogin from '@/components/user/GithubLogin.vue' + import DiscordLogin from '@/components/user/DiscordLogin.vue' + + // Composables + import { useDisplay, useTheme } from 'vuetify' + import { useI18n } from 'vue-i18n' + + // Stores + import { useAuthStore } from '@/store/auth' + import { useUserStore } from '@/store/user' + + // Utilities + import { rpath } from '@/util/routes' + + const auth = useAuthStore() + const user = useUserStore() + + const { mdAndDown, lgAndUp } = useDisplay() + const theme = useTheme() + const { t } = useI18n() + + const items = [ + { subheader: t('options') }, + { + title: t('my-dashboard'), + appendIcon: 'mdi-view-dashboard-outline', + to: rpath('/user/dashboard/'), + }, + { + title: t('login.logout'), + appendIcon: 'mdi-logout-variant', + onClick: () => { + user.railDrawer = false + + auth.logout() + }, + }, + ] +</script> diff --git a/packages/docs/src/components/app/bar/Bar.vue b/packages/docs/src/components/app/bar/Bar.vue index df04786a59f..26aa8c4404c 100644 --- a/packages/docs/src/components/app/bar/Bar.vue +++ b/packages/docs/src/components/app/bar/Bar.vue @@ -27,32 +27,35 @@ <app-bar-team-link v-if="lgAndUp" /> - <app-bar-playground-link /> + <app-bar-playground-link v-if="lgAndUp" /> <app-bar-enterprise-link /> </template> <template v-if="!user.quickbar"> - <app-vertical-divider v-if="mdAndUp" /> + <app-vertical-divider v-if="smAndUp" class="ms-3 me-2" /> - <app-bar-theme-toggle /> + <app-bar-store-link v-if="smAndUp" /> - <app-bar-store-link v-if="lgAndUp" /> - - <app-bar-jobs-link v-if="lgAndUp" /> + <app-bar-jobs-link v-if="smAndUp" /> <app-bar-notifications-menu /> - <app-bar-settings-toggle /> - <app-bar-language-menu v-if="smAndUp" /> + + <app-bar-settings-toggle /> </template> + + <app-vertical-divider v-if="lgAndUp" class="ms-2 me-3" /> + + <app-bar-auth-dialog /> </template> </v-app-bar> </template> <script setup> // Components + import AppBarAuthDialog from './AuthDialog.vue' import AppBarEcosystemMenu from './EcosystemMenu.vue' import AppBarEnterpriseLink from './EnterpriseLink.vue' import AppBarJobsLink from './JobsLink.vue' @@ -65,7 +68,6 @@ import AppBarStoreLink from './StoreLink.vue' import AppBarSupportMenu from './SupportMenu.vue' import AppBarTeamLink from './TeamLink.vue' - import AppBarThemeToggle from './ThemeToggle.vue' import AppSearch from '@/components/app/search/Search.vue' import AppVerticalDivider from '@/components/app/VerticalDivider.vue' diff --git a/packages/docs/src/components/app/bar/EnterpriseLink.vue b/packages/docs/src/components/app/bar/EnterpriseLink.vue index c30adf27406..17e7e820ebd 100644 --- a/packages/docs/src/components/app/bar/EnterpriseLink.vue +++ b/packages/docs/src/components/app/bar/EnterpriseLink.vue @@ -1,13 +1,11 @@ <template> <app-btn :to="rpath('/introduction/enterprise-support/')" - class="ms-1 me-4" - color="primary" - variant="outlined" + class="ms-1" @click="gtagClick('app-bar', 'enterprise', name)" > - {{ t('get-help') }} + {{ t('enterprise') }} </app-btn> </template> diff --git a/packages/docs/src/components/app/drawer/Append.vue b/packages/docs/src/components/app/drawer/Append.vue index bf3b8b592f1..d91b31813c5 100644 --- a/packages/docs/src/components/app/drawer/Append.vue +++ b/packages/docs/src/components/app/drawer/Append.vue @@ -1,28 +1,47 @@ <template> <v-divider /> - <v-hover> - <template #default="{ props: hoverProps, isHovering }"> - <div v-bind="hoverProps"> - <v-expand-transition v-if="user.railDrawer || auth.isSubscriber"> - <drawer-toggle-rail v-if="isHovering" /> - </v-expand-transition> + <div class="d-flex align-center text-caption text-medium-emphasis pa-2"> + <drawer-toggle-rail v-if="auth.isSubscriber" class="me-2" /> - <AuthBox /> - </div> - </template> - </v-hover> + <div class="d-flex ms-auto overflow-hidden"> + <v-btn + :text="commits.latest?.sha.slice(0, 7)" + :href="`https://github.com/vuetifyjs/vuetify/commit/${commits.latest?.sha}`" + class="text-caption me-2" + prepend-icon="mdi-source-commit" + rel="noopener noreferrer" + size="small" + slim + target="_blank" + variant="text" + /> + + <v-btn + :text="version" + :to="rpath(`/getting-started/release-notes/?version=v${version}`)" + class="text-caption" + prepend-icon="mdi-tag-outline" + size="small" + slim + variant="text" + /> + </div> + </div> </template> <script setup lang="ts"> // Components import DrawerToggleRail from '@/components/app/drawer/DrawerToggleRail.vue' - import AuthBox from '@/components/app/drawer/AuthBox.vue' // Stores import { useAuthStore } from '@/store/auth' - import { useUserStore } from '@/store/user' + import { useCommitsStore } from '@/store/commits' + + // Utilities + import { rpath } from '@/util/routes' + import { version } from 'vuetify' const auth = useAuthStore() - const user = useUserStore() + const commits = useCommitsStore() </script> diff --git a/packages/docs/src/components/app/drawer/AuthBox.vue b/packages/docs/src/components/app/drawer/AuthBox.vue deleted file mode 100644 index d1018a70669..00000000000 --- a/packages/docs/src/components/app/drawer/AuthBox.vue +++ /dev/null @@ -1,102 +0,0 @@ -<template> - <div - v-if="!auth.user" - class="pa-2" - > - <v-list-item - nav - link - variant="flat" - base-color="surface-variant" - :title="t('login.login')" - append-icon="mdi-login-variant" - > - <template #append> - <v-icon size="small" /> - </template> - - <v-dialog activator="parent" max-width="480"> - <v-card class="pt-6 pb-1 pb-sm-4 px-4 px-sm-8"> - <v-img - :src="`https://cdn.vuetifyjs.com/docs/images/logos/vuetify-logo-v3-slim-text-${theme.name.value}.svg`" - class="mb-4" - height="30" - /> - - <div class="text-center mb-6"> - <v-card-title class="text-h5 mb-1 text-md-h4 font-weight-bold"> - {{ auth.lastLoginProvider() ? t('login.welcome-back') : t('login.to-vuetify') }} - </v-card-title> - - <v-card-subtitle class="text-wrap">{{ t('login.tagline') }}</v-card-subtitle> - </div> - - <v-list class="mx-auto" max-width="300" width="100%"> - <GithubLogin class="mb-3" /> - - <DiscordLogin /> - </v-list> - </v-card> - </v-dialog> - </v-list-item> - </div> - <v-list-item - v-else - :prepend-avatar="user.avatar || auth.user.picture || ''" - class="px-4" - rounded="0" - lines="one" - nav - > - <template #prepend> - <v-avatar size="small" class="me-n2" /> - </template> - - <template #title> - <div>{{ auth.user.name }}</div> - - <user-badges size="12" /> - </template> - - <template #append> - <v-btn - to="/user/dashboard/" - :color="isDashboard ? 'primary' : undefined" - :icon="`mdi-view-dashboard${isDashboard ? '' : '-outline'}`" - :style="{ - opacity: isDashboard ? 1 : undefined, - }" - size="small" - variant="plain" - /> - - <v-btn - icon="mdi-logout-variant" - size="small" - variant="plain" - @click="auth.logout()" - /> - </template> - </v-list-item> -</template> - -<script setup lang="ts"> - import UserBadges from '@/components/user/UserBadges.vue' - import { useAuthStore } from '@/store/auth' - import { useUserStore } from '@/store/user' - import { useRoute } from 'vue-router' - import { computed } from 'vue' - import { useTheme } from 'vuetify' - import { useI18n } from 'vue-i18n' - import GithubLogin from '@/components/user/GithubLogin.vue' - import DiscordLogin from '@/components/user/DiscordLogin.vue' - - const auth = useAuthStore() - const user = useUserStore() - - const route = useRoute() - const theme = useTheme() - const { t } = useI18n() - - const isDashboard = computed(() => route.meta?.category === 'user') -</script> diff --git a/packages/docs/src/components/app/drawer/DrawerToggleRail.vue b/packages/docs/src/components/app/drawer/DrawerToggleRail.vue index 947acbf9f19..b051efd8051 100644 --- a/packages/docs/src/components/app/drawer/DrawerToggleRail.vue +++ b/packages/docs/src/components/app/drawer/DrawerToggleRail.vue @@ -1,10 +1,12 @@ <template> - <div> - <v-list-item - :prepend-icon="icon" - @click="onClick" - /> - </div> + <v-btn + :icon="icon" + height="28" + rounded + size="small" + variant="text" + @click="onClick" + /> </template> <script setup> diff --git a/packages/docs/src/components/app/list/List.vue b/packages/docs/src/components/app/list/List.vue index d8fac0fb841..840822a48de 100644 --- a/packages/docs/src/components/app/list/List.vue +++ b/packages/docs/src/components/app/list/List.vue @@ -79,6 +79,7 @@ routeMatch?: string routePath?: string emphasized?: boolean + onClick?: () => void } function generateApiItems (locale: string) { @@ -168,6 +169,7 @@ to: item?.to, href: item?.href, }), + onClick: item?.onClick, rel: item.href ? 'noopener noreferrer' : undefined, target: item.href ? '_blank' : undefined, children: item.title === 'api' ? generateApiItems(locale.value) : generateListItems(item, item.title!, locale.value, t), diff --git a/packages/docs/src/components/app/settings/PerksOptions.vue b/packages/docs/src/components/app/settings/PerksOptions.vue index cb1a4351d52..31dcf10861e 100644 --- a/packages/docs/src/components/app/settings/PerksOptions.vue +++ b/packages/docs/src/components/app/settings/PerksOptions.vue @@ -1,8 +1,16 @@ <template> - <promoted - permanent - slug="vuetify-github-sponsors" - /> + <template v-if="!auth.isSubscriber"> + <alert type="info"> + {{ t('dashboard.perks.alert') }} + + <app-link href="https://github.com/sponsors/johnleider">$1 per month</app-link> + </alert> + + <promoted + permanent + slug="vuetify-github-sponsors" + /> + </template> <settings-header title="dashboard.perks.experience" @@ -39,4 +47,13 @@ import QuickbarOption from '@/components/app/settings/options/QuickbarOption.vue' import RailDrawerOption from '@/components/app/settings/options/RailDrawerOption.vue' import SettingsHeader from '@/components/app/settings/SettingsHeader.vue' + + // Composables + import { useI18n } from 'vue-i18n' + + // Stores + import { useAuthStore } from '@/store/auth' + + const auth = useAuthStore() + const { t } = useI18n() </script> diff --git a/packages/docs/src/i18n/messages/en.json b/packages/docs/src/i18n/messages/en.json index 70fd45a31b0..1bdd7bceae8 100644 --- a/packages/docs/src/i18n/messages/en.json +++ b/packages/docs/src/i18n/messages/en.json @@ -90,6 +90,7 @@ "danger-zone-message": "The following settings are for development purposes." }, "perks": { + "alert": "Support Vuetify and gain access to exclusive documentation perks and features for only", "avatar": "Avatar", "avatar-message": "Add a custom avatar image displayed on the user profile and user bar.", "disable-ads": "Disable Ads", @@ -196,6 +197,7 @@ "load-more": "Load more...", "login": { "login": "Log in", + "logout": "Log out", "to-vuetify": "Log in to Vuetify", "welcome-back": "Welcome back!", "tagline": "Sign in with GitHub or Discord to save your settings and unlock exclusive subscriber perks.", diff --git a/packages/docs/src/pages/en/user/dashboard.md b/packages/docs/src/pages/en/user/dashboard.md index 8147fd725bb..96f0233f691 100644 --- a/packages/docs/src/pages/en/user/dashboard.md +++ b/packages/docs/src/pages/en/user/dashboard.md @@ -13,10 +13,4 @@ meta: ### Perks -::: info - -Support Vuetify and gain access to exclusive documentation perks and features for only [$1 per month](https://github.com/sponsors/johnleider) - -::: - <PerksOptions /> diff --git a/packages/docs/src/store/commits.ts b/packages/docs/src/store/commits.ts index 5dd4a65aa68..8c7f96da66f 100644 --- a/packages/docs/src/store/commits.ts +++ b/packages/docs/src/store/commits.ts @@ -5,7 +5,7 @@ import type { components as octokitComponents } from '@octokit/openapi-types' // Utilities import { defineStore } from 'pinia' -export type Commit = octokitComponents['schemas']['repository']['commits_url'] +export type Commit = octokitComponents['schemas']['commit'] export type State = { latest: Commit | null
98ff2c8f4455167974746f033ff1f894a1376af9
2020-06-23 00:11:13
MajesticPotatoe
docs(home): restructure and clarify content
false
restructure and clarify content
docs
diff --git a/packages/docs-next/src/pages/en/home.md b/packages/docs-next/src/pages/en/home.md index 596c78d171d..6fa9948e00a 100644 --- a/packages/docs-next/src/pages/en/home.md +++ b/packages/docs-next/src/pages/en/home.md @@ -13,23 +13,59 @@ meta: Help us build the new documentation by porting over existing pages: +## Getting Started 1. Join our [Discord server](https://discord.gg/HJXwxMy) and say hello -2. Select an unnasigned task on our [Notion Board](https://www.notion.so/vuetify/e8053365c88b4b238ebe4fd187057d03?v=33d6efa7be664eb088164810c70928eb) +2. Select an unassigned task on our [Notion Board](https://www.notion.so/vuetify/e8053365c88b4b238ebe4fd187057d03?v=33d6efa7be664eb088164810c70928eb) + + <alert type="info">For this guide we will say we have selected to convert the `Alerts` page.</alert> + 3. Clone the [vuetify](https://github.com/vuetifyjs/vuetify) and [docs-next](https://github.com/vuetifyjs/docs-next) repositories using **ssh** or **https**: - ```bash - git clone [email protected]:vuetifyjs/vuetify.git && - git clone [email protected]:vuetifyjs/docs-next.git - ``` - ```bash - git clone https://github.com/vuetifyjs/vuetify.git && \ - git clone https://github.com/vuetifyjs/docs-next.git - ``` -4. Open both `vuetify` and `docs-next` in VSCode -5. In the *Vuetify* repo, navigate to `vuetify/packages/docs` and open the following files: - - **docs/src/lang/en/components/{Page}.json**—e.g. `Alerts.json` - - **docs/src/data/pages/components/{Page}.pug**—e.g. `Alerts.pug` -6. In the *docs-next* repo, navigate to `src/pages/{folder}/{page}.md`—e.g. `src/pages/components/alerts.md` -7. Move the __up-next__ items from `{Page}.pug` to __related__ in the page's **frontmatter**: + + ```bash + git clone [email protected]:vuetifyjs/vuetify.git && + git clone [email protected]:vuetifyjs/docs-next.git + ``` + + ```bash + git clone https://github.com/vuetifyjs/vuetify.git && \ + git clone https://github.com/vuetifyjs/docs-next.git + ``` + +4. Open both of your local `Vuetify` and `docs-next` repositories in VSCode. +5. In your local *Vuetify* repo, navigate to `vuetify/packages/docs/src`. +6. Navigate to the following folders and open the files related to page you are converting: + + * **src/lang/en/\*\*** - This path contains the `.json` file related to the page language and content. + + <alert type="info">I am working on the `Alerts` page so I will want to open the file: `src/lang/en/components/Alerts.json`</alert> + + * **src/data/pages/\*\*** - This path contains the `.pug` file related to the page structure. + + <alert type="info">I am working on the `Alerts` page so I will want to open the file: `src/data/pages/components/Alerts.pug`</alert> + +7. In your local *docs-next* repo, following folder and open the file related to page you are converting: + + * **src/pages/en/\*\*** - This path contains the `.md` file you will be migrating data + structure to. + + <alert type="info">I am working on the `Alerts` page so I will want to open the file: **`src/lang/en/`**`components/Alerts.md`</alert> + +<alert type="info">At this point you are ready to start migrating the data from the *Vuetify* repo to *docs-next*.</alert> + +## Converting the page + +The following sections will cover various sections you will come across when convert an *Vuetify* page to *docs-next* + +Each page in *doc-next* has been pre-filled with some dummy content. Component pages will contain a skeleton structure to put content in and some relevant information pertaining to the syntax of any available custom components. + +<alert type="error">If at any time you come across something that needs a custom component, make a note on notion board item and move on.</alert> + +<alert type="error">If at any time you have any questions or get stuck. Reach out to us in [Discord](https://discord.gg/HJXwxMy).</alert> + +### Frontmatter + +Frontmatter will always exist at the top of the page. + +1. Move the __up-next__ items from your pages `.pug` (eg: `Alerts.pug`) to __related__ section of the `.md` page's **frontmatter**: ```pug <!-- Alerts.pug --> @@ -39,6 +75,7 @@ Help us build the new documentation by porting over existing pages: 'components/snackbars' ]`) ``` + ```html <!-- alerts.md --> --- @@ -53,64 +90,85 @@ Help us build the new documentation by porting over existing pages: --- ``` -A generic page: +### Examples -```html ---- -<!-- This is the page's frontmatter --> -meta: - title: Page title - description: Page description - keywords: Page keywords -related: - - Doc page link - - Doc page link - - Doc page link ---- +If you are working on a component page, you will come across a section relating to examples. In the `.pug` file you will see a chunk of code that looks like this: -# Page Heading +```pug +examples(:value=`[ + 'simple/type', + 'simple/border', + 'simple/colored-border', + 'simple/dense', + 'simple/dismissible', + 'simple/icon', + 'simple/outlined', + 'simple/prominent', + 'simple/text', + 'simple/transition', + 'complex/twitter' +]`) +``` -Lorem ipsum dolor sit amet, ius elit fugit ut. +1. If a page contains example files, create a folder in the *docs-next* repo under `src/examples/` labeled by component -<entry-ad /> + <alert type="info">I am working on the `Alerts` page so I will want to create a folder: `src/examples/v-alert`</alert> -<!-- Main Content Area --> + <alert type="info">For non-component based pages you can simply use the page name.</alert> -<doc-footer /> -``` -8. If a page contains example files (this can be found by looking in the pages `.pug` file in the *Vuetify* repo) create a folder in the **docs-next** repo under `src/examples/` labeled by component — e.g. `src/examples/v-alert`. For non-component based pages you can simply use the page name. -9. In the *Vuetify* repo, navigate to `packages/docs/src/examples/{page}/` (e.g. `packages/docs/src/examples/alerts`) and copy all **folders** (simple/intermediate/complex) to the newly created examples folder in the *docs-next* repo. -10. Move all files from each folder to the root of the example folder, and remove the folders. You should now have a single example folder containing `.vue` files. -11. Prepend the following to each of the files based on the following structure: - - `prop-<filename>`: an example for a given prop - - `event-<filename>`: an example for a given event - - `slot-<filename>`: an example for a given slot - - `misc-<filename>`: an example for anything that doesn't fall in the above mentioned. - - eg: `dense.vue` -> `prop-dense.vue` -12. Add the examples to the `.md` file under the headers of respective prefix (prop/event/slot/misc). Provide the header and description text provided in the *Vuetify* repo's language file using the following format: -```md -### Props +2. In your local *Vuetify* repo, navigate to `src/examples/` and find the folder pertaining to your component. -#### Example Header -Example Description + <alert type="info">I am working on the `Alerts` page so I will want to find the folder: `src/examples/Alerts`</alert> -<example file="<component>/<filename>" /> -``` -A full example: -```md -## Examples -Below is a collection of simple to complex examples. +3. Copy all **folders** (simple/intermediate/complex) to the newly created examples folder in the *docs-next* repo. +4. Move all files from each folder to the root of the example folder, and remove the folders. You should now have a single example folder containing `.vue` files that looks something like this: -### Props + ``` + - src + - examples + - v-alert + - example1.vue + - example2.vue + ``` -#### border -The **border** prop adds a simple border to one of the 4 sides of the alert. This can be combined props like with **color**, **dark**, and **type** to provide unique accents to the alert. +5. Prepend the following to each of the files based on the following structure: -<example file="v-alert/prop-border" /> -``` + - `prop-<filename>`: an example for a given prop + - `event-<filename>`: an example for a given event + - `slot-<filename>`: an example for a given slot + - `misc-<filename>`: an example for anything that doesn't fall in the above mentioned. + - eg: `dense.vue` -> `prop-dense.vue` -* Regular page example is [quick-start.md](https://github.com/vuetifyjs/docs-next/blob/master/src/pages/en/getting-started/quick-start.md) -* Component page example is [alerts.md](https://github.com/vuetifyjs/docs-next/blob/master/src/pages/en/components/alerts.md) +6. Add the examples to the `.md` file under the headers of respective prefix (prop/event/slot/misc). + + - Provide the header and description text provided in the *Vuetify* `.json` language file using the following format: + + ```html + ### Props + + #### Example Header + + Example Description + + <example file="<component>/<filename>" /> + ``` + A full example: + + ```html + ## Examples + + Below is a collection of simple to complex examples. + + ### Props + + #### Border + + The **border** prop adds a simple border to one of the 4 sides of the alert. This can be combined props like with **color**, **dark**, and **type** to provide unique accents to the alert. + + <example file="v-alert/prop-border" /> + ``` + +## Finishing Up Once your conversion is complete, [submit a pull request](https://github.com/vuetifyjs/docs-next/pulls). @@ -149,3 +207,125 @@ Lorem ipsum dolor sit amet, ius elit fugit ut - List item 2 - List item 3 ``` + +## Glossary + +### Useful example pages + +* Regular page example is [quick-start.md](https://github.com/vuetifyjs/docs-next/blob/master/src/pages/en/getting-started/quick-start.md) +* Component page example is [alerts.md](https://github.com/vuetifyjs/docs-next/blob/master/src/pages/en/components/alerts.md) + +### A generic page template + +```html +--- +<!-- This is the page's frontmatter --> +meta: + title: Page title + description: Page description + keywords: Page keywords +related: + - Doc page link + - Doc page link + - Doc page link +--- + +# Page Heading + +Lorem ipsum dolor sit amet, ius elit fugit ut. + +<entry-ad /> + +<!-- Main Content Area --> + +<doc-footer /> +``` + +### A generic component page template: + +```html +--- +<!-- This is the page's frontmatter --> +meta: + title: Page title + description: Page description + keywords: Page keywords +related: + - Doc page link + - Doc page link + - Doc page link +--- + +# Component Name + +Component description + +<entry-ad /> + +## Usage + +Usage text + +`<usage name="" />` +- **name**: component name +- eg: `<usage name="v-alert" />` + +## API + +- [API Page Link]() + +## Sub-Components + +Omit if none + +### Sub Component 1 + +Sub component text + +### Sub Component 2 + +Sub component text + +## Caveats + +Omit if none + +<alert type="success">Success Caveat</alert> +<alert type="info">Info Caveat</alert> +<alert type="warning">Warning Caveat</alert> +<alert type="error">Error Caveat</alert> + +## Examples + +Example text. + +### Props + +Omit if none + +### Events + +Omit if none + +### Slots + +Omit if none + +#### Misc + +Omit if none + +#### Example Header + +Example description + +`<example file="" />` +- **file**: `<component>/<type>-<propname>` +- eg: `<example file="v-alert/prop-colored-border" />` + +## Accessibility + +Accessibility text - omit if none + +<doc-footer /> +```
186a950661ae3defdc73cec51bc253fada8d9684
2017-10-13 22:46:12
Kael
chore: Upgrade Vue to v2.5.1
false
Upgrade Vue to v2.5.1
chore
diff --git a/package-lock.json b/package-lock.json index 8d865bb9266..e5cecdd9084 100644 --- a/package-lock.json +++ b/package-lock.json @@ -9885,9 +9885,9 @@ "dev": true }, "vue": { - "version": "2.5.0", - "resolved": "https://registry.npmjs.org/vue/-/vue-2.5.0.tgz", - "integrity": "sha512-KngZQLLe/N2Bvl3qu0xgqQHemm9MNz9y73D7yJ5tVavOKyhSgCLARYzrXJzYtoeadUSrItzV36VrHywLGVUx7w==", + "version": "2.5.1", + "resolved": "https://registry.npmjs.org/vue/-/vue-2.5.1.tgz", + "integrity": "sha512-gOTOjZZWXxXmYkchkdJ3mKi9AbkwWIc0O9yOQYbEdgigy8YI7eh7h2YS3qnDr4UIjvnrbNPbbS+OjO3Qipl4EQ==", "dev": true }, "vue-add-globals": { @@ -9995,9 +9995,9 @@ "dev": true }, "vue-server-renderer": { - "version": "2.5.0", - "resolved": "https://registry.npmjs.org/vue-server-renderer/-/vue-server-renderer-2.5.0.tgz", - "integrity": "sha512-MtezRePHgGvof90VfBL3GkdYc8ZFYLvk7IDJ4JP8g7PcBZ3im+yn1edYGBeYdN15T9UFlZnROSf/1M6fBBnP1Q==", + "version": "2.5.1", + "resolved": "https://registry.npmjs.org/vue-server-renderer/-/vue-server-renderer-2.5.1.tgz", + "integrity": "sha512-9P9QY3biA2PWjeX0XTeHXdTuKbX/csz1TedyKB1cN8Axl3/NVdguWgRPmFGcnJ7Dwt2xrLKMD2GKO+Cm8xjsLw==", "dev": true, "requires": { "chalk": "1.1.3", @@ -10042,9 +10042,9 @@ } }, "vue-template-compiler": { - "version": "2.5.0", - "resolved": "https://registry.npmjs.org/vue-template-compiler/-/vue-template-compiler-2.5.0.tgz", - "integrity": "sha512-W4hDoXXpCwfilO1MRTDM4EHm1DC1mU1wS8WyvEo119cUtxdaPuq/dD0OJbSEIkeW8fdT07qGCSnLOfPlmrKRqw==", + "version": "2.5.1", + "resolved": "https://registry.npmjs.org/vue-template-compiler/-/vue-template-compiler-2.5.1.tgz", + "integrity": "sha512-8SPZmb2qrF/QmDfNzTkPW1SzFVRiizIdtZyMsDnZ/MCx4eTWt6xAQXGTrmFypc+uQ7M64whs4+i3mNpnKw/q4A==", "dev": true, "requires": { "de-indent": "1.0.2", diff --git a/package.json b/package.json index 4906a6f02ab..a30fdab34cf 100644 --- a/package.json +++ b/package.json @@ -84,11 +84,11 @@ "stylus": "^0.54.5", "stylus-loader": "^3.0.1", "uglifyjs-webpack-plugin": "^0.4.6", - "vue": "^2.5.0", + "vue": "^2.5.1", "vue-loader": "^13.3.0", "vue-router": "^2.7.0", - "vue-server-renderer": "^2.5.0", - "vue-template-compiler": "^2.5.0", + "vue-server-renderer": "^2.5.1", + "vue-template-compiler": "^2.5.1", "webpack": "^3.6.0", "webpack-bundle-analyzer": "^2.9.0", "webpack-bundle-size-analyzer": "^2.7.0", diff --git a/yarn.lock b/yarn.lock index 7edfcf74daa..61d57410a4c 100644 --- a/yarn.lock +++ b/yarn.lock @@ -6081,9 +6081,9 @@ vue-router@^2.7.0: version "2.7.0" resolved "https://registry.yarnpkg.com/vue-router/-/vue-router-2.7.0.tgz#16d424493aa51c3c8cce8b7c7210ea4c3a89aff1" -vue-server-renderer@^2.5.0: - version "2.5.0" - resolved "https://registry.yarnpkg.com/vue-server-renderer/-/vue-server-renderer-2.5.0.tgz#ddbb3531c9ca2b2eee3e4188ab2d915a3af4e3b1" +vue-server-renderer@^2.5.1: + version "2.5.1" + resolved "https://registry.yarnpkg.com/vue-server-renderer/-/vue-server-renderer-2.5.1.tgz#93aced436fd81c238e78322a0fc1fb1152dd297f" dependencies: chalk "^1.1.3" hash-sum "^1.0.2" @@ -6101,9 +6101,9 @@ vue-style-loader@^3.0.0: hash-sum "^1.0.2" loader-utils "^1.0.2" -vue-template-compiler@^2.5.0: - version "2.5.0" - resolved "https://registry.yarnpkg.com/vue-template-compiler/-/vue-template-compiler-2.5.0.tgz#2e138f1643e131f24f6e19733690713b7543a937" +vue-template-compiler@^2.5.1: + version "2.5.1" + resolved "https://registry.yarnpkg.com/vue-template-compiler/-/vue-template-compiler-2.5.1.tgz#d62e1655970c17c97278d52c9e2809d1a4b39e17" dependencies: de-indent "^1.0.2" he "^1.1.0" @@ -6112,9 +6112,9 @@ vue-template-es2015-compiler@^1.6.0: version "1.6.0" resolved "https://registry.yarnpkg.com/vue-template-es2015-compiler/-/vue-template-es2015-compiler-1.6.0.tgz#dc42697133302ce3017524356a6c61b7b69b4a18" -vue@^2.5.0: - version "2.5.0" - resolved "https://registry.yarnpkg.com/vue/-/vue-2.5.0.tgz#7f0706c0804257e8d42e5970e1a36e648483988d" +vue@^2.5.1: + version "2.5.1" + resolved "https://registry.yarnpkg.com/vue/-/vue-2.5.1.tgz#1d904b18a2bcbbfc68879f105e29d9a4dd715ff8" walker@~1.0.5: version "1.0.7"
d34412c2653000424905d4804911d114996d12cb
2019-03-29 23:34:26
sh7dm
refactor(VSelect): convert styles to Sass
false
convert styles to Sass
refactor
diff --git a/packages/vuetify/src/stylus/components/_select.styl b/packages/vuetify/src/components/VSelect/VSelect.sass similarity index 84% rename from packages/vuetify/src/stylus/components/_select.styl rename to packages/vuetify/src/components/VSelect/VSelect.sass index 45bef478b68..2c509c2cd29 100644 --- a/packages/vuetify/src/stylus/components/_select.styl +++ b/packages/vuetify/src/components/VSelect/VSelect.sass @@ -1,25 +1,27 @@ -@import '../bootstrap' -@import '../theme' +@import '../../styles/styles.sass' -v-select($material) +@mixin select-theme($material) // Needs an explicit color to override // higher level color .v-select__selections - color: $material.text.primary + color: map-deep-get($material, 'text', 'primary') &.v-input--is-disabled .v-select__selections - color: $material.text.disabled + color: map-deep-get($material, 'text', 'disabled') .v-chip--disabled, .v-select__selection--disabled - color: $material.text.disabled + color: map-deep-get($material, 'text', 'disabled') &.v-text-field--solo-inverted.v-input--is-focused .v-select__selections - color: $material.inputs.solo-inverted-focused-text + color: map-deep-get($material, 'inputs', 'solo-inverted-focused-text') -theme(v-select, 'v-select') +.v-select.theme--light + +select-theme($material-light) +.v-select.theme--dark + +select-theme($material-dark) .v-select position: relative // For **attach** prop diff --git a/packages/vuetify/src/components/VSelect/VSelect.ts b/packages/vuetify/src/components/VSelect/VSelect.ts index b3dc7e6a67e..21342b4e216 100644 --- a/packages/vuetify/src/components/VSelect/VSelect.ts +++ b/packages/vuetify/src/components/VSelect/VSelect.ts @@ -1,6 +1,6 @@ // Styles import '../VTextField/VTextField.sass' -import '../../stylus/components/_select.styl' +import './VSelect.sass' // Components import VChip from '../VChip'
c8b3827c28ddc71bfe94a5eba9fb40b1fd8f5e11
2023-03-07 18:45:27
Kael
fix: add sass and style package exports
false
add sass and style package exports
fix
diff --git a/packages/vuetify/package.json b/packages/vuetify/package.json index 0249a12f457..577ccb6c250 100755 --- a/packages/vuetify/package.json +++ b/packages/vuetify/package.json @@ -51,9 +51,22 @@ "CHANGELOG.md" ], "exports": { - ".": "./lib/framework.mjs", - "./styles": "./lib/styles/main.css", + ".": { + "sass": "./lib/styles/main.sass", + "style": "./lib/styles/main.css", + "default": "./lib/framework.mjs" + }, + "./styles": { + "sass": "./lib/styles/main.sass", + "default": "./lib/styles/main.css" + }, "./styles/*": "./lib/styles/*", + "./settings": { + "sass": "./_settings.scss" + }, + "./tools": { + "sass": "./_tools.scss" + }, "./framework": "./lib/framework.mjs", "./blueprints": "./lib/blueprints/index.mjs", "./blueprints/*": "./lib/blueprints/*.mjs",
1113125270a03cf574e0b8d9cba9b5096fd9f2d8
2019-06-15 21:43:30
Elijah Kotyluk
docs(VPagination): Update examples for 2.0 (#7522)
false
Update examples for 2.0 (#7522)
docs
diff --git a/packages/docs/src/data/pages/components/Paginations.json b/packages/docs/src/data/pages/components/Paginations.json index a9e755488a8..5299735a546 100644 --- a/packages/docs/src/data/pages/components/Paginations.json +++ b/packages/docs/src/data/pages/components/Paginations.json @@ -21,17 +21,26 @@ } ] }, + { + "type": "section", + "children": [ + { + "type": "playground", + "value": "playground" + } + ] + }, { "type": "section", "children": [ { "type": "examples", "value": [ - "long", - "limit", - "round", - "icons", - "disabled" + "simple/long", + "simple/limit", + "simple/round", + "simple/icons", + "simple/disabled" ] } ] diff --git a/packages/docs/src/examples/paginations/playground.vue b/packages/docs/src/examples/paginations/playground.vue new file mode 100644 index 00000000000..6fe4f64c0ea --- /dev/null +++ b/packages/docs/src/examples/paginations/playground.vue @@ -0,0 +1,83 @@ +<template> + <div class="text-xs-center"> + <v-layout column justify-center align-center> + <v-flex xs12> + <v-radio-group row wrap> + <v-switch v-model="circle" label="Toggle circle" class="mx-3"></v-switch> + <v-switch v-model="disabled" label="Toggle disabled" class="mx-3"></v-switch> + </v-radio-group> + </v-flex> + + <v-radio-group row> + <v-select + v-model="nextIcon" + class="mx-3" + :items="nextIcons" + label="next-icon" + ></v-select> + + <v-select + v-model="prevIcon" + class="mx-3" + :items="prevIcons" + label="prev-icon" + ></v-select> + </v-radio-group> + + <v-flex> + <v-text-field + v-model="length" + label="Pagination length" + max="25" + min="1" + step="1" + style="width: 125px" + type="number" + @keydown="false" + ></v-text-field> + </v-flex> + + <v-flex> + <v-text-field + v-model="totalVisible" + label="Total visible" + max="25" + min="1" + step="1" + style="width: 125px" + type="number" + @keydown="false" + ></v-text-field> + </v-flex> + </v-layout> + + <v-pagination + v-model="page" + :circle="circle" + :disabled="disabled" + :length="length" + :next-icon="nextIcon" + :prev-icon="prevIcon" + :page="page" + :total-visible="totalVisible" + ></v-pagination> + </div> +</template> + +<script> + export default { + data () { + return { + circle: false, + disabled: false, + length: 10, + nextIcon: 'navigate_next', + nextIcons: ['navigate_next', 'arrow_forward', 'arrow_right', 'chevron_right'], + prevIcon: 'navigate_before', + prevIcons: ['navigate_before', 'arrow_back', 'arrow_left', 'chevron_left'], + page: 1, + totalVisible: 10, + } + }, + } +</script> diff --git a/packages/docs/src/examples/paginations/disabled.vue b/packages/docs/src/examples/paginations/simple/disabled.vue similarity index 100% rename from packages/docs/src/examples/paginations/disabled.vue rename to packages/docs/src/examples/paginations/simple/disabled.vue diff --git a/packages/docs/src/examples/paginations/icons.vue b/packages/docs/src/examples/paginations/simple/icons.vue similarity index 100% rename from packages/docs/src/examples/paginations/icons.vue rename to packages/docs/src/examples/paginations/simple/icons.vue diff --git a/packages/docs/src/examples/paginations/limit.vue b/packages/docs/src/examples/paginations/simple/limit.vue similarity index 100% rename from packages/docs/src/examples/paginations/limit.vue rename to packages/docs/src/examples/paginations/simple/limit.vue diff --git a/packages/docs/src/examples/paginations/long.vue b/packages/docs/src/examples/paginations/simple/long.vue similarity index 58% rename from packages/docs/src/examples/paginations/long.vue rename to packages/docs/src/examples/paginations/simple/long.vue index 2236b1a690a..5aaa8b45e0d 100644 --- a/packages/docs/src/examples/paginations/long.vue +++ b/packages/docs/src/examples/paginations/simple/long.vue @@ -3,14 +3,13 @@ <v-container> <v-layout justify-center> <v-flex xs8> - <v-card> - <v-card-text> - <v-pagination - v-model="page" - :length="15" - ></v-pagination> - </v-card-text> - </v-card> + <v-container max-width="300"> + <v-pagination + v-model="page" + class="my-3" + :length="15" + ></v-pagination> + </v-container> </v-flex> </v-layout> </v-container> diff --git a/packages/docs/src/examples/paginations/round.vue b/packages/docs/src/examples/paginations/simple/round.vue similarity index 100% rename from packages/docs/src/examples/paginations/round.vue rename to packages/docs/src/examples/paginations/simple/round.vue diff --git a/packages/docs/src/lang/en/components/Paginations.json b/packages/docs/src/lang/en/components/Paginations.json index 367a51f0a3a..519d559e8ab 100644 --- a/packages/docs/src/lang/en/components/Paginations.json +++ b/packages/docs/src/lang/en/components/Paginations.json @@ -3,11 +3,11 @@ "headerText": "The `v-pagination` component is used to separate long sets of data so that it is easier for a user to consume information. Depending on the length provided, the pagination component will automatically scale. To maintain the current page, simply supply a `v-model` attribute.", "examples": { "usage": { - "desc": "Pagination displays all pages if parent container is big enough." + "desc": "Pagination by default displays the number of pages based on the set `length` prop, with `prev` and `next` buttons surrounding to help you navigate." }, "long": { "header": "### Long", - "desc": "When the number of page buttons exceeds the parent container, the component will truncate the list." + "desc": "Using the `length` prop you can set the length of `v-pagination`, if the number of page buttons exceeds the parent container, it will truncate the list." }, "limit": { "header": "### Limit", @@ -15,15 +15,15 @@ }, "round": { "header": "### Round", - "desc": "The alternate style for pagination is circle pages." + "desc": "The `circle` prop gives you an alternate style for pagination buttons." }, "icons": { "header": "### Icons", - "desc": "Previous and next page icons can be customized with `prev-icon` and `next-icon` props." + "desc": "Previous and next page icons can be customized with the `prev-icon` and `next-icon` props." }, "disabled": { "header": "### Disabled", - "desc": "Pagination items can be manually deactivated." + "desc": "Pagination items can be manually deactivated using the `disabled` prop." } }, "events": {
dec99cfabdee1c052924b5bbd23ad7be44b7bac1
2023-06-10 08:49:46
John Leider
docs(date-pickers): fix lint
false
fix lint
docs
diff --git a/packages/docs/src/pages/en/components/date-pickers.md b/packages/docs/src/pages/en/components/date-pickers.md index b6e68201407..8583319eb38 100644 --- a/packages/docs/src/pages/en/components/date-pickers.md +++ b/packages/docs/src/pages/en/components/date-pickers.md @@ -26,7 +26,6 @@ Date pickers come in two orientation variations, portrait **(default)** and land <entry /> - ## API | Component | Description |
1de84681a2437e7400ee68f9616a636e33789c6b
2023-05-11 22:01:04
Yuchao
fix(group): respect selection order in v-model (#17325)
false
respect selection order in v-model (#17325)
fix
diff --git a/packages/vuetify/src/composables/__tests__/group.spec.ts b/packages/vuetify/src/composables/__tests__/group.spec.ts index a1862abfbac..75a0245a42a 100644 --- a/packages/vuetify/src/composables/__tests__/group.spec.ts +++ b/packages/vuetify/src/composables/__tests__/group.spec.ts @@ -162,7 +162,7 @@ describe('group', () => { expect(wrapper.emitted()['update:modelValue']).toEqual([ [['two']], - [['one', 'two']], + [['two', 'one']], ]) }) @@ -314,7 +314,7 @@ describe('group', () => { expect(wrapper.emitted('update:modelValue')).toStrictEqual([ [[1]], - [[0, 1]], + [[1, 0]], ]) }) diff --git a/packages/vuetify/src/composables/group.ts b/packages/vuetify/src/composables/group.ts index 45ebd61beb5..235f6e344df 100644 --- a/packages/vuetify/src/composables/group.ts +++ b/packages/vuetify/src/composables/group.ts @@ -306,32 +306,32 @@ function getItemIndex (items: UnwrapRef<GroupItem[]>, value: unknown) { } function getIds (items: UnwrapRef<GroupItem[]>, modelValue: any[]) { - const ids = [] - for (let i = 0; i < items.length; i++) { - const item = items[i] + const ids: number[] = [] - if (item.value != null) { - if (modelValue.find(value => deepEqual(value, item.value)) != null) { - ids.push(item.id) - } - } else if (modelValue.includes(i)) { + modelValue.forEach(value => { + const item = items.find(item => deepEqual(value, item.value)) + const itemByIndex = items[value] + + if (item?.value != null) { ids.push(item.id) + } else if (itemByIndex != null) { + ids.push(itemByIndex.id) } - } + }) return ids } function getValues (items: UnwrapRef<GroupItem[]>, ids: any[]) { - const values = [] + const values: unknown[] = [] - for (let i = 0; i < items.length; i++) { - const item = items[i] - - if (ids.includes(item.id)) { - values.push(item.value != null ? item.value : i) + ids.forEach(id => { + const itemIndex = items.findIndex(item => item.id === id) + if (~itemIndex) { + const item = items[itemIndex] + values.push(item.value != null ? item.value : itemIndex) } - } + }) return values }
2f38cfa3a82273be5dafd034e1a132a11d2df037
2018-08-23 20:53:02
John Leider
fix(v-menu): remove activator height
false
remove activator height
fix
diff --git a/src/stylus/components/_menus.styl b/src/stylus/components/_menus.styl index 4aa10ac28f4..6fe4ec86e1f 100755 --- a/src/stylus/components/_menus.styl +++ b/src/stylus/components/_menus.styl @@ -7,12 +7,11 @@ &--inline display: inline-block - + &__activator align-items: center cursor: pointer display: flex - height: 100% position: relative *
92fcc262711fc32927c0142f6def317e4f31e233
2022-05-30 18:50:20
Kael
fix(VBadge): re-implement offsets
false
re-implement offsets
fix
diff --git a/packages/vuetify/src/components/VBadge/VBadge.tsx b/packages/vuetify/src/components/VBadge/VBadge.tsx index 1aa25f80e42..834771554c3 100644 --- a/packages/vuetify/src/components/VBadge/VBadge.tsx +++ b/packages/vuetify/src/components/VBadge/VBadge.tsx @@ -15,7 +15,7 @@ import { makeLocationProps, useLocation } from '@/composables/location' import { IconValue } from '@/composables/icons' // Utilities -import { computed, toRef } from 'vue' +import { toRef } from 'vue' import { defineComponent, pick } from '@/util' export const VBadge = defineComponent({ @@ -40,6 +40,8 @@ export const VBadge = defineComponent({ type: Boolean, default: true, }, + offsetX: [Number, String], + offsetY: [Number, String], textColor: String, ...makeLocationProps({ location: 'top end' } as const), @@ -56,11 +58,17 @@ export const VBadge = defineComponent({ const { textColorClasses, textColorStyles } = useTextColor(toRef(props, 'textColor')) const { themeClasses } = useTheme() - const { locationStyles } = useLocation(props, true, computed(() => { - return props.floating + const { locationStyles } = useLocation(props, true, side => { + const base = props.floating ? (props.dot ? 2 : 4) : (props.dot ? 8 : 12) - })) + + return base + ( + ['top', 'bottom'].includes(side) ? +(props.offsetY ?? 0) + : ['left', 'right'].includes(side) ? +(props.offsetX ?? 0) + : 0 + ) + }) return () => { const value = Number(props.content) diff --git a/packages/vuetify/src/components/VBadge/__tests__/VBadge.spec.cy.tsx b/packages/vuetify/src/components/VBadge/__tests__/VBadge.spec.cy.tsx index f6d3a11e18f..79a463ddc08 100644 --- a/packages/vuetify/src/components/VBadge/__tests__/VBadge.spec.cy.tsx +++ b/packages/vuetify/src/components/VBadge/__tests__/VBadge.spec.cy.tsx @@ -4,7 +4,7 @@ import { VBadge } from '..' import { generate, gridOn } from '@/../cypress/templates' const defaultColors = ['success', 'info', 'warning', 'error', 'invalid'] -const location = ['bottom-start', 'bottom-end', 'top-start', 'top-end'] +const location = ['bottom start', 'bottom end', 'top start', 'top end'] const rounded = ['circle', 'pill', 'shaped', 'tr-xl', 'br-lg', 0] // TODO: fix pill const offset = [8, -8, '4', '-4', undefined] diff --git a/packages/vuetify/src/components/VOverlay/locationStrategies.ts b/packages/vuetify/src/components/VOverlay/locationStrategies.ts index 62cc772f2c8..44196106d37 100644 --- a/packages/vuetify/src/components/VOverlay/locationStrategies.ts +++ b/packages/vuetify/src/components/VOverlay/locationStrategies.ts @@ -1,13 +1,22 @@ // Utilities import { computed, effectScope, nextTick, onScopeDispose, ref, watch, watchEffect } from 'vue' -import { convertToUnit, getScrollParent, IN_BROWSER, isFixedPosition, nullifyTransforms, propsFactory } from '@/util' -import { oppositeAnchor, parseAnchor, physicalAnchor } from './util/anchor' +import { + convertToUnit, + getScrollParent, + IN_BROWSER, + isFixedPosition, + nullifyTransforms, + oppositeAnchor, + parseAnchor, + physicalAnchor, + propsFactory, +} from '@/util' +import { Box } from '@/util/box' import { anchorToPoint, getOffset } from './util/point' // Types import type { EffectScope, PropType, Ref } from 'vue' -import type { Anchor } from './util/anchor' -import { Box } from '@/util/box' +import type { Anchor } from '@/util' export interface LocationStrategyData { contentEl: Ref<HTMLElement | undefined> diff --git a/packages/vuetify/src/components/VOverlay/util/point.ts b/packages/vuetify/src/components/VOverlay/util/point.ts index bcf9542f1db..c1f064cc2a4 100644 --- a/packages/vuetify/src/components/VOverlay/util/point.ts +++ b/packages/vuetify/src/components/VOverlay/util/point.ts @@ -1,4 +1,4 @@ -import type { ParsedAnchor } from './anchor' +import type { ParsedAnchor } from '@/util' import type { Box } from '@/util/box' type Point = { x: number, y: number } diff --git a/packages/vuetify/src/composables/location.ts b/packages/vuetify/src/composables/location.ts index 82368e3356c..a13b7d356a6 100644 --- a/packages/vuetify/src/composables/location.ts +++ b/packages/vuetify/src/composables/location.ts @@ -1,11 +1,14 @@ -import type { MaybeRef } from '@/util' -import { propsFactory } from '@/util' -import { computed, unref } from 'vue' -import type { CSSProperties, PropType } from 'vue' -import type { Anchor } from '@/components/VOverlay/util/anchor' -import { parseAnchor } from '@/components/VOverlay/util/anchor' +// Composables import { useRtl } from '@/composables/rtl' +// Utilities +import { computed } from 'vue' +import { parseAnchor, propsFactory } from '@/util' + +// Types +import type { CSSProperties, PropType } from 'vue' +import type { Anchor } from '@/util' + const oppositeMap = { center: 'center', top: 'bottom', @@ -22,7 +25,7 @@ export const makeLocationProps = propsFactory({ location: String as PropType<Anchor>, }, 'location') -export function useLocation (props: LocationProps, opposite = false, offset: MaybeRef<number> = 0) { +export function useLocation (props: LocationProps, opposite = false, offset?: (side: string) => number) { const { isRtl } = useRtl() function toPhysical (side: string) { @@ -45,14 +48,20 @@ export function useLocation (props: LocationProps, opposite = false, offset: May const side = toPhysical(anchor.side) const align = toPhysical(anchor.align) + function getOffset (side: string) { + return offset + ? offset(side) + : 0 + } + const styles = {} as CSSProperties if (side !== 'center') { - if (opposite) styles[oppositeMap[side]] = `calc(100% - ${unref(offset)}px)` + if (opposite) styles[oppositeMap[side]] = `calc(100% - ${getOffset(side)}px)` else styles[side] = 0 } if (align !== 'center') { - if (opposite) styles[oppositeMap[align]] = `calc(100% - ${unref(offset)}px)` + if (opposite) styles[oppositeMap[align]] = `calc(100% - ${getOffset(align)}px)` else styles[align] = 0 } else { if (side === 'center') styles.top = styles.left = '50%' diff --git a/packages/vuetify/src/components/VOverlay/util/anchor.ts b/packages/vuetify/src/util/anchor.ts similarity index 100% rename from packages/vuetify/src/components/VOverlay/util/anchor.ts rename to packages/vuetify/src/util/anchor.ts diff --git a/packages/vuetify/src/util/index.ts b/packages/vuetify/src/util/index.ts index e257a1cad54..a9d9a7e7e72 100644 --- a/packages/vuetify/src/util/index.ts +++ b/packages/vuetify/src/util/index.ts @@ -1,3 +1,4 @@ +export * from './anchor' export * from './animation' export * from './colorUtils' export * from './console'
cf1f790f7b1d199bde8d28e9baf6adfe83d60dc6
2019-08-31 07:17:37
MajesticPotatoe
docs(VList): update navigation to v-list-item-groups
false
update navigation to v-list-item-groups
docs
diff --git a/packages/docs/src/data/pages/components/Lists.json b/packages/docs/src/data/pages/components/Lists.json index f930554a199..922c663351e 100644 --- a/packages/docs/src/data/pages/components/Lists.json +++ b/packages/docs/src/data/pages/components/Lists.json @@ -7,6 +7,16 @@ "link": "https://material.io/design/components/lists.html" }, "children": [ + { + "type": "section", + "children": [ + { + "type": "alert", + "lang": "alert1", + "value": "info" + } + ] + }, { "type": "section", "children": [ @@ -77,8 +87,8 @@ { "type": "up-next", "value": [ - "components/avatars", - "components/icons", + "components/item-groups", + "components/list-item-groups", "components/subheaders" ] } diff --git a/packages/docs/src/lang/en/components/Lists.json b/packages/docs/src/lang/en/components/Lists.json index ac8c2fc168e..83ce96be894 100644 --- a/packages/docs/src/lang/en/components/Lists.json +++ b/packages/docs/src/lang/en/components/Lists.json @@ -1,6 +1,7 @@ { "header": "# Lists", "headerText": "The `v-list` component is used to display information. It can contain an avatar, content, actions, subheaders and much more. Lists present content in a way that makes it easy to identify a specific item in a collection. They provide a consistent styling for organizing groups of text and images.", + "alert1": "If you are looking for stateful list items, please check out [v-list-item-group](/components/list-item-groups).", "examples": { "usage": { "desc": "Lists come in three main variations. **single-line** (default), **two-line** and **three-line**. The line declaration specifies the minimum height of the item and can also be controlled from `v-list` with the same prop." @@ -39,11 +40,11 @@ }, "action-title-and-subtitle": { "header": "### Action with title and sub-title", - "desc": "A **three-line** list with actions. Utilizing [v-list-item-group](/components/list-item-groups), easily connect actions to your tiles." + "desc": "A **three-line** list with actions. Utilizing **[v-list-item-group](/components/list-item-groups)**, easily connect actions to your tiles." }, "expansion-lists": { "header": "### Expansion Lists", - "desc": "A list can contain a group of items which will display on click. Expansion lists are also used within the [v-navigation-drawer](/components/navigation-drawers) component." + "desc": "A list can contain a group of items which will display on click. Expansion lists are also used within the **[v-navigation-drawer](/components/navigation-drawers)** component." }, "nav": { "header": "### Navigation lists", @@ -79,7 +80,7 @@ "group": "Assign a route namespace. Accepts a string or regexp for determining active state", "inactive": "If set, the list tile will not be rendered as a link even if it has to/href prop or @click handler", "link": "Applies `v-list-item` hover styles. Useful when using the item as an _activator_.", - "nav": "An alternative styling that reduces `v-list-item` width and rounds the corners. Typically used with [v-navigation-drawer](/components/navigation-drawers)", + "nav": "An alternative styling that reduces `v-list-item` width and rounds the corners. Typically used with **[v-navigation-drawer](/components/navigation-drawers)**", "noAction": "Removes left padding assigned for action icons from group items", "rounded": "Rounds the `v-list-item` edges", "shaped": "Provides an alternative active style for `v-list-item`.",
73722bdf8dc02a8e816aa7d41d59681132564152
2018-12-18 21:33:23
John Leider
chore(release): publish v1.4.0-beta.0
false
publish v1.4.0-beta.0
chore
diff --git a/lerna.json b/lerna.json index f958ad2884a..05c492b4a4a 100644 --- a/lerna.json +++ b/lerna.json @@ -12,6 +12,6 @@ } }, "npmClient": "yarn", - "version": "1.4.0-alpha.1", + "version": "1.4.0-beta.0", "useWorkspaces": true } diff --git a/packages/api-generator/package.json b/packages/api-generator/package.json index 3b79c6363a8..5821ba35802 100755 --- a/packages/api-generator/package.json +++ b/packages/api-generator/package.json @@ -1,6 +1,6 @@ { "name": "@vuetify/api-generator", - "version": "1.4.0-alpha.1", + "version": "1.4.0-beta.0", "private": true, "description": "", "main": "dist/api.js", @@ -13,7 +13,7 @@ "dependencies": { "deepmerge": "^2.2.1", "vue": "^2.5.16", - "vuetify": "^1.4.0-alpha.1" + "vuetify": "^1.4.0-beta.0" }, "devDependencies": { "babel-cli": "^6.26.0", diff --git a/packages/vuetify/package.json b/packages/vuetify/package.json index 8687886a8aa..3e7daee45d2 100644 --- a/packages/vuetify/package.json +++ b/packages/vuetify/package.json @@ -1,7 +1,7 @@ { "name": "vuetify", "description": "Vue.js 2 Semantic Component Framework", - "version": "1.4.0-alpha.1", + "version": "1.4.0-beta.0", "author": { "name": "John Leider", "email": "[email protected]" diff --git a/packages/vuetifyjs.com/package.json b/packages/vuetifyjs.com/package.json index ba7003e7ab5..6b9e2cc3107 100755 --- a/packages/vuetifyjs.com/package.json +++ b/packages/vuetifyjs.com/package.json @@ -3,7 +3,7 @@ "description": "A Vue.js project", "private": true, "author": "John Leider <[email protected]>", - "version": "1.4.0-alpha.1", + "version": "1.4.0-beta.0", "scripts": { "dev": "cross-env NODE_OPTIONS=--max_old_space_size=8192 node server", "start": "cross-env NODE_ENV=production node server", @@ -15,7 +15,7 @@ "npm": ">=4.0" }, "dependencies": { - "@vuetify/api-generator": "^1.4.0-alpha.1", + "@vuetify/api-generator": "^1.4.0-beta.0", "babel-polyfill": "^6.26.0", "chokidar": "^2.0.4", "compression": "^1.7.3", @@ -44,7 +44,7 @@ "vue-router": "^3.0.1", "vue-server-renderer": "^2.5.21", "vuelidate": "^0.6.2", - "vuetify": "^1.4.0-alpha.1", + "vuetify": "^1.4.0-beta.0", "vuex": "^3.0.1", "vuex-router-sync": "^5.0.0", "webfontloader": "^1.6.28"
d616da3e3c72d25c113a8a8ed68210abfc05de2e
2020-06-11 09:34:20
John Leider
docs: refactor process for generating nav items
false
refactor process for generating nav items
docs
diff --git a/packages/docs-next/build/pages-plugin.js b/packages/docs-next/build/pages-plugin.js index e32bee77b11..896585e1842 100644 --- a/packages/docs-next/build/pages-plugin.js +++ b/packages/docs-next/build/pages-plugin.js @@ -1,10 +1,11 @@ +const { differenceInDays, format } = require('date-fns') +const { kebabCase } = require('lodash') +const { md } = require('./markdown-it') const fm = require('front-matter') const fs = require('fs') const glob = require('glob') const path = require('path') -const { md } = require('./markdown-it') const VirtualModulesPlugin = require('webpack-virtual-modules') -const { kebabCase } = require('lodash') function readFile (filePath) { return fs.readFileSync(filePath, 'utf8') @@ -15,20 +16,17 @@ function getPages (files) { const { body, attributes } = fm(readFile(filePath)) const { nav, meta = {} } = attributes const dir = filePath.replace(/^\.\/src\/pages/, '').replace(/\.\w+$/, '/') - - let title = nav || meta.title + const tokens = md.parse(body) + const firstIndex = tokens.findIndex(({ type }) => type === 'heading_open') // If there is no provided title // generate one from the first // content found on the page - if (!title) { - const tokens = md.parse(body) - const firstIndex = tokens.findIndex(({ type }) => type === 'heading_open') - - title = tokens[firstIndex + 1].content - } - - pages[dir] = title + pages[dir] = ( + nav || + tokens[firstIndex + 1].content || + meta.title + ) return pages }, {}) @@ -49,6 +47,27 @@ function getHeadings (files) { }, {}) } +function getModified (files) { + return files.reduce((pages, filePath) => { + const file = fs.statSync(filePath) + + // console.log(file) + const dir = filePath.replace(/^\.\/src\/pages/, '').replace(/\.\w+$/, '/') + const now = new Date() + const birth = file.birthtime + const modified = file.mtime + + pages[dir] = { + birth: format(birth, 'PPPPpp'), + modified: format(modified, 'PPPPpp'), + new: differenceInDays(now, birth) < 15, + updated: differenceInDays(now, modified) < 30, + } + + return pages + }, {}) +} + function getPageHeadings (page) { const headings = [] const tokens = md.parse(page) @@ -82,6 +101,7 @@ function generateFiles () { const pages = files => `module.exports = ${JSON.stringify(getPages(files))};` const headings = files => `module.exports = ${JSON.stringify(getHeadings(files))};` + const modified = files => `module.exports = ${JSON.stringify(getModified(files))};` for (const langDir of langDirectories) { const files = glob.sync(`${langDir}/**/*.md`) @@ -89,6 +109,7 @@ function generateFiles () { generatedFiles[`node_modules/@docs/${lang}/pages.js`] = pages(files) generatedFiles[`node_modules/@docs/${lang}/headings.js`] = headings(files) + generatedFiles[`node_modules/@docs/${lang}/modified.js`] = modified(files) } return generatedFiles diff --git a/packages/docs-next/package.json b/packages/docs-next/package.json index b24a84874a6..d85fbf51aea 100644 --- a/packages/docs-next/package.json +++ b/packages/docs-next/package.json @@ -31,6 +31,7 @@ "@vuetify/vue-cli-plugin-base": "~0.3.5", "babel-eslint": "^10.1.0", "cosmicjs": "^3.2.43", + "date-fns": "^2.14.0", "eslint": "^6.7.2", "eslint-config-vuetify": "^0.6.1", "eslint-plugin-import": "^2.20.2", diff --git a/packages/docs-next/src/layouts/documentation/Index.vue b/packages/docs-next/src/layouts/documentation/Index.vue index 8b9007c0fa5..e2e2f7d4e61 100644 --- a/packages/docs-next/src/layouts/documentation/Index.vue +++ b/packages/docs-next/src/layouts/documentation/Index.vue @@ -28,12 +28,17 @@ DocumentationView: () => import('./View'), }, + data: () => ({ orphans: [] }), + computed: { + ...sync('app', [ + 'nav', + 'modified', + ]), ...sync('i18n', [ 'pages', 'tocs', ]), - nav: sync('app/nav'), }, watch: { @@ -46,15 +51,18 @@ }, methods: { - async init (val) { - const locale = this.$route.params.locale + async importDocsFor (locale) { const pending = [ import( - /* webpackChunkName: "api-items" */ + /* webpackChunkName: "api-pages" */ `@docs/${locale}/api/pages` ), import( - /* webpackChunkName: "nav-items" */ + /* webpackChunkName: "modified" */ + `@docs/${locale}/modified` + ), + import( + /* webpackChunkName: "pages" */ `@docs/${locale}/pages` ), import( @@ -63,93 +71,101 @@ ), ] + return Promise.resolve([...await Promise.all(pending)]) + }, + async init (locale) { const [ api, + modified, pages, - toc, - ] = [...await Promise.all(pending)] + headings, + ] = await this.importDocsFor(locale) + this.modified = modified.default this.pages = { ...pages.default, ...api.default } + this.orphans = Object.keys(this.pages) + this.tocs = headings.default // Map provided nav groups using // the provided language, val this.nav = nav.map(item => { // Build group string used // for list groups - // e.g. /en/ - const group = `/${val}/` + const group = `/${locale}/${item.title}/` return this.genItem(item, group) }) - this.tocs = toc.default }, findItems (group) { const pages = [] - // Iterate through the imported pages and - // map keys to the generated page routes - // e.g. /en/components/chip-groups/ + // map keys to the generated page route for (const key in this.pages) { - // Skip if the key doesn't match - // e.g. !'/en/components/alerts'.startsWith('/en/') + // Skip if key doesn't match if (!key.startsWith(group)) continue // Create a new inferred page route // using the key/value from pages pages.push({ - href: undefined, - icon: undefined, - items: undefined, title: this.pages[key], to: key, }) + + this.removeOrphan(key) } return pages.length ? pages : undefined }, - genItems (item, ...args) { - const foundItems = this.findItems(...args) + genItem (item, group) { + const isGroup = !!item.icon || item.items + const items = isGroup ? this.genItems(item, group) : undefined + const { href, icon, title: path } = item + const page = `${group}${path}/` + const to = isGroup ? group : page + + // Use language file if path exists + // Otherwise use the default page + const title = this.$i18n.te(path) + ? this.$i18n.t(path) + : this.pages[page] || path + + return { + href, + icon, + items, + title, + to, + } + }, + genItems (item, group) { + const foundItems = this.findItems(group) if (!item.items) return foundItems - const keys = [] const items = [] // Generate explicitly provided // items and their keys from src/data/nav.json for (const child of item.items) { - keys.push(child.title) - items.push(this.genItem(child, ...args)) + items.push(this.genItem(child, group)) + + this.removeOrphan(`${group}${child.title}/`) } for (const found of foundItems) { - const title = kebabCase(found.title) + const path = `${group}${kebabCase(found.title)}/` + const index = this.orphans.indexOf(path) // Don't include found item - // if already provided - if (keys.includes(title)) continue + // if it already exists + if (index < 0) continue - keys.push(title) - items.push(found) + items.push(this.genItem(found, group)) } return items.length ? items : undefined }, - genItem (item, group) { - const path = kebabCase(item.to || item.title) - const to = `${group}${path}/` - const title = this.pages[to] || ( - this.$i18n.te(item.title) - ? this.$i18n.t(item.title) - : item.title - ) - - return { - href: item.href || undefined, - icon: item.icon || undefined, - items: this.genItems(item, to), - title, - to, - } + removeOrphan (child) { + this.$delete(this.orphans, this.orphans.indexOf(child)) }, }, } diff --git a/packages/docs-next/src/pages/en/introduction/sponsors-and-backers.md b/packages/docs-next/src/pages/en/introduction/sponsors-and-backers.md index cfe7e9d8000..55d71b65267 100644 --- a/packages/docs-next/src/pages/en/introduction/sponsors-and-backers.md +++ b/packages/docs-next/src/pages/en/introduction/sponsors-and-backers.md @@ -1,11 +1,11 @@ --- meta: - title: Sponsors and backers + title: Sponsoring Vuetify description: Help support Vuetify by backing the project. This helps with the maintenance of existing features and the development of new ones. keywords: sponsor, backer, donations, patron, supporting vuetify, vuetify support --- -# Sponsor Vuetify development +# Sponsors and backers Component description <entry-ad /> diff --git a/packages/docs-next/src/pages/en/introduction/why-vuetify.md b/packages/docs-next/src/pages/en/introduction/why-vuetify.md index fb3211a45d2..26d45c0d621 100644 --- a/packages/docs-next/src/pages/en/introduction/why-vuetify.md +++ b/packages/docs-next/src/pages/en/introduction/why-vuetify.md @@ -1,6 +1,6 @@ --- meta: - title: Why Vuetify? + title: Why you should be using Vuetify description: Vuetify has an extremely active community, provides easy to use Material Design components and is consistently updated. keywords: why vuetify, why choose vuetify, best vue framework, best ui framework related: @@ -9,7 +9,7 @@ related: - /introduction/meet-the-team/ --- -# What's the difference? +# Why Vuetify? Vuetify is the #1 component library for Vue.js and has been in active development since 2016. The goal of the project is to provide users with everything that is needed to build rich and engaging web applications using the [Material Design specification](https://material.io/guidelines/). It accomplishes that with a consistent update cycle, Long-term Support **(LTS)** for previous versions, responsive community engagement, a vast ecosystem of resources and a dedication to quality components. <vuetify-comparison /> diff --git a/packages/docs-next/src/store/modules/app.js b/packages/docs-next/src/store/modules/app.js index cd362fab9fe..0688f47ea61 100644 --- a/packages/docs-next/src/store/modules/app.js +++ b/packages/docs-next/src/store/modules/app.js @@ -9,6 +9,7 @@ import { ROOT_DISPATCH } from '@/store' const state = { branch: getBranch(), + modified: {}, nav: [], version: null, } diff --git a/packages/docs-next/yarn.lock b/packages/docs-next/yarn.lock index 7d959f34c33..eaffd2ef68b 100644 --- a/packages/docs-next/yarn.lock +++ b/packages/docs-next/yarn.lock @@ -3691,6 +3691,11 @@ dashdash@^1.12.0: dependencies: assert-plus "^1.0.0" +date-fns@^2.14.0: + version "2.14.0" + resolved "https://registry.yarnpkg.com/date-fns/-/date-fns-2.14.0.tgz#359a87a265bb34ef2e38f93ecf63ac453f9bc7ba" + integrity sha512-1zD+68jhFgDIM0rF05rcwYO8cExdNqxjq4xP1QKM60Q45mnO6zaMWB4tOzrIr4M4GSLntsKeE4c9Bdl2jhL/yw== + dateformat@^3.0.0: version "3.0.3" resolved "https://registry.yarnpkg.com/dateformat/-/dateformat-3.0.3.tgz#a6e37499a4d9a9cf85ef5872044d62901c9889ae"
5c1b30208729d08041c97efeafcea805a2a7502e
2023-10-27 23:28:32
John Leider
feat(VDatePicker): refactor structure (#18558)
false
refactor structure (#18558)
feat
diff --git a/packages/vuetify/dev/vuetify/date.js b/packages/vuetify/dev/vuetify/date.js index 649e7ad6a4b..7733034461d 100644 --- a/packages/vuetify/dev/vuetify/date.js +++ b/packages/vuetify/dev/vuetify/date.js @@ -1,3 +1,9 @@ +// import DateIoAdapter from '@date-io/date-fns' +// import { enAU } from 'date-fns/locale' + +// const DateIoDateFnsAdapter = new DateIoAdapter() +// const DateIoDateFnsAdapter = new DateIoAdapter({ locale: enAU }) + export default { // adapter: DateIoDateFnsAdapter, locale: { diff --git a/packages/vuetify/src/labs/VDatePicker/VDatePicker.tsx b/packages/vuetify/src/labs/VDatePicker/VDatePicker.tsx index 6725362de24..42ddc17f286 100644 --- a/packages/vuetify/src/labs/VDatePicker/VDatePicker.tsx +++ b/packages/vuetify/src/labs/VDatePicker/VDatePicker.tsx @@ -5,23 +5,24 @@ import './VDatePicker.sass' import { makeVDatePickerControlsProps, VDatePickerControls } from './VDatePickerControls' import { VDatePickerHeader } from './VDatePickerHeader' import { makeVDatePickerMonthProps, VDatePickerMonth } from './VDatePickerMonth' +import { makeVDatePickerMonthsProps, VDatePickerMonths } from './VDatePickerMonths' import { makeVDatePickerYearsProps, VDatePickerYears } from './VDatePickerYears' import { VFadeTransition } from '@/components/transitions' import { VBtn } from '@/components/VBtn' import { VTextField } from '@/components/VTextField' -import { dateEmits, makeDateProps } from '@/labs/VDateInput/composables' import { makeVPickerProps, VPicker } from '@/labs/VPicker/VPicker' // Composables -import { createDatePicker } from './composables' import { useLocale } from '@/composables/locale' +import { useProxiedModel } from '@/composables/proxiedModel' import { useDate } from '@/labs/date' // Utilities import { computed, ref, shallowRef, watch } from 'vue' -import { genericComponent, propsFactory, useRender } from '@/util' +import { genericComponent, omit, propsFactory, useRender, wrapInArray } from '@/util' // Types +import type { PropType } from 'vue' import type { VPickerSlots } from '@/labs/VPicker/VPicker' // Types @@ -50,6 +51,10 @@ export const makeVDatePickerProps = propsFactory({ type: String, default: '$vuetify.datePicker.ok', }, + inputMode: { + type: String as PropType<'calendar' | 'keyboard'>, + default: 'calendar', + }, inputText: { type: String, default: '$vuetify.datePicker.input.placeholder', @@ -64,10 +69,10 @@ export const makeVDatePickerProps = propsFactory({ }, hideActions: Boolean, - ...makeDateProps(), ...makeVDatePickerControlsProps(), ...makeVDatePickerMonthProps(), - ...makeVDatePickerYearsProps(), + ...omit(makeVDatePickerMonthsProps(), ['modelValue']), + ...omit(makeVDatePickerYearsProps(), ['modelValue']), ...makeVPickerProps({ title: '$vuetify.datePicker.title' }), }, 'VDatePicker') @@ -77,102 +82,103 @@ export const VDatePicker = genericComponent<VDatePickerSlots>()({ props: makeVDatePickerProps(), emits: { + 'update:modelValue': (date: any) => true, + 'update:month': (date: any) => true, + 'update:year': (date: any) => true, + 'update:inputMode': (date: any) => true, + 'update:viewMode': (date: any) => true, 'click:cancel': () => true, 'click:save': () => true, - ...dateEmits, }, setup (props, { emit, slots }) { const adapter = useDate() const { t } = useLocale() - const { model, displayDate, viewMode, inputMode, isEqual } = createDatePicker(props) + const model = useProxiedModel( + props, + 'modelValue', + undefined, + v => wrapInArray(v) + ) + const internal = ref(model.value) + const viewMode = useProxiedModel(props, 'viewMode') + const inputMode = useProxiedModel(props, 'inputMode') + const _model = computed(() => { + const value = adapter.date(internal.value?.[0]) + + return adapter.isValid(value) ? value : adapter.date() + }) + const isPristine = computed(() => { + const value = adapter.date(wrapInArray(model.value)?.[0]) + const ivalue = adapter.date(wrapInArray(internal.value)[0]) - const isReversing = shallowRef(false) + return adapter.isSameDay(value, ivalue) + }) - const inputModel = ref(model.value.map(date => adapter.format(date, 'keyboardDate'))) - const temporaryModel = ref(model.value) - const title = computed(() => { - return props.variant === 'modern' - ? t(props.title) - : adapter.format(displayDate.value, 'shortDate') + const month = ref(Number(props.month ?? adapter.getMonth(adapter.startOfMonth(_model.value)))) + const year = ref(Number(props.year ?? adapter.getYear(adapter.startOfYear(adapter.setMonth(_model.value, month.value))))) + + const isReversing = shallowRef(false) + const header = computed(() => { + return model.value[0] && adapter.isValid(model.value[0]) + ? adapter.format(model.value[0], 'normalDateWithWeekday') + : t(props.header) + }) + const text = computed(() => { + return adapter.format( + adapter.setYear(adapter.setMonth(adapter.date(), month.value), year.value), + 'monthAndYear', + ) }) - const header = computed(() => model.value.length ? adapter.format(model.value[0], 'normalDateWithWeekday') : t(props.header)) - const headerIcon = computed(() => inputMode.value === 'calendar' ? props.keyboardIcon : props.calendarIcon) + // TODO: implement in v3.5 + // const headerIcon = computed(() => props.inputMode === 'calendar' ? props.keyboardIcon : props.calendarIcon) const headerTransition = computed(() => `date-picker-header${isReversing.value ? '-reverse' : ''}-transition`) - const minDate = computed(() => props.min && adapter.isValid(props.min) ? adapter.date(props.min) : null) - const maxDate = computed(() => props.max && adapter.isValid(props.max) ? adapter.date(props.max) : null) + const minDate = computed(() => { + const date = adapter.date(props.min) - const disabled = computed(() => { - if (!minDate.value && !maxDate.value) return false + return props.min && adapter.isValid(date) ? date : null + }) + const maxDate = computed(() => { + const date = adapter.date(props.max) + return props.max && adapter.isValid(date) ? date : null + }) + const disabled = computed(() => { const targets = [] - if (minDate.value) { - const date = adapter.addDays(adapter.startOfMonth(displayDate.value), -1) + if (viewMode.value !== 'month') { + targets.push(...['prev', 'next']) + } else { + let _date = adapter.date() - adapter.isAfter(minDate.value, date) && targets.push('prev') - } - - if (maxDate.value) { - const date = adapter.addDays(adapter.endOfMonth(displayDate.value), 1) + _date = adapter.setYear(_date, year.value) + _date = adapter.setMonth(_date, month.value) - adapter.isAfter(date, maxDate.value) && targets.push('next') - } + if (minDate.value) { + const date = adapter.addDays(adapter.startOfMonth(_date), -1) - if (minDate.value?.getFullYear() === maxDate.value?.getFullYear()) { - targets.push('mode') - } - - return targets - }) - - watch(model, val => { - if (!isEqual(val, temporaryModel.value)) { - temporaryModel.value = val - } + adapter.isAfter(minDate.value, date) && targets.push('prev') + } - inputModel.value = val.map(date => adapter.format(date, 'keyboardDate')) - }) + if (maxDate.value) { + const date = adapter.addDays(adapter.endOfMonth(_date), 1) - watch(temporaryModel, (val, oldVal) => { - if (props.hideActions && !isEqual(val, model.value)) { - model.value = val + adapter.isAfter(date, maxDate.value) && targets.push('next') + } } - if (val[0] && oldVal[0]) { - isReversing.value = adapter.isBefore(val[0], oldVal[0]) - } + return targets }) - function updateFromInput (input: string, index: number) { - const { isValid, date, isAfter } = adapter - const inputDate = date(input) - - if ( - isValid(input) && - (!minDate.value || !isAfter(minDate.value, inputDate)) && - (!maxDate.value || !isAfter(inputDate, maxDate.value)) - ) { - const newModel = model.value.slice() - newModel[index] = date(input) - - if (props.hideActions) { - model.value = newModel - } else { - temporaryModel.value = newModel - } - } - } - function onClickCancel () { emit('click:cancel') } function onClickSave () { - emit('click:save') + model.value = internal.value - model.value = temporaryModel.value + emit('click:save') } function onClickAppend () { @@ -180,91 +186,132 @@ export const VDatePicker = genericComponent<VDatePickerSlots>()({ } function onClickNext () { - displayDate.value = adapter.addMonths(displayDate.value, 1) + if (month.value < 11) { + month.value++ + + emit('update:month', month.value) + } else { + year.value++ + month.value = 0 + + emit('update:year', year.value) + } } function onClickPrev () { - displayDate.value = adapter.addMonths(displayDate.value, -1) + if (month.value > 0) { + month.value-- + + emit('update:month', month.value) + } else { + year.value-- + month.value = 11 + + emit('update:year', month.value) + } } - function onClickMode () { - viewMode.value = viewMode.value === 'month' ? 'year' : 'month' + function onClickMonth () { + viewMode.value = viewMode.value === 'months' ? 'month' : 'months' } - function onClickHeader () { - viewMode.value = 'month' + function onClickYear () { + viewMode.value = viewMode.value === 'year' ? 'month' : 'year' } - const headerSlotProps = computed(() => ({ - header: header.value, - appendIcon: headerIcon.value, - transition: headerTransition.value, - 'onClick:append': onClickAppend, - })) + watch(month, () => { + if (viewMode.value === 'months') onClickYear() + }) + + watch(year, () => { + if (viewMode.value === 'year') onClickYear() + }) + + watch(internal, (val, oldVal) => { + const before = adapter.date(wrapInArray(val)[0]) + const after = adapter.date(wrapInArray(oldVal)[0]) + + isReversing.value = adapter.isBefore(before, after) + + if (!props.hideActions) return + + model.value = val + }) useRender(() => { const [pickerProps] = VPicker.filterProps(props) const [datePickerControlsProps] = VDatePickerControls.filterProps(props) + const [datePickerHeaderProps] = VDatePickerHeader.filterProps(props) const [datePickerMonthProps] = VDatePickerMonth.filterProps(props) - const [datePickerYearsProps] = VDatePickerYears.filterProps(props) + const [datePickerMonthsProps] = VDatePickerMonths.filterProps(omit(props, ['modelValue'])) + const [datePickerYearsProps] = VDatePickerYears.filterProps(omit(props, ['modelValue'])) return ( <VPicker { ...pickerProps } class={[ 'v-date-picker', - `v-date-picker--${viewMode.value}`, + `v-date-picker--${props.viewMode}`, props.class, ]} style={ props.style } width={ props.showWeek ? 408 : 360 } v-slots={{ title: () => slots.title?.() ?? ( - <div - class="v-date-picker__title" - onClick={ props.variant === 'classic' ? onClickMode : undefined } - > - { title.value } + <div class="v-date-picker__title"> + { t(props.title) } </div> ), - header: () => slots.header?.(headerSlotProps.value) ?? ( + header: () => ( <VDatePickerHeader key="header" - { ...headerSlotProps.value } - onClick={ viewMode.value === 'year' ? onClickHeader : undefined } + { ...datePickerHeaderProps } + header={ header.value } + transition={ headerTransition.value } + onClick:append={ onClickAppend } + v-slots={ slots } /> ), - default: () => inputMode.value === 'calendar' ? ( + default: () => props.inputMode === 'calendar' ? ( <> { (props.variant !== 'classic' || viewMode.value !== 'year') && ( <VDatePickerControls { ...datePickerControlsProps } disabled={ disabled.value } - displayDate={ adapter.format(displayDate.value, 'monthAndYear') } + text={ text.value } onClick:next={ onClickNext } onClick:prev={ onClickPrev } - onClick:mode={ onClickMode } + onClick:month={ onClickMonth } + onClick:year={ onClickYear } /> )} <VFadeTransition hideOnLeave> - { viewMode.value === 'month' ? ( - <VDatePickerMonth - key="date-picker-month" - { ...datePickerMonthProps } - v-model={ temporaryModel.value } - displayDate={ displayDate.value } + { viewMode.value === 'months' ? ( + <VDatePickerMonths + key="date-picker-months" + { ...datePickerMonthsProps } + v-model={ month.value } min={ minDate.value } max={ maxDate.value } /> - ) : ( + ) : viewMode.value === 'year' ? ( <VDatePickerYears key="date-picker-years" { ...datePickerYearsProps } - v-model:displayDate={ displayDate.value } + v-model={ year.value } + min={ minDate.value } + max={ maxDate.value } + /> + ) : ( + <VDatePickerMonth + key="date-picker-month" + { ...datePickerMonthProps } + v-model={ internal.value } + v-model:month={ month.value } + v-model:year={ year.value } min={ minDate.value } max={ maxDate.value } - onClick:mode={ onClickMode } /> )} </VFadeTransition> @@ -272,8 +319,6 @@ export const VDatePicker = genericComponent<VDatePickerSlots>()({ ) : ( <div class="v-date-picker__input"> <VTextField - modelValue={ inputModel.value[0] } - onUpdate:modelValue={ v => updateFromInput(v, 0) } label={ t(props.inputText) } placeholder={ props.inputPlaceholder } /> @@ -283,6 +328,7 @@ export const VDatePicker = genericComponent<VDatePickerSlots>()({ slots.actions?.() ?? ( <div> <VBtn + disabled={ isPristine.value } variant="text" color={ props.color } onClick={ onClickCancel } @@ -290,6 +336,7 @@ export const VDatePicker = genericComponent<VDatePickerSlots>()({ /> <VBtn + disabled={ isPristine.value } variant="text" color={ props.color } onClick={ onClickSave } diff --git a/packages/vuetify/src/labs/VDatePicker/VDatePickerControls.sass b/packages/vuetify/src/labs/VDatePicker/VDatePickerControls.sass index 77ac63e9a27..ea95dd518e1 100644 --- a/packages/vuetify/src/labs/VDatePicker/VDatePickerControls.sass +++ b/packages/vuetify/src/labs/VDatePicker/VDatePickerControls.sass @@ -5,11 +5,17 @@ align-items: center justify-content: space-between font-size: .875rem - padding-inline-start: 24px padding-top: 4px padding-bottom: 4px + padding-inline-start: 6px padding-inline-end: 12px + > .v-btn:first-child + text-transform: none + font-weight: 400 + line-height: initial + letter-spacing: initial + &--variant-classic padding-inline-start: 12px diff --git a/packages/vuetify/src/labs/VDatePicker/VDatePickerControls.tsx b/packages/vuetify/src/labs/VDatePicker/VDatePickerControls.tsx index ec0d3cc0209..995b66930c8 100644 --- a/packages/vuetify/src/labs/VDatePicker/VDatePickerControls.tsx +++ b/packages/vuetify/src/labs/VDatePicker/VDatePickerControls.tsx @@ -13,7 +13,10 @@ import { genericComponent, propsFactory, useRender } from '@/util' import type { PropType } from 'vue' export const makeVDatePickerControlsProps = propsFactory({ - displayDate: String, + active: { + type: [String, Array] as PropType<string | string[]>, + default: undefined, + }, disabled: { type: [Boolean, String, Array] as PropType<boolean | string | string[]>, default: false, @@ -30,12 +33,13 @@ export const makeVDatePickerControlsProps = propsFactory({ type: [String], default: '$subgroup', }, + text: String, variant: { type: String, default: 'modern', }, viewMode: { - type: String as PropType<'month' | 'year'>, + type: String as PropType<'month' | 'months' | 'year'>, default: 'month', }, }, 'VDatePickerControls') @@ -46,13 +50,20 @@ export const VDatePickerControls = genericComponent()({ props: makeVDatePickerControlsProps(), emits: { - 'click:mode': () => true, + 'click:year': () => true, + 'click:month': () => true, 'click:prev': () => true, 'click:next': () => true, + 'click:text': () => true, }, setup (props, { emit }) { - const disableMode = computed(() => { + const disableMonth = computed(() => { + return Array.isArray(props.disabled) + ? props.disabled.includes('text') + : !!props.disabled + }) + const disableYear = computed(() => { return Array.isArray(props.disabled) ? props.disabled.includes('mode') : !!props.disabled @@ -76,13 +87,17 @@ export const VDatePickerControls = genericComponent()({ emit('click:next') } - function onClickMode () { - emit('click:mode') + function onClickYear () { + emit('click:year') + } + + function onClickMonth () { + emit('click:month') } useRender(() => { const displayDate = ( - <div class="v-date-picker-controls__date">{ props.displayDate }</div> + <div class="v-date-picker-controls__date">{ props.text }</div> ) return ( @@ -94,15 +109,21 @@ export const VDatePickerControls = genericComponent()({ > { props.variant === 'modern' && ( <> - { displayDate } + <VBtn + disabled={ disableMonth.value } + text={ props.text } + variant="text" + rounded + onClick={ onClickMonth } + ></VBtn> <VBtn key="mode-btn" - disabled={ disableMode.value } + disabled={ disableYear.value } density="comfortable" icon={ props.modeIcon } variant="text" - onClick={ onClickMode } + onClick={ onClickYear } /> <VSpacer key="mode-spacer" /> diff --git a/packages/vuetify/src/labs/VDatePicker/VDatePickerMonth.sass b/packages/vuetify/src/labs/VDatePicker/VDatePickerMonth.sass index 672899b5133..04361594988 100644 --- a/packages/vuetify/src/labs/VDatePicker/VDatePickerMonth.sass +++ b/packages/vuetify/src/labs/VDatePicker/VDatePickerMonth.sass @@ -9,6 +9,10 @@ display: grid grid-template-rows: min-content min-content min-content min-content min-content min-content min-content grid-row-gap: 4px + font-size: .875rem + + + .v-date-picker-month__days + grid-row-gap: 0 .v-date-picker-month__weekday font-size: .875rem @@ -21,48 +25,21 @@ justify-content: space-around .v-date-picker-month__day - position: relative - display: flex align-items: center + display: flex justify-content: center + position: relative + + &--selected + .v-btn + background-color: rgb(var(--v-theme-surface-variant)) + color: rgb(var(--v-theme-on-surface-variant)) + + &--week + font-size: var(--v-btn-size) .v-date-picker-month__day--adjacent opacity: 0.5 .v-date-picker-month__day--hide-adjacent opacity: 0 - -.v-date-picker-month__day--range - position: absolute - width: 100% - height: calc(100% - var(--v-date-picker-month-day-diff) * 2) - opacity: 0.5 - -.v-date-picker-month__day--hover - position: absolute - width: 100% - height: calc(100% - var(--v-date-picker-month-day-diff) * 2) - border-style: dashed - border-top-width: 1px - border-bottom-width: 1px - border-left: none - border-right: none - -.v-date-picker-month__day--start, .v-date-picker-month__day--week-start - .v-date-picker-month__day--range - border-bottom-left-radius: 50% - border-top-left-radius: 50% - left: var(--v-date-picker-month-day-diff) - width: calc(100% - var(--v-date-picker-month-day-diff)) - -.v-date-picker-month__day--end, .v-date-picker-month__day--week-end - .v-date-picker-month__day--range - border-bottom-right-radius: 50% - border-top-right-radius: 50% - right: var(--v-date-picker-month-day-diff) - width: calc(100% - var(--v-date-picker-month-day-diff)) - -.v-date-picker-month__day--selected.v-date-picker-month__day--end.v-date-picker-month__day--week-start, -.v-date-picker-month__day--selected.v-date-picker-month__day--start.v-date-picker-month__day--week-end - .v-date-picker-month__day--range - display: none diff --git a/packages/vuetify/src/labs/VDatePicker/VDatePickerMonth.tsx b/packages/vuetify/src/labs/VDatePicker/VDatePickerMonth.tsx index 2793d9b484f..67870996fae 100644 --- a/packages/vuetify/src/labs/VDatePicker/VDatePickerMonth.tsx +++ b/packages/vuetify/src/labs/VDatePicker/VDatePickerMonth.tsx @@ -3,76 +3,105 @@ import './VDatePickerMonth.sass' // Components import { VBtn } from '@/components/VBtn' +import { VDefaultsProvider } from '@/components/VDefaultsProvider' // Composables -import { useDatePicker } from './composables' -import { useBackgroundColor } from '@/composables/color' +import { useProxiedModel } from '@/composables/proxiedModel' +import { getWeek, useDate } from '@/labs/date/date' // Utilities -import { computed, ref } from 'vue' -import { genericComponent, omit, propsFactory } from '@/util' +import { computed, onBeforeMount, ref, shallowRef, watch } from 'vue' +import { genericComponent, propsFactory, wrapInArray } from '@/util' // Types -import { getWeek, toIso } from '../date/date' -import { dateEmits, makeDateProps } from '../VDateInput/composables' -import { useDate } from '@/labs/date' +import type { PropType } from 'vue' + +export type VDatePickerMonthSlots = { + day: { + props: { + onClick: () => void + } + item: any + i: number + } +} export const makeVDatePickerMonthProps = propsFactory({ allowedDates: [Array, Function], color: String, - showAdjacentMonths: Boolean, + month: [Number, String], hideWeekdays: Boolean, - showWeek: Boolean, - hoverDate: null, - multiple: Boolean, - side: { - type: String, - }, - min: [Number, String, Date], max: [Number, String, Date], - - ...omit(makeDateProps(), ['inputMode', 'viewMode']), + min: [Number, String, Date], + modelValue: null as unknown as PropType<string[] | string>, + multiple: Boolean, + showAdjacentMonths: Boolean, + showWeek: Boolean, + year: [Number, String], }, 'VDatePickerMonth') -export const VDatePickerMonth = genericComponent()({ +export const VDatePickerMonth = genericComponent<VDatePickerMonthSlots>()({ name: 'VDatePickerMonth', - props: makeVDatePickerMonthProps({ color: 'surface-variant' }), + props: makeVDatePickerMonthProps(), emits: { - ...omit(dateEmits, ['update:inputMode', 'update:viewMode']), - 'update:hoverDate': (date: any) => true, + 'update:modelValue': (date: any) => true, + 'update:month': (date: any) => true, + 'update:year': (date: any) => true, }, setup (props, { emit, slots }) { - const adapter = useDate() - const { isDragging, dragHandle, hasScrolled } = useDatePicker() - - const month = computed(() => props.displayDate) - - const findClosestDate = (date: any, dates: any[]) => { - const { isSameDay, getDiff } = adapter - const [startDate, endDate] = dates + const daysRef = ref() - if (isSameDay(startDate, endDate)) { - return getDiff(date, startDate, 'days') > 0 ? endDate : startDate + const adapter = useDate() + // model comes in always as array + // leaves as array if multiple + const model = useProxiedModel( + props, + 'modelValue', + [], + v => wrapInArray(v), + v => { + const array = wrapInArray(v).map(date => adapter.toISO(adapter.date(date))) + + return props.multiple ? array : array[0] } + ) + // shorthand to access the first value in the model or a fresh date + const _model = computed(() => { + const value = model.value?.[0] - const distStart = Math.abs(getDiff(date, startDate)) - const distEnd = Math.abs(getDiff(date, endDate)) - - return distStart < distEnd ? startDate : endDate - } - - // const hoverRange = computed<[any, any] | null>(() => { - // if (!props.hoverDate) return null + return adapter.isValid(value) ? value : adapter.date() + }) + const year = useProxiedModel( + props, + 'year', + undefined, + v => { + let date = adapter.date(_model.value) + + if (v != null) date = adapter.setYear(date, Number(v)) + + return adapter.startOfYear(date) + }, + v => adapter.getYear(v) + ) + const month = useProxiedModel( + props, + 'month', + undefined, + v => { + let date = adapter.date(_model.value) - // const closestDate = findClosestDate(props.hoverDate, props.modelValue) + if (v != null) date = adapter.setMonth(date, Number(v)) - // if (!closestDate) return null + date = adapter.setYear(date, adapter.getYear(year.value)) - // return adapter.isAfter(props.hoverDate, closestDate) ? [closestDate, props.hoverDate] : [props.hoverDate, closestDate] - // }) + return date + }, + v => adapter.getMonth(v) + ) const weeksInMonth = computed(() => { const weeks = adapter.getWeekArray(month.value) @@ -100,43 +129,27 @@ export const VDatePickerMonth = genericComponent()({ }) const daysInMonth = computed(() => { - const validDates = props.modelValue.filter(v => !!v) - const isRange = validDates.length > 1 - const days = weeksInMonth.value.flat() const today = adapter.date() - const startDate = validDates[0] - const endDate = validDates[1] - return days.map((date, index) => { - const isStart = startDate && adapter.isSameDay(date, startDate) - const isEnd = endDate && adapter.isSameDay(date, endDate) + const isoDate = adapter.toISO(date) const isAdjacent = !adapter.isSameMonth(date, month.value) - const isSame = validDates.length === 2 && adapter.isSameDay(startDate, endDate) return { date, - isoDate: toIso(adapter, date), + isoDate, formatted: adapter.format(date, 'keyboardDate'), year: adapter.getYear(date), month: adapter.getMonth(date), isDisabled: isDisabled(date), isWeekStart: index % 7 === 0, isWeekEnd: index % 7 === 6, - isSelected: isStart || isEnd, - isStart, - isEnd, + isSelected: model.value.includes(isoDate), isToday: adapter.isSameDay(date, today), isAdjacent, isHidden: isAdjacent && !props.showAdjacentMonths, - inRange: isRange && - !isSame && - (isStart || isEnd || (validDates.length === 2 && adapter.isWithinRange(date, validDates as [any, any]))), - // isHovered: props.hoverDate === date, - // inHover: hoverRange.value && isWithinRange(date, hoverRange.value), isHovered: false, - inHover: false, localized: adapter.format(date, 'dayOfMonth'), } }) @@ -148,8 +161,6 @@ export const VDatePickerMonth = genericComponent()({ }) }) - const { backgroundColorClasses, backgroundColorStyles } = useBackgroundColor(props, 'color') - function isDisabled (value: any) { const date = adapter.date(value) @@ -167,125 +178,20 @@ export const VDatePickerMonth = genericComponent()({ return false } - function selectDate (date: any) { - let newModel = props.modelValue.slice() - + function onClick (string: any) { if (props.multiple) { - if (isDragging.value && dragHandle.value != null) { - const otherIndex = (dragHandle.value + 1) % 2 - const fn = otherIndex === 0 ? 'isBefore' : 'isAfter' - if (adapter[fn](date, newModel[otherIndex])) { - newModel[dragHandle.value] = newModel[otherIndex] - newModel[otherIndex] = date - dragHandle.value = otherIndex - } else { - newModel[dragHandle.value] = date - } + const index = model.value.findIndex(selection => selection === string) + + if (index === -1) { + model.value = [...model.value, string] } else { - if (newModel.find(d => adapter.isSameDay(d, date))) { - newModel = newModel.filter(v => !adapter.isSameDay(v, date)) - } else if (newModel.length === 2) { - let index: number | undefined - if (!props.side || adapter.isSameMonth(newModel[0], newModel[1])) { - const closest = findClosestDate(date, newModel) - index = newModel.indexOf(closest) - } else { - index = props.side === 'start' ? 0 : props.side === 'end' ? 1 : undefined - } - - newModel = newModel.map((v, i) => i === index ? date : v) - } else { - if (newModel[0] && adapter.isBefore(newModel[0], date)) { - newModel = [newModel[0], date] - } else { - newModel = [date, newModel[0]] - } - } + const value = [...model.value] + value.splice(index, 1) + model.value = value } } else { - newModel = [date] - } - - emit('update:modelValue', newModel.filter(v => !!v)) - } - - const daysRef = ref() - - function findElement (el: HTMLElement | null): any { - if (!el || el === daysRef.value) return null - - if ('vDate' in el.dataset) { - return adapter.date(el.dataset.vDate) + model.value = string } - - return findElement(el.parentElement) - } - - function findDate (e: MouseEvent | TouchEvent) { - const x = 'changedTouches' in e ? e.changedTouches[0]?.clientX : e.clientX - const y = 'changedTouches' in e ? e.changedTouches[0]?.clientY : e.clientY - const el = document.elementFromPoint(x, y) as HTMLElement - - return findElement(el) - } - - let canDrag = false - function handleMousedown (e: MouseEvent | TouchEvent) { - hasScrolled.value = false - - const selected = findDate(e) - - if (!selected) return - - const modelIndex = props.modelValue.findIndex(d => adapter.isEqual(d, selected)) - - if (modelIndex >= 0) { - canDrag = true - dragHandle.value = modelIndex - - window.addEventListener('touchmove', handleTouchmove, { passive: false }) - window.addEventListener('mousemove', handleTouchmove, { passive: false }) - - e.preventDefault() - } - - window.addEventListener('touchend', handleTouchend, { passive: false }) - window.addEventListener('mouseup', handleTouchend, { passive: false }) - } - - function handleTouchmove (e: MouseEvent | TouchEvent) { - if (!canDrag) return - - e.preventDefault() - - isDragging.value = true - - const over = findDate(e) - - if (!over) return - - selectDate(over) - } - - function handleTouchend (e: MouseEvent | TouchEvent) { - if (e.cancelable) e.preventDefault() - - window.removeEventListener('touchmove', handleTouchmove) - window.removeEventListener('mousemove', handleTouchmove) - window.removeEventListener('touchend', handleTouchend) - window.removeEventListener('mouseup', handleTouchend) - - const end = findDate(e) - - if (!end) return - - if (!hasScrolled.value) { - selectDate(end) - } - - isDragging.value = false - dragHandle.value = null - canDrag = false } return () => ( @@ -309,8 +215,6 @@ export const VDatePickerMonth = genericComponent()({ <div ref={ daysRef } class="v-date-picker-month__days" - onMousedown={ handleMousedown } - onTouchstart={ handleMousedown } > { !props.hideWeekdays && adapter.getWeekdays().map(weekDay => ( <div @@ -321,63 +225,53 @@ export const VDatePickerMonth = genericComponent()({ >{ weekDay }</div> ))} - { daysInMonth.value.map((item, index) => { - const color = (item.isSelected || item.isToday) - ? props.color - : (item.isHovered || item.isDisabled) - ? undefined - : 'transparent' - const variant = item.isDisabled - ? 'text' - : (item.isToday || item.isHovered) && !item.isSelected - ? 'outlined' - : 'flat' + { daysInMonth.value.map((item, i) => { + const slotProps = { + props: { + onClick: () => onClick(item.isoDate), + }, + item, + i, + } as const return ( <div class={[ 'v-date-picker-month__day', { - 'v-date-picker-month__day--selected': item.isSelected, - 'v-date-picker-month__day--start': item.isStart, - 'v-date-picker-month__day--end': item.isEnd, 'v-date-picker-month__day--adjacent': item.isAdjacent, 'v-date-picker-month__day--hide-adjacent': item.isHidden, - 'v-date-picker-month__day--week-start': item.isWeekStart, - 'v-date-picker-month__day--week-end': item.isWeekEnd, 'v-date-picker-month__day--hovered': item.isHovered, + 'v-date-picker-month__day--selected': item.isSelected, + 'v-date-picker-month__day--week-end': item.isWeekEnd, + 'v-date-picker-month__day--week-start': item.isWeekStart, }, ]} - data-v-date={ !item.isHidden && !item.isDisabled ? item.isoDate : undefined } + data-v-date={ !item.isDisabled ? item.isoDate : undefined } > - { item.inRange && ( - <div - key="in-range" - class={[ - 'v-date-picker-month__day--range', - backgroundColorClasses.value, - ]} - style={ backgroundColorStyles.value } - /> - )} - - { item.inHover && !item.isStart && !item.isEnd && !item.isHovered && !item.inRange && ( - <div - key="in-hover" - class="v-date-picker-month__day--hover" - /> - )} { (props.showAdjacentMonths || !item.isAdjacent) && ( - <VBtn - color={ (!item.isToday || item.isSelected) ? color : undefined } - disabled={ item.isDisabled } - icon - ripple={ false } /* ripple not working correctly since we preventDefault in touchend */ - variant={ variant } + <VDefaultsProvider + defaults={{ + VBtn: { + color: (item.isSelected || item.isToday) && !item.isDisabled + ? props.color + : undefined, + disabled: item.isDisabled, + icon: true, + ripple: false, + text: item.localized, + variant: item.isDisabled + ? 'text' + : item.isToday && !item.isSelected ? 'outlined' : 'flat', + onClick: () => onClick(item.isoDate), + }, + }} > - { item.localized } - </VBtn> + { slots.day?.(slotProps) ?? ( + <VBtn { ...slotProps.props } /> + )} + </VDefaultsProvider> )} </div> ) diff --git a/packages/vuetify/src/labs/VDatePicker/VDatePickerMonths.sass b/packages/vuetify/src/labs/VDatePicker/VDatePickerMonths.sass new file mode 100644 index 00000000000..83c208a856b --- /dev/null +++ b/packages/vuetify/src/labs/VDatePicker/VDatePickerMonths.sass @@ -0,0 +1,19 @@ +.v-date-picker-months + height: 320px + overflow-y: scroll + +.v-date-picker-months__content + align-items: center + display: grid + flex: 1 1 + height: inherit + justify-content: space-around + grid-template-columns: repeat(2, 1fr) + grid-gap: 4px 24px + padding-inline-start: 36px + padding-inline-end: 36px + + .v-btn + text-transform: none + padding-inline-start: 8px + padding-inline-end: 8px diff --git a/packages/vuetify/src/labs/VDatePicker/VDatePickerMonths.tsx b/packages/vuetify/src/labs/VDatePicker/VDatePickerMonths.tsx new file mode 100644 index 00000000000..dd68be76d67 --- /dev/null +++ b/packages/vuetify/src/labs/VDatePicker/VDatePickerMonths.tsx @@ -0,0 +1,108 @@ +// Styles +import './VDatePickerMonths.sass' + +// Components +import { VBtn } from '@/components/VBtn' + +// Composables +import { useProxiedModel } from '@/composables/proxiedModel' +import { useDate } from '@/labs/date' + +// Utilities +import { computed, watchEffect } from 'vue' +import { convertToUnit, createRange, genericComponent, propsFactory, useRender } from '@/util' + +// Types +export type VDatePickerMonthsSlots = { + month: { + month: { + text: string + value: number + } + i: number + props: { + onClick: () => void + } + } +} + +export const makeVDatePickerMonthsProps = propsFactory({ + color: String, + height: [String, Number], + modelValue: [String, Number], +}, 'VDatePickerMonths') + +export const VDatePickerMonths = genericComponent<VDatePickerMonthsSlots>()({ + name: 'VDatePickerMonths', + + props: makeVDatePickerMonthsProps(), + + emits: { + 'update:modelValue': (date: any) => true, + }, + + setup (props, { slots }) { + const adapter = useDate() + const model = useProxiedModel(props, 'modelValue') + + const months = computed(() => { + let date = adapter.startOfYear(adapter.date()) + + return createRange(12).map(i => { + const text = adapter.format(date, 'month') + date = adapter.getNextMonth(date) + + return { + text, + value: i, + } + }) + }) + + watchEffect(() => { + model.value = model.value ?? adapter.getMonth(adapter.date()) + }) + + useRender(() => ( + <div + class="v-date-picker-months" + style={{ + height: convertToUnit(props.height), + }} + > + <div class="v-date-picker-months__content"> + { months.value.map((month, i) => { + const btnProps = { + active: model.value === i, + color: model.value === i ? props.color : undefined, + rounded: true, + text: month.text, + variant: model.value === month.value ? 'flat' : 'text', + onClick: () => onClick(i), + } as const + + function onClick (i: number) { + model.value = i + } + + return slots.month?.({ + month, + i, + props: btnProps, + }) ?? ( + <VBtn + key="month" + { ...btnProps } + onClick={ () => onClick(i) } + /> + ) + })} + </div> + </div> + )) + + return {} + }, +}) + +export type VDatePickerMonths = InstanceType<typeof VDatePickerMonths> diff --git a/packages/vuetify/src/labs/VDatePicker/VDatePickerYears.tsx b/packages/vuetify/src/labs/VDatePicker/VDatePickerYears.tsx index 5b83796a1ab..849b6ffa3b2 100644 --- a/packages/vuetify/src/labs/VDatePicker/VDatePickerYears.tsx +++ b/packages/vuetify/src/labs/VDatePicker/VDatePickerYears.tsx @@ -5,42 +5,89 @@ import './VDatePickerYears.sass' import { VBtn } from '@/components/VBtn' // Composables +import { useProxiedModel } from '@/composables/proxiedModel' import { useDate } from '@/labs/date' // Utilities -import { computed, onMounted, ref } from 'vue' +import { computed, nextTick, onMounted, ref, watchEffect } from 'vue' import { convertToUnit, createRange, genericComponent, propsFactory, useRender } from '@/util' +// Types +export type VDatePickerYearsSlots = { + year: { + year: { + text: string + value: number + } + i: number + props: { + active: boolean + color?: string + rounded: boolean + text: string + variant: 'flat' | 'text' + onClick: () => void + } + } +} + export const makeVDatePickerYearsProps = propsFactory({ color: String, height: [String, Number], - displayDate: null, min: [Number, String, Date], max: [Number, String, Date], + modelValue: [Number, String], }, 'VDatePickerYears') -export const VDatePickerYears = genericComponent()({ +export const VDatePickerYears = genericComponent<VDatePickerYearsSlots>()({ name: 'VDatePickerYears', props: makeVDatePickerYearsProps(), emits: { - 'update:displayDate': (date: any) => true, + 'update:modelValue': (date: any) => true, 'click:mode': () => true, }, - setup (props, { emit }) { + setup (props, { emit, slots }) { const adapter = useDate() - const displayYear = computed(() => adapter.getYear(props.displayDate ?? new Date())) + const model = useProxiedModel(props, 'modelValue') const years = computed(() => { - const min = props.min ? adapter.date(props.min).getFullYear() : displayYear.value - 100 - const max = props.max ? adapter.date(props.max).getFullYear() : displayYear.value + 50 + const year = adapter.getYear(adapter.date()) + + let min = year - 100 + let max = year + 52 + + if (props.min) { + min = adapter.getYear(adapter.date(props.min)) + } + + if (props.max) { + max = adapter.getYear(adapter.date(props.max)) + } + + let date = adapter.startOfYear(adapter.date()) - return createRange(max - min + 1, min) + date = date.setYear(min) + + return createRange(max - min + 1, min).map(i => { + const text = adapter.format(date, 'year') + date = adapter.getNextYear(date) + + return { + text, + value: i, + } + }) + }) + + watchEffect(() => { + model.value = model.value ?? adapter.getYear(adapter.date()) }) const yearRef = ref<VBtn>() - onMounted(() => { + onMounted(async () => { + await nextTick() yearRef.value?.$el.scrollIntoView({ block: 'center' }) }) @@ -52,21 +99,30 @@ export const VDatePickerYears = genericComponent()({ }} > <div class="v-date-picker-years__content"> - { years.value.map(year => { - function onClick () { - emit('update:displayDate', adapter.setYear(props.displayDate, year)) - emit('click:mode') + { years.value.map((year, i) => { + const btnProps = { + ref: model.value === year.value ? yearRef : undefined, + active: model.value === year.value, + color: model.value === year.value ? props.color : undefined, + rounded: true, + text: year.text, + variant: model.value === year.value ? 'flat' : 'text', + onClick: () => onClick(i), + } as const + + function onClick (i: number) { + model.value = i } - return ( + return slots.year?.({ + year, + i, + props: btnProps, + }) ?? ( <VBtn - ref={ year === displayYear.value ? yearRef : undefined } - active={ year === displayYear.value } - color={ year === displayYear.value ? props.color : undefined } - rounded="xl" - text={ String(year) } - variant={ year === displayYear.value ? 'flat' : 'text' } - onClick={ onClick } + key="month" + { ...btnProps } + onClick={ () => onClick(year.value) } /> ) })} diff --git a/packages/vuetify/src/labs/VDatePicker/index.ts b/packages/vuetify/src/labs/VDatePicker/index.ts index 185a7c93677..ce2f49a19f6 100644 --- a/packages/vuetify/src/labs/VDatePicker/index.ts +++ b/packages/vuetify/src/labs/VDatePicker/index.ts @@ -3,4 +3,5 @@ export { VDatePicker } from './VDatePicker' export { VDatePickerControls } from './VDatePickerControls' export { VDatePickerHeader } from './VDatePickerHeader' export { VDatePickerMonth } from './VDatePickerMonth' +export { VDatePickerMonths } from './VDatePickerMonths' export { VDatePickerYears } from './VDatePickerYears' diff --git a/packages/vuetify/src/labs/VPicker/VPicker.tsx b/packages/vuetify/src/labs/VPicker/VPicker.tsx index 598fd729df8..e99a0f2545b 100644 --- a/packages/vuetify/src/labs/VPicker/VPicker.tsx +++ b/packages/vuetify/src/labs/VPicker/VPicker.tsx @@ -78,7 +78,7 @@ export const VPicker = genericComponent<VPickerSlots>()({ { slots.default?.() } </div> - { slots.actions?.()[0]?.children && ( + { slots.actions && ( <div class="v-picker__actions"> { slots.actions() } </div> diff --git a/packages/vuetify/src/labs/date/DateAdapter.ts b/packages/vuetify/src/labs/date/DateAdapter.ts index c6dde3697e4..7aadeb0bb7e 100644 --- a/packages/vuetify/src/labs/date/DateAdapter.ts +++ b/packages/vuetify/src/labs/date/DateAdapter.ts @@ -24,9 +24,12 @@ export interface DateAdapter<T> { addMonths (date: T, amount: number): T getYear (date: T): number + getNextYear (date: T): T setYear (date: T, year: number): T getDiff (date: T, comparing: T | string, unit?: string): number getWeekArray (date: T): T[][] getWeekdays (): string[] getMonth (date: T): number + setMonth (date: T, month: number): T + getNextMonth (date: T): T } diff --git a/packages/vuetify/src/labs/date/adapters/vuetify.ts b/packages/vuetify/src/labs/date/adapters/vuetify.ts index a64db024323..705b119707d 100644 --- a/packages/vuetify/src/labs/date/adapters/vuetify.ts +++ b/packages/vuetify/src/labs/date/adapters/vuetify.ts @@ -263,10 +263,16 @@ function format (value: Date, formatString: string, locale: string): string { case 'monthAndYear': options = { month: 'long', year: 'numeric' } break + case 'month': + options = { month: 'long' } + break case 'dayOfMonth': options = { day: 'numeric' } break case 'shortDate': + options = { year: '2-digit', month: 'numeric', day: 'numeric' } + break + case 'year': options = { year: 'numeric' } break default: @@ -307,10 +313,18 @@ function getYear (date: Date) { return date.getFullYear() } +function getNextYear (date: Date) { + return new Date(date.getFullYear() + 1, date.getMonth(), date.getDate()) +} + function getMonth (date: Date) { return date.getMonth() } +function getNextMonth (date: Date) { + return new Date(date.getFullYear(), date.getMonth() + 1, 1) +} + function startOfYear (date: Date) { return new Date(date.getFullYear(), 0, 1) } @@ -364,6 +378,12 @@ function getDiff (date: Date, comparing: Date | string, unit?: string) { return Math.floor((d.getTime() - c.getTime()) / (1000 * 60 * 60 * 24)) } +function setMonth (date: Date, count: number) { + const d = new Date(date) + d.setMonth(count) + return d +} + function setYear (date: Date, year: number) { const d = new Date(date) d.setFullYear(year) @@ -453,6 +473,10 @@ export class VuetifyDateAdapter implements DateAdapter<Date> { return isSameMonth(date, comparing) } + setMonth (date: Date, count: number) { + return setMonth(date, count) + } + setYear (date: Date, year: number) { return setYear(date, year) } @@ -469,10 +493,18 @@ export class VuetifyDateAdapter implements DateAdapter<Date> { return getYear(date) } + getNextYear (date: Date) { + return getNextYear(date) + } + getMonth (date: Date) { return getMonth(date) } + getNextMonth (date: Date) { + return getNextMonth(date) + } + startOfDay (date: Date) { return startOfDay(date) }
eed229de46c414abb9be7515b5a7ed14b4f1c82b
2023-03-30 08:33:11
John Leider
docs(AppList): resolve app-menu link issues
false
resolve app-menu link issues
docs
diff --git a/packages/docs/src/components/app/list/List.vue b/packages/docs/src/components/app/list/List.vue index dd92f38b29f..b59a8bc7a99 100644 --- a/packages/docs/src/components/app/list/List.vue +++ b/packages/docs/src/components/app/list/List.vue @@ -85,8 +85,11 @@ function generateListItem (item: string | Item, path = '', locale = 'en', t = (key: string) => key): any { const isString = typeof item === 'string' + const isLink = !isString && (item.to || item.href) + const isParent = !isString && item.items + const isType = !isString && (item.divider || item.subheader) - if (isString || (item.title && !item.items)) { + if (isString || (!isLink && !isParent && !isType)) { const litem = isString ? { title: item } : item if (litem.subfolder) path = litem.subfolder
59cdf0201f51f6ec82f85eefdf5ed441bb927479
2018-12-01 21:59:21
Jacek Karczmarczyk
docs: newIn for examples (#5778)
false
newIn for examples (#5778)
docs
diff --git a/packages/vuetifyjs.com/src/components/doc/Example.vue b/packages/vuetifyjs.com/src/components/doc/Example.vue index 91f0563b73d..617638bbc4b 100644 --- a/packages/vuetifyjs.com/src/components/doc/Example.vue +++ b/packages/vuetifyjs.com/src/components/doc/Example.vue @@ -5,7 +5,15 @@ dense flat > + <v-chip v-if="newIn" color="warning" small> + <v-avatar> + <v-icon>mdi-star</v-icon> + </v-avatar> + <span>New in <strong>{{ newIn }}</strong></span> + </v-chip> + <v-spacer /> + <v-btn icon @click="dark = !dark" @@ -126,6 +134,9 @@ }, file () { return `${this.kebabCase(this.page)}/${this.internalValue.file}` + }, + newIn () { + return this.internalValue.newIn } }, diff --git a/packages/vuetifyjs.com/src/components/doc/Examples.vue b/packages/vuetifyjs.com/src/components/doc/Examples.vue index 4cab8639700..6ba987f056f 100644 --- a/packages/vuetifyjs.com/src/components/doc/Examples.vue +++ b/packages/vuetifyjs.com/src/components/doc/Examples.vue @@ -4,18 +4,18 @@ <div /> - <template v-for="(example, i) in value"> + <template v-for="(example, i) in examples"> <doc-heading :key="`heading-${i}`"> - {{ `${namespace}.${page}.examples.${example}.header` }} + {{ example.header }} </doc-heading> <doc-text :key="`text-${i}`"> - {{ `${namespace}.${page}.examples.${example}.desc` }} + {{ example.desc }} </doc-text> <doc-example :key="i" - :value="example" + :value="value[i]" /> </template> </div> @@ -31,6 +31,18 @@ type: Array, default: () => ([]) } + }, + + computed: { + examples () { + return this.value.map(example => { + const file = example === Object(example) ? example.file : example + return { + header: `${this.namespace}.${this.page}.examples.${file}.header`, + desc: `${this.namespace}.${this.page}.examples.${file}.desc` + } + }) + } } } </script> diff --git a/packages/vuetifyjs.com/src/data/new.json b/packages/vuetifyjs.com/src/data/new.json index fa2f53faff7..024d0d35d51 100644 --- a/packages/vuetifyjs.com/src/data/new.json +++ b/packages/vuetifyjs.com/src/data/new.json @@ -1,51 +1,44 @@ -{ - "props": { - "validatable": { - "success": "1.1", - "success-messages": "1.1" - }, - "v-autocomplete": { - "no-filter": "1.1" - }, - "v-breadcrumbs": { - "items": "1.2" - }, - "v-combobox": { - "delimiters": "1.1" - }, - "v-date-picker": { - "multiple": "1.2" - }, - "v-dialog": { - "no-click-animation": "1.1" - }, - "v-divider": { - "vertical": "1.1" - }, - "v-rating": { - "usage": "1.2", - "incremented": "1.2", - "slots": "1.2", - "card": "1.2", - "advanced": "1.2" - }, - "v-text-field": { - "append-outer-icon": "1.1", - "append-outer-icon-cb": "1.1", - "prepend-inner-icon": "1.1", - "prepend-inner-icon-cb": "1.1", - "reverse": "1.1" - }, - "v-select": { - "small-chips": "1.1", - "menu-props": "1.2" - }, - "v-slider": { - "always-dirty": "1.1", - "inverse-label": "1.1", - "thumb-size": "1.1", - "tick-labels": "1.1", - "tick-size": "1.1" - } - } -} +{ + "props": { + "validatable": { + "success": "1.1", + "success-messages": "1.1" + }, + "v-autocomplete": { + "no-filter": "1.1" + }, + "v-breadcrumbs": { + "items": "1.2" + }, + "v-combobox": { + "delimiters": "1.1" + }, + "v-date-picker": { + "multiple": "1.2" + }, + "v-dialog": { + "no-click-animation": "1.1" + }, + "v-divider": { + "vertical": "1.1" + }, + "v-text-field": { + "append-outer-icon": "1.1", + "append-outer-icon-cb": "1.1", + "prepend-inner-icon": "1.1", + "prepend-inner-icon-cb": "1.1", + "reverse": "1.1" + }, + "v-select": { + "small-chips": "1.1", + "menu-props": "1.2" + }, + "v-slider": { + "always-dirty": "1.1", + "inverse-label": "1.1", + "thumb-size": "1.1", + "tick-labels": "1.1", + "tick-size": "1.1" + } + } +} diff --git a/packages/vuetifyjs.com/src/data/pages/components/Ratings.json b/packages/vuetifyjs.com/src/data/pages/components/Ratings.json index f9938caf7d6..4c977adee95 100644 --- a/packages/vuetifyjs.com/src/data/pages/components/Ratings.json +++ b/packages/vuetifyjs.com/src/data/pages/components/Ratings.json @@ -7,7 +7,10 @@ "children": [ { "type": "usage", - "value": "usage" + "value": { + "file": "usage", + "newIn": "1.2" + } } ] }, @@ -26,12 +29,30 @@ { "type": "examples", "value": [ - "sizes", - "length", - "increments", - "slots", - "card", - "advanced" + { + "file": "sizes", + "newIn": "1.2" + }, + { + "file": "length", + "newIn": "1.2" + }, + { + "file": "increments", + "newIn": "1.2" + }, + { + "file": "slots", + "newIn": "1.2" + }, + { + "file": "card", + "newIn": "1.2" + }, + { + "file": "advanced", + "newIn": "1.2" + } ] } ]
b70a66e8b29180ca91c324d21936431ad1a37160
2022-12-20 16:18:34
Kael
style: fix lint
false
fix lint
style
diff --git a/packages/vuetify/src/components/VSnackbar/VSnackbar.tsx b/packages/vuetify/src/components/VSnackbar/VSnackbar.tsx index 7f20bd1a28b..5a34b7b4f92 100644 --- a/packages/vuetify/src/components/VSnackbar/VSnackbar.tsx +++ b/packages/vuetify/src/components/VSnackbar/VSnackbar.tsx @@ -10,7 +10,7 @@ import { genOverlays, makeVariantProps, useVariant } from '@/composables/variant import { makeLocationProps, useLocation } from '@/composables/location' import { makePositionProps, usePosition } from '@/composables/position' import { makeRoundedProps, useRounded } from '@/composables/rounded' -import { makeThemeProps, provideTheme } from "@/composables/theme" +import { makeThemeProps, provideTheme } from '@/composables/theme' import { useProxiedModel } from '@/composables/proxiedModel' import { useScopeId } from '@/composables/scopeId' import { forwardRefs } from '@/composables/forwardRefs'
372c3148db4da8f30664baa8f717a04a14b0ada3
2019-06-18 20:35:41
Mikhail
fix(VDataFooter): add missing translation (#7561)
false
add missing translation (#7561)
fix
diff --git a/packages/vuetify/src/components/VDataIterator/VDataFooter.ts b/packages/vuetify/src/components/VDataIterator/VDataFooter.ts index 594d631cc9c..80f0d828ff2 100644 --- a/packages/vuetify/src/components/VDataIterator/VDataFooter.ts +++ b/packages/vuetify/src/components/VDataIterator/VDataFooter.ts @@ -144,7 +144,7 @@ export default Vue.extend({ children = this.$scopedSlots['page-text'] ? [this.$scopedSlots['page-text']!({ pageStart, pageStop, itemsLength })] - : [`${pageStart}-${pageStop} of ${itemsLength}`] + : [this.$vuetify.lang.t('$vuetify.dataIterator.pageText', pageStart, pageStop, itemsLength)] } return this.$createElement('div', {
73e1340bc17a15ed9200a5476120c1374071c0a7
2019-07-01 05:41:02
Dmitry Sharshakov
docs(VAutocomplete): API update for 2.0 (#7699)
false
API update for 2.0 (#7699)
docs
diff --git a/packages/docs/src/lang/en/components/Autocompletes.json b/packages/docs/src/lang/en/components/Autocompletes.json index 085a1ae40cc..ddaefef70e7 100644 --- a/packages/docs/src/lang/en/components/Autocompletes.json +++ b/packages/docs/src/lang/en/components/Autocompletes.json @@ -33,9 +33,11 @@ "props": { "allowOverflow": "Allow the menu to overflow off the screen", "autoSelectFirst": "When searching, will always highlight the first option", + "filled": "Components.TextFields.props.filled", "filter": "The filtering algorithm used when searching. [example](https://github.com/vuetifyjs/vuetify/blob/master/packages/vuetify/src/components/VAutocomplete/VAutocomplete.js#L35)", "hideNoData": "Hides the menu when there are no options to show. Useful for preventing the menu from opening before results are fetched asynchronously. Also has the effect of opening the menu when the `items` array changes if not already open.", "noFilter": "Do not apply filtering when searching. Useful when data is being filtered server side", + "searchInput": "Search value. Can be use with `.sync` modifier.", "value": "Components.Inputs.props.value" }, "slots": {
8fa1a51ae7731999ad932e3cd312a7e118e7a14f
2022-06-03 20:23:45
Kael
fix(VWindow): prevent initial transition
false
prevent initial transition
fix
diff --git a/packages/vuetify/src/components/VWindow/VWindowItem.tsx b/packages/vuetify/src/components/VWindow/VWindowItem.tsx index 00d040a146f..1cd430ba283 100644 --- a/packages/vuetify/src/components/VWindow/VWindowItem.tsx +++ b/packages/vuetify/src/components/VWindow/VWindowItem.tsx @@ -2,6 +2,7 @@ import { makeGroupItemProps, useGroupItem } from '@/composables/group' import { makeLazyProps, useLazy } from '@/composables/lazy' import { MaybeTransition } from '@/composables/transition' +import { useSsrBoot } from '@/composables/ssrBoot' // Directives import Touch from '@/directives/touch' @@ -34,6 +35,7 @@ export const VWindowItem = defineComponent({ setup (props, { slots }) { const window = inject(VWindowSymbol) const groupItem = useGroupItem(props, VWindowGroupSymbol) + const { isBooted } = useSsrBoot() if (!window || !groupItem) throw new Error('[Vuetify] VWindowItem must be used inside VWindow') @@ -114,7 +116,7 @@ export const VWindowItem = defineComponent({ return () => { return ( - <MaybeTransition transition={ transition.value } > + <MaybeTransition transition={ isBooted.value && transition.value } > <div class={[ 'v-window-item', @@ -122,7 +124,7 @@ export const VWindowItem = defineComponent({ ]} v-show={ groupItem.isSelected.value } > - { slots.default && hasContent.value && slots.default() } + { hasContent.value && slots.default?.() } </div> </MaybeTransition> )
28057e1aa8ebd3f9d785a3f2262b552c44b31c1e
2023-02-07 22:33:31
Albert Kaaman
fix(VVirtualScroll): dynamic container height (#16495)
false
dynamic container height (#16495)
fix
diff --git a/packages/docs/src/examples/v-virtual-scroll/prop-height-parent.vue b/packages/docs/src/examples/v-virtual-scroll/prop-height-parent.vue new file mode 100644 index 00000000000..e767f97774b --- /dev/null +++ b/packages/docs/src/examples/v-virtual-scroll/prop-height-parent.vue @@ -0,0 +1,17 @@ +<template> + <div style="display: flex; height: 200px;"> + <v-virtual-scroll :items="items"> + <template v-slot:default="{ item }"> + Virtual Item {{ item }} + </template> + </v-virtual-scroll> + </div> +</template> + +<script> + export default { + data: () => ({ + items: Array.from({ length: 1000 }, (k, v) => v + 1), + }), + } +</script> diff --git a/packages/docs/src/examples/v-virtual-scroll/prop-height.vue b/packages/docs/src/examples/v-virtual-scroll/prop-height.vue index 3cabcbd291a..58b9a482f22 100644 --- a/packages/docs/src/examples/v-virtual-scroll/prop-height.vue +++ b/packages/docs/src/examples/v-virtual-scroll/prop-height.vue @@ -1,11 +1,9 @@ <template> - <div style="height: 200px;"> - <v-virtual-scroll :items="items"> - <template v-slot:default="{ item }"> - Virtual Item {{ item }} - </template> - </v-virtual-scroll> - </div> + <v-virtual-scroll :items="items" height="200"> + <template v-slot:default="{ item }"> + Virtual Item {{ item }} + </template> + </v-virtual-scroll> </template> <script> diff --git a/packages/docs/src/examples/v-virtual-scroll/prop-item-key.vue b/packages/docs/src/examples/v-virtual-scroll/prop-item-key.vue deleted file mode 100644 index 82af2c1897c..00000000000 --- a/packages/docs/src/examples/v-virtual-scroll/prop-item-key.vue +++ /dev/null @@ -1,32 +0,0 @@ -<template> - <v-virtual-scroll - :items="items" - height="400" - item-key="id" - > - <template v-slot:default="{ item, index }"> - <div - :class="[ - index % 2 === 0 ? 'py-2' : index % 5 == 0 ? 'py-8' : 'py-4', - index % 2 === 0 ? 'bg-grey-lighten-2' : index % 5 === 0 ? 'bg-grey-darken-2' : '', - 'px-2' - ]" - > - {{ item.title }} - </div> - </template> - </v-virtual-scroll> -</template> - -<script> - export default { - computed: { - items () { - return Array.from({ length: 10000 }, (k, v) => ({ - id: v + 1, - title: `Dynamic item ${v + 1}`, - })) - }, - }, - } -</script> diff --git a/packages/docs/src/pages/en/labs/virtual-scroller.md b/packages/docs/src/pages/en/labs/virtual-scroller.md index 760008755de..e3a8f490e4b 100644 --- a/packages/docs/src/pages/en/labs/virtual-scroller.md +++ b/packages/docs/src/pages/en/labs/virtual-scroller.md @@ -49,35 +49,19 @@ The `v-virtual-scroll` component has a small API mainly used to configure the ro #### Height -An initial height value is required in order to calculate which items to display. - -The following code snippet is an example of a basic `v-virtual-scroll` component: - -```html -<template> - <v-virtual-scroll :items="items" height="200"> - <template v-slot:default="{ item }"> - Virtual Item {{ item }} - </template> - </v-virtual-scroll> -</template> - -<script> - export default { - data: () => ({ - items: Array.from({ length: 1000 }, (k, v) => v + 1) - }) - } -</script> -``` - -Alternatively, wrap `v-virtual-scroll` with any element that has a defined height and achieve the same result. The following example uses a regular div with a custom style: +The `v-virtual-scroll` component does not have any initial height set on itself. + +The following code snippet uses the **height** prop: <example file="v-virtual-scroll/prop-height" /> +Another way of making sure that the component has height is to place it inside an element with `display: flex`. + +<example file="v-virtual-scroll/prop-height-parent" /> + #### Item Height -For uniform lists, it's recommended that you define a specific **item-height**. This value is used for `v-virtual-scroll`'s calculations. +For lists where the item height is static and uniform for all items, it's recommended that you define a specific **item-height**. This value is used for `v-virtual-scroll`'s calculations. <example file="v-virtual-scroll/prop-item-height" /> @@ -85,13 +69,9 @@ If your items are not of a uniform size, omit the **item-height** prop to have ` <example file="v-virtual-scroll/prop-dynamic-item-height" /> -If the items you are rendering are objects, you must set the **item-key** prop. By default `v-virtual-scroll` looks for the **value** key. This should point to a unique property on the objects. - -<example file="v-virtual-scroll/prop-item-key" /> - #### Visible items -The `v-virtual-scroll` component renders a set amount of visible items, meant to cover the viewport of the scroller, plus some amount of buffer below and beneath it so that scrolling looks and feels smooth. Modify this value by using the **visible-items** prop. +The `v-virtual-scroll` component renders a set amount of visible items, meant to cover the viewport of the scroller, plus some amount of buffer above and below it so that scrolling looks and feels smooth. Modify this value by using the **visible-items** prop. <example file="v-virtual-scroll/prop-visible-items" /> @@ -107,6 +87,6 @@ The following is a collection of `v-virtual-scroll` examples that demonstrate ho #### User Directory -The v-virtual-scroll component can render an unlimited amount of items by rendering only what it needs to fill the scroller’s viewport. +The v-virtual-scroll component can render an large amount of items by rendering only what it needs to fill the scroller’s viewport. <example file="v-virtual-scroll/misc-user-directory" /> diff --git a/packages/vuetify/src/labs/VVirtualScroll/VVirtualScroll.sass b/packages/vuetify/src/labs/VVirtualScroll/VVirtualScroll.sass index 839ac0c9de3..f175837fe02 100644 --- a/packages/vuetify/src/labs/VVirtualScroll/VVirtualScroll.sass +++ b/packages/vuetify/src/labs/VVirtualScroll/VVirtualScroll.sass @@ -1,7 +1,6 @@ .v-virtual-scroll display: block flex: 1 1 auto - height: 100% max-width: 100% overflow: auto position: relative diff --git a/packages/vuetify/src/labs/VVirtualScroll/VVirtualScroll.tsx b/packages/vuetify/src/labs/VVirtualScroll/VVirtualScroll.tsx index ce5dfc6d3ec..08bd5359bcb 100644 --- a/packages/vuetify/src/labs/VVirtualScroll/VVirtualScroll.tsx +++ b/packages/vuetify/src/labs/VVirtualScroll/VVirtualScroll.tsx @@ -6,14 +6,15 @@ import { VVirtualScrollItem } from './VVirtualScrollItem' // Composables import { makeDimensionProps, useDimension } from '@/composables/dimensions' +import { useDisplay } from '@/composables/display' +import { useResizeObserver } from '@/composables/resizeObserver' // Utilities -import { computed, ref } from 'vue' +import { computed, onMounted, ref, watchEffect } from 'vue' import { convertToUnit, createRange, genericComponent, - getPropertyFromItem, useRender, } from '@/util' @@ -44,15 +45,8 @@ export const VVirtualScroll = genericComponent<new <T>() => { type: Array, default: () => ([]), }, - itemKey: { - type: String, - default: 'value', - }, itemHeight: [Number, String], - visibleItems: { - type: [Number, String], - default: 30, - }, + visibleItems: [Number, String], ...makeDimensionProps(), }, @@ -66,20 +60,25 @@ export const VVirtualScroll = genericComponent<new <T>() => { baseItemHeight.value = val }, }) - const visibleItems = computed(() => parseInt(props.visibleItems, 10)) const rootEl = ref<HTMLDivElement>() + const { resizeRef, contentRect } = useResizeObserver() + watchEffect(() => { + resizeRef.value = rootEl.value + }) + const display = useDisplay() - const ids = new Map<unknown, number>(props.items.map((item, index) => [getPropertyFromItem(item, props.itemKey, item), index])) const sizes = createRange(props.items.length).map(() => itemHeight.value) + const visibleItems = computed(() => { + return props.visibleItems + ? parseInt(props.visibleItems, 10) + : Math.max(12, + Math.ceil(((contentRect.value?.height ?? display.height.value) / itemHeight.value) * 1.7 + 1) + ) + }) - function handleItemResize (item: unknown, height: number) { - const index = ids.get(getPropertyFromItem(item, props.itemKey, item)) - - if (!index) return - + function handleItemResize (index: number, height: number) { + itemHeight.value = Math.max(itemHeight.value, height) sizes[index] = height - - if (!itemHeight.value) itemHeight.value = height } function calculateOffset (index: number) { @@ -108,23 +107,30 @@ export const VVirtualScroll = genericComponent<new <T>() => { let lastScrollTop = 0 function handleScroll () { - if (!rootEl.value) return + if (!rootEl.value || !contentRect.value) return + const height = contentRect.value.height const scrollTop = rootEl.value.scrollTop const direction = scrollTop < lastScrollTop ? UP : DOWN - const midPointIndex = calculateMidPointIndex(scrollTop) - + const midPointIndex = calculateMidPointIndex(scrollTop + height / 2) const buffer = Math.round(visibleItems.value / 3) - if (direction === UP && midPointIndex <= first.value) { + if (direction === UP && midPointIndex <= first.value + (buffer * 2) - 1) { first.value = Math.max(midPointIndex - buffer, 0) - } else if (direction === DOWN && midPointIndex >= first.value + (buffer * 2)) { + } else if (direction === DOWN && midPointIndex >= first.value + (buffer * 2) - 1) { first.value = Math.min(Math.max(0, midPointIndex - buffer), props.items.length - visibleItems.value) } lastScrollTop = rootEl.value.scrollTop } + function scrollToIndex (index: number) { + if (!rootEl.value) return + + const offset = calculateOffset(index) + rootEl.value.scrollTop = offset + } + const last = computed(() => Math.min(props.items.length, first.value + visibleItems.value)) const computedItems = computed(() => props.items.slice(first.value, last.value)) const paddingTop = computed(() => calculateOffset(first.value)) @@ -132,6 +138,13 @@ export const VVirtualScroll = genericComponent<new <T>() => { const { dimensionStyles } = useDimension(props) + onMounted(() => { + if (!itemHeight.value) { + // If itemHeight prop is not set, then calculate an estimated height from the average of inital items + itemHeight.value = sizes.slice(first.value, last.value).reduce((curr, height) => curr + height, 0) / (visibleItems.value) + } + }) + useRender(() => ( <div ref={ rootEl } @@ -150,7 +163,7 @@ export const VVirtualScroll = genericComponent<new <T>() => { <VVirtualScrollItem key={ index } dynamicHeight={ !props.itemHeight } - onUpdate:height={ height => handleItemResize(item, height) } + onUpdate:height={ height => handleItemResize(index + first.value, height) } > { slots.default?.({ item, index: index + first.value }) } </VVirtualScrollItem> @@ -158,6 +171,10 @@ export const VVirtualScroll = genericComponent<new <T>() => { </div> </div> )) + + return { + scrollToIndex, + } }, }) diff --git a/packages/vuetify/src/labs/VVirtualScroll/VVirtualScrollItem.tsx b/packages/vuetify/src/labs/VVirtualScroll/VVirtualScrollItem.tsx index 475b7a6f779..ee7c8ada9e4 100644 --- a/packages/vuetify/src/labs/VVirtualScroll/VVirtualScrollItem.tsx +++ b/packages/vuetify/src/labs/VVirtualScroll/VVirtualScrollItem.tsx @@ -1,9 +1,10 @@ // Composables import { useResizeObserver } from '@/composables/resizeObserver' +import { useToggleScope } from '@/composables/toggleScope' // Utilities -import { defineComponent } from '@/util/defineComponent' -import { useRender } from '@/util' +import { defineComponent, useRender } from '@/util' +import { onUpdated, watch } from 'vue' export const VVirtualScrollItem = defineComponent({ name: 'VVirtualScrollItem', @@ -17,13 +18,22 @@ export const VVirtualScrollItem = defineComponent({ }, setup (props, { emit, slots }) { - const { resizeRef } = useResizeObserver(entries => { - if (!entries.length) return + const { resizeRef, contentRect } = useResizeObserver() - const contentRect = entries[0].contentRect - emit('update:height', contentRect.height) + useToggleScope(() => props.dynamicHeight, () => { + watch(() => contentRect.value?.height, height => { + if (height != null) emit('update:height', height) + }) }) + function updateHeight () { + if (props.dynamicHeight && contentRect.value) { + emit('update:height', contentRect.value.height) + } + } + + onUpdated(updateHeight) + useRender(() => ( <div ref={ props.dynamicHeight ? resizeRef : undefined }
2b342356bf845681687e3430f0416ee3583904f3
2018-06-08 07:43:42
John Leider
refactor(v-label): remove absolute style
false
remove absolute style
refactor
diff --git a/src/stylus/components/_labels.styl b/src/stylus/components/_labels.styl index abd226aa423..98a9b468088 100755 --- a/src/stylus/components/_labels.styl +++ b/src/stylus/components/_labels.styl @@ -14,5 +14,4 @@ theme(v-label, "v-label") font-size: 16px line-height: 1 min-height: 8px - position: absolute transition: .3s $transition.swing
8d4389bf6eb8a388fcff4674452b353b910750e2
2018-10-28 15:17:23
John Leider
refactor(full-width): update example
false
update example
refactor
diff --git a/packages/vuetifyjs.com/examples/text-fields/fullWidthWithCharacterCounter.vue b/packages/vuetifyjs.com/examples/text-fields/fullWidthWithCharacterCounter.vue index f0d6e63ef36..ae07ebca881 100644 --- a/packages/vuetifyjs.com/examples/text-fields/fullWidthWithCharacterCounter.vue +++ b/packages/vuetifyjs.com/examples/text-fields/fullWidthWithCharacterCounter.vue @@ -9,24 +9,19 @@ <v-spacer></v-spacer> <v-icon color="white">send</v-icon> </v-toolbar> - <v-container fluid class="pa-0 mt-2"> - <v-layout wrap> - <v-flex xs2> - <v-subheader>To</v-subheader> - </v-flex> - <v-flex xs10 class="text-xs-right"> - <v-chip> - <v-avatar> - <img src="https://randomuser.me/api/portraits/men/92.jpg" > - </v-avatar> - Trevor Hansen - </v-chip> - <v-chip> - <v-avatar> - <img src="https://randomuser.me/api/portraits/men/91.jpg" > - </v-avatar> - Alex Nelson - </v-chip> + <v-container fluid class="pa-0"> + <v-layout wrap align-center> + <v-flex xs12> + <v-autocomplete + :items="['Trevor Handsen', 'Alex Nelson']" + chips + label="To" + full-width + hide-selected + multiple + single-line + > + </v-autocomplete> </v-flex> <v-flex xs12> <v-divider></v-divider> @@ -40,15 +35,14 @@ </v-flex> <v-flex xs12> <v-divider></v-divider> - <v-text-field + <v-textarea v-model="title" label="Message" counter max="120" full-width - multi-line single-line - ></v-text-field> + ></v-textarea> </v-flex> </v-layout> </v-container>
907f8e33f8d51b90406264376b7e204b3c7fc2f5
2019-10-03 06:34:31
Doug Allrich
docs(footer): fix hyphen spacing in teal-footer example (#9198)
false
fix hyphen spacing in teal-footer example (#9198)
docs
diff --git a/packages/docs/src/examples/footer/intermediate/teal-footer.vue b/packages/docs/src/examples/footer/intermediate/teal-footer.vue index 7b5a2cccb9d..927ea99b9d6 100644 --- a/packages/docs/src/examples/footer/intermediate/teal-footer.vue +++ b/packages/docs/src/examples/footer/intermediate/teal-footer.vue @@ -24,9 +24,9 @@ </v-btn> </v-card-title> - <v-card-actions class="grey darken-3 justify-center"> + <v-card-text class="py-2 white--text text-center"> {{ new Date().getFullYear() }} — <strong>Vuetify</strong> - </v-card-actions> + </v-card-text> </v-card> </v-footer> </template>
8dfce87c2a63946e3ea83fb219302d0831453efc
2019-01-23 22:59:43
Dmitry Sharshakov
docs(kitchen): add VList pan (#6238)
false
add VList pan (#6238)
docs
diff --git a/packages/kitchen/src/pan/Lists.vue b/packages/kitchen/src/pan/Lists.vue new file mode 100644 index 00000000000..9eacb343359 --- /dev/null +++ b/packages/kitchen/src/pan/Lists.vue @@ -0,0 +1,297 @@ +<template> + <v-container> + <v-layout column> + <main-header>Lists</main-header> + + <core-title>Simple</core-title> + <core-section> + <v-list> + <template v-for="(item, index) in items"> + <v-subheader + v-if="item.header" + :key="item.header" + > + {{ item.header }} + </v-subheader> + + <v-divider + v-else-if="item.divider" + :key="index" + /> + + <v-list-tile + v-else + :key="item.title" + > + <v-list-tile-content> + <v-list-tile-title v-html="item.title" /> + </v-list-tile-content> + </v-list-tile> + </template> + </v-list> + </core-section> + + <core-title>With avatars</core-title> + <core-section> + <v-list> + <template v-for="(item, index) in items"> + <v-subheader + v-if="item.header" + :key="item.header" + > + {{ item.header }} + </v-subheader> + + <v-divider + v-else-if="item.divider" + :key="index" + :inset="item.inset" + /> + + <v-list-tile + v-else + :key="item.title" + avatar + > + <v-list-tile-avatar> + <img :src="item.avatar"> + </v-list-tile-avatar> + + <v-list-tile-content> + <v-list-tile-title v-html="item.title" /> + </v-list-tile-content> + </v-list-tile> + </template> + </v-list> + </core-section> + + <core-title>Two-line</core-title> + <core-section> + <v-list two-line> + <template v-for="(item, index) in items"> + <v-subheader + v-if="item.header" + :key="item.header" + > + {{ item.header }} + </v-subheader> + + <v-divider + v-else-if="item.divider" + :key="index" + /> + + <v-list-tile + v-else + :key="item.title" + > + <v-list-tile-content> + <v-list-tile-title v-html="item.title" /> + <v-list-tile-sub-title v-html="item.subtitle" /> + </v-list-tile-content> + </v-list-tile> + </template> + </v-list> + </core-section> + + <core-title>Two-line with avatars</core-title> + <core-section> + <v-list two-line> + <template v-for="(item, index) in items"> + <v-subheader + v-if="item.header" + :key="item.header" + > + {{ item.header }} + </v-subheader> + + <v-divider + v-else-if="item.divider" + :key="index" + :inset="item.inset" + /> + + <v-list-tile + v-else + :key="item.title" + avatar + > + <v-list-tile-avatar> + <img :src="item.avatar"> + </v-list-tile-avatar> + + <v-list-tile-content> + <v-list-tile-title v-html="item.title" /> + <v-list-tile-sub-title v-html="item.subtitle" /> + </v-list-tile-content> + </v-list-tile> + </template> + </v-list> + </core-section> + + <core-title>With actions</core-title> + <core-section> + <v-list> + <template v-for="(item, index) in items"> + <v-subheader + v-if="item.header" + :key="item.header" + > + {{ item.header }} + </v-subheader> + + <v-divider + v-else-if="item.divider" + :key="index" + /> + + <v-list-tile + v-else + :key="item.title" + > + <v-list-tile-content> + <v-list-tile-title v-html="item.title" /> + </v-list-tile-content> + + <v-list-tile-action> + <v-icon color="pink">mdi-star</v-icon> + </v-list-tile-action> + </v-list-tile> + </template> + </v-list> + </core-section> + + <core-title>Two-line with actions</core-title> + <core-section> + <v-list two-line> + <template v-for="(item, index) in items"> + <v-subheader + v-if="item.header" + :key="item.header" + > + {{ item.header }} + </v-subheader> + + <v-divider + v-else-if="item.divider" + :key="index" + /> + + <v-list-tile + v-else + :key="item.title" + > + <v-list-tile-content> + <v-list-tile-title v-html="item.title" /> + <v-list-tile-sub-title v-html="item.subtitle" /> + </v-list-tile-content> + + <v-list-tile-action> + <v-icon color="pink">mdi-star</v-icon> + </v-list-tile-action> + </v-list-tile> + </template> + </v-list> + </core-section> + + <core-title>Three-line</core-title> + <core-section center style="max-width: 500px;"> + <v-list three-line> + <template v-for="(item, index) in items"> + <v-subheader + v-if="item.header" + :key="item.header" + > + {{ item.header }} + </v-subheader> + + <v-divider + v-else-if="item.divider" + :key="index" + /> + + <v-list-tile + v-else + :key="item.title" + > + <v-list-tile-content> + <v-list-tile-title v-html="item.title" /> + <v-list-tile-sub-title v-html="item.subtitle" /> + </v-list-tile-content> + </v-list-tile> + </template> + </v-list> + </core-section> + + <core-title>Avatar, title and action</core-title> + <core-section> + <v-list subheader> + <v-subheader>Recent chat</v-subheader> + <template + v-for="(item, index) in items" + > + <v-subheader + v-if="item.header" + :key="item.header" + > + {{ item.header }} + </v-subheader> + + <v-divider + v-if="item.divider" + :key="index" + :inset="item.inset" + /> + + <v-list-tile + v-else + :key="item.title" + avatar + > + <v-list-tile-avatar> + <img :src="item.avatar"> + </v-list-tile-avatar> + + <v-list-tile-content> + <v-list-tile-title v-html="item.title" /> + </v-list-tile-content> + + <v-list-tile-action> + <v-icon :color="item.active ? 'teal' : 'grey'">mdi-message</v-icon> + </v-list-tile-action> + </v-list-tile> + </template> + </v-list> + </core-section> + </v-layout> + </v-container> +</template> + +<script> + export default { + name: 'Lists', + + data: () => ({ + items: [ + { header: 'Today' }, + { + avatar: 'https://cdn.vuetifyjs.com/images/lists/1.jpg', + title: 'Brunch this weekend?', + subtitle: "<span class='text--primary'>Ali Connors</span> &mdash; I'll be in your neighborhood doing errands this weekend. Do you want to hang out?" + }, + { divider: true, inset: true }, + { + avatar: 'https://cdn.vuetifyjs.com/images/lists/2.jpg', + title: 'Summer BBQ <span class="grey--text text--lighten-1">4</span>', + subtitle: "<span class='text--primary'>to Alex, Scott, Jennifer</span> &mdash; Wish I could come, but I'm out of town this weekend." + }, + { divider: true, inset: true }, + { + avatar: 'https://cdn.vuetifyjs.com/images/lists/3.jpg', + title: 'Oui oui', + subtitle: "<span class='text--primary'>Sandra Adams</span> &mdash; Do you have Paris recommendations? Have you ever been?" + } + ] + }) + } +</script>
10c64e3163fce752d4e81f4529cb45595c97270d
2017-11-15 18:15:10
John Leider
fix(v-navigation-drawer): update drawer states reactivity with permanent (#2495)
false
update drawer states reactivity with permanent (#2495)
fix
diff --git a/src/components/VApp/mixins/app-breakpoint.js b/src/components/VApp/mixins/app-breakpoint.js index a433c699215..b5645ba318a 100644 --- a/src/components/VApp/mixins/app-breakpoint.js +++ b/src/components/VApp/mixins/app-breakpoint.js @@ -108,7 +108,7 @@ const breakpoint = { } }, - mounted () { + created () { this.$vuetify.breakpoint = this.breakpoint }, diff --git a/src/components/VBottomNav/VBottomNav.js b/src/components/VBottomNav/VBottomNav.js index 860db8bf586..88589a8c0eb 100644 --- a/src/components/VBottomNav/VBottomNav.js +++ b/src/components/VBottomNav/VBottomNav.js @@ -60,7 +60,8 @@ export default { render (h) { return h('div', { - class: this.addBackgroundColorClassChecks(this.classes) + class: this.addBackgroundColorClassChecks(this.classes), + ref: 'content' }, this.$slots.default) } } diff --git a/src/components/VFooter/VFooter.js b/src/components/VFooter/VFooter.js index 0ebe9fda562..9e5721bf4eb 100644 --- a/src/components/VFooter/VFooter.js +++ b/src/components/VFooter/VFooter.js @@ -59,7 +59,8 @@ export default { style: { paddingLeft: `${this.paddingLeft}px`, paddingRight: `${this.paddingRight}px` - } + }, + ref: 'content' } return h('footer', data, this.$slots.default) diff --git a/src/components/VGrid/VContent.js b/src/components/VGrid/VContent.js index b76611456a9..b5a9b137625 100644 --- a/src/components/VGrid/VContent.js +++ b/src/components/VGrid/VContent.js @@ -35,7 +35,8 @@ export default { render (h) { const data = { staticClass: 'content', - style: this.styles + style: this.styles, + ref: 'content' } return h('div', { diff --git a/src/components/VNavigationDrawer/VNavigationDrawer.js b/src/components/VNavigationDrawer/VNavigationDrawer.js index d5ff2e16ab3..acabd26a3ac 100644 --- a/src/components/VNavigationDrawer/VNavigationDrawer.js +++ b/src/components/VNavigationDrawer/VNavigationDrawer.js @@ -22,7 +22,6 @@ export default { data () { return { isActive: false, - isBooted: false, isMobile: null, touchArea: { left: 0, @@ -74,13 +73,12 @@ export default { 'navigation-drawer': true, 'navigation-drawer--absolute': this.absolute, 'navigation-drawer--clipped': this.clipped, - 'navigation-drawer--close': !this.isBooted || !this.isActive, + 'navigation-drawer--close': !this.isActive, 'navigation-drawer--fixed': this.fixed, 'navigation-drawer--floating': this.floating, - 'navigation-drawer--is-booted': this.isBooted, 'navigation-drawer--is-mobile': this.isMobile, 'navigation-drawer--mini-variant': this.miniVariant, - 'navigation-drawer--open': this.isActive && this.isBooted, + 'navigation-drawer--open': this.isActive, 'navigation-drawer--right': this.right, 'navigation-drawer--temporary': this.temporary, 'theme--dark': this.dark, @@ -104,14 +102,24 @@ export default { ? this.$vuetify.application.top + this.$vuetify.application.bottom : this.$vuetify.application.bottom }, - reactsToMobile () { + reactsToClick () { return !this.stateless && - !this.disableResizeWatcher && - this.isBooted && + !this.permanent && + (this.isMobile || this.temporary) + }, + reactsToMobile () { + return !this.disableResizeWatcher && + !this.stateless && + !this.permanent && !this.temporary }, reactsToRoute () { - return !this.disableRouteWatcher && !this.stateless + return !this.disableRouteWatcher && + !this.stateless && + !this.permanent + }, + resizeIsDisabled () { + return this.disableResizeWatcher || this.stateless }, showOverlay () { return this.isActive && @@ -136,12 +144,10 @@ export default { isActive (val) { this.$emit('input', val) - if (!this.isBooted || - (!this.temporary && !this.isMobile) - ) return - - this.tryOverlay() - this.$el.scrollTop = 0 + if (this.temporary || this.isMobile) { + this.tryOverlay() + this.$el.scrollTop = 0 + } }, /** * When mobile changes, adjust @@ -150,24 +156,21 @@ export default { * value */ isMobile (val, prev) { - !val && this.isActive && this.removeOverlay() + !val && + this.isActive && + !this.temporary && + this.removeOverlay() - if (!this.reactsToMobile) return + if (prev == null || + this.resizeIsDisabled + ) return - if (prev != null && !this.temporary) { - this.isActive = !val - } + this.isActive = !val }, permanent (val) { - // If we are removing prop - // reset active to match - // current value - if (!val) return (this.isActive = this.value) - - // We are enabling prop - // set its state to match - // viewport size - this.isActive = !this.isMobile + // If enabling prop + // enable the drawer + if (val) this.isActive = true }, right (val, prev) { // When the value changes @@ -180,34 +183,27 @@ export default { this.updateApplication() }, temporary (val) { - if (!val) return - this.tryOverlay() }, value (val) { - if (this.permanent && !this.isMobile) return + if (this.permanent) return + if (val !== this.isActive) this.isActive = val } }, - mounted () { + beforeMount () { this.checkIfMobile() - // Same as 3rd conditional - // but has higher precedence - // than simply providing - // a default value - if (this.stateless) { - this.isActive = this.value - } else if (this.permanent && !this.isMobile) { + if (this.permanent) { this.isActive = true - } else if (this.value != null) { + } else if (this.stateless || + this.value != null + ) { this.isActive = this.value } else if (!this.temporary) { this.isActive = !this.isMobile } - - setTimeout(() => (this.isBooted = true), 0) }, destroyed () { @@ -227,10 +223,14 @@ export default { } }, checkIfMobile () { + if (this.permanent || + this.temporary + ) return + this.isMobile = window.innerWidth < parseInt(this.mobileBreakPoint, 10) }, closeConditional () { - return !this.stateless && (this.isMobile || this.temporary) + return this.reactsToClick }, genDirectives () { const directives = [ @@ -280,7 +280,10 @@ export default { else if (!this.right && this.isActive) this.isActive = false }, tryOverlay () { - if (this.showOverlay && this.isActive) { + if (!this.permanent && + this.showOverlay && + this.isActive + ) { return this.genOverlay() } @@ -290,8 +293,8 @@ export default { if (!this.app) return const width = !this.isActive || - this.isMobile || - this.temporary + this.temporary || + this.isMobile ? 0 : this.calculatedWidth diff --git a/src/components/VNavigationDrawer/VNavigationDrawer.spec.js b/src/components/VNavigationDrawer/VNavigationDrawer.spec.js index 32ae131f557..be1e8996546 100644 --- a/src/components/VNavigationDrawer/VNavigationDrawer.spec.js +++ b/src/components/VNavigationDrawer/VNavigationDrawer.spec.js @@ -1,172 +1,122 @@ +import VApp from '~components/VApp' import VNavigationDrawer from '~components/VNavigationDrawer' import { test } from '~util/testing' +import { mount } from 'avoriaz' -// TODO: Test behaviour instead of styles -test('VNavigationDrawer.js', ({ mount }) => { - it('should render component and match snapshot', () => { - const wrapper = mount(VNavigationDrawer) - - expect(wrapper.html()).toMatchSnapshot() - }) - - it('should render component with custom absolute and match snapshot', () => { - const wrapper = mount(VNavigationDrawer, { - propsData: { - absolute: true - } - }) - - expect(wrapper.html()).toMatchSnapshot() - }) +const resizeWindow = (width = global.innerWidth, height = global.innerHeight) => { + global.innerWidth = width + global.innerHeight = height + global.dispatchEvent(new Event('resize')) + return new Promise(resolve => setTimeout(resolve, 200)) +} - it('should render component with custom clipped and match snapshot', () => { - const wrapper = mount(VNavigationDrawer, { - propsData: { - clipped: true - } - }) +beforeEach(() => { + return resizeWindow(1920, 1080) +}) - expect(wrapper.html()).toMatchSnapshot() - }) +test('VNavigationDrawer', () => { + // v-app is needed to initialise $vuetify.application + const app = mount(VApp) - it('should render component with custom disableRouteWatcher and match snapshot', () => { - const wrapper = mount(VNavigationDrawer, { - propsData: { - disableRouteWatcher: true - } - }) + it('should become temporary when the window resizes', async () => { + const wrapper = mount(VNavigationDrawer) - expect(wrapper.html()).toMatchSnapshot() + expect(wrapper.vm.isActive).toBe(true) + await resizeWindow(1200) + expect(wrapper.vm.isActive).toBe(false) + expect(wrapper.vm.overlay).toBeFalsy() }) - it('should render component with custom disableResizeWatcher and match snapshot', () => { - const wrapper = mount(VNavigationDrawer, { - propsData: { - disableResizeWatcher: true - } - }) + it('should not resize the content when temporary', async () => { + const wrapper = mount(VNavigationDrawer, { propsData: { + app: true, + temporary: true, + value: true + }}) - expect(wrapper.html()).toMatchSnapshot() + await wrapper.vm.$nextTick() + expect(wrapper.vm.$vuetify.application.left).toBe(0) + expect(wrapper.vm.overlay).toBeTruthy() }) - it('should render component with custom height and match snapshot', () => { - const wrapper = mount(VNavigationDrawer, { - propsData: { - height: '100px' - } - }) + it('should not resize the content when permanent and stateless', async () => { + const wrapper = mount(VNavigationDrawer, { propsData: { + app: true, + permanent: true, + stateless: true + }}) - expect(wrapper.html()).toMatchSnapshot() - }) - - it('should render component with custom floating and match snapshot', () => { - const wrapper = mount(VNavigationDrawer, { - propsData: { - floating: true - } - }) + await wrapper.vm.$nextTick() + expect(wrapper.vm.$vuetify.application.left).toBe(300) - expect(wrapper.html()).toMatchSnapshot() + await resizeWindow(1200) + expect(wrapper.vm.$vuetify.application.left).toBe(300) + expect(wrapper.vm.overlay).toBeFalsy() }) - it('should render component with custom miniVariant and match snapshot', () => { + it('should not resize the content when permanent and resize watcher is disabled', async () => { const wrapper = mount(VNavigationDrawer, { propsData: { - miniVariant: true + app: true, + permanent: true, + disableResizeWatcher: true } }) - expect(wrapper.html()).toMatchSnapshot() - }) - - it('should render component with custom mobileBreakPoint and match snapshot', () => { - const wrapper = mount(VNavigationDrawer, { - propsData: { - mobileBreakPoint: 1000 - } - }) + await wrapper.vm.$nextTick() + expect(wrapper.vm.$vuetify.application.left).toBe(300) - expect(wrapper.html()).toMatchSnapshot() + await resizeWindow(1200) + expect(wrapper.vm.$vuetify.application.left).toBe(300) + expect(wrapper.vm.overlay).toBeFalsy() }) - it('should render component with custom permanent and match snapshot', () => { + it('should stay active when resizing a temporary drawer', async () => { const wrapper = mount(VNavigationDrawer, { propsData: { - permanent: true + app: true, + temporary: true, + value: true } }) - expect(wrapper.html()).toMatchSnapshot() - }) + await wrapper.vm.$nextTick() - it('should render component with custom persistent and match snapshot', () => { - const wrapper = mount(VNavigationDrawer, { - propsData: { - persistent: true - } - }) + expect(wrapper.vm.isActive).toBe(true) + expect(wrapper.vm.overlay).toBeTruthy() - expect(wrapper.html()).toMatchSnapshot() - }) + await resizeWindow(1200) - it('should render component with custom right and match snapshot', () => { - const wrapper = mount(VNavigationDrawer, { - propsData: { - right: true - } - }) - - expect(wrapper.html()).toMatchSnapshot() + expect(wrapper.vm.isActive).toBe(true) + expect(wrapper.vm.overlay).toBeTruthy() }) - it('should render component with custom temporary and match snapshot', () => { + it('should open when changed to permanent', async () => { const wrapper = mount(VNavigationDrawer, { propsData: { - temporary: true + value: null } }) - expect(wrapper.html()).toMatchSnapshot() - }) + wrapper.setProps({ permanent: true }) - it('should render component with custom touchless and match snapshot', () => { - const wrapper = mount(VNavigationDrawer, { - propsData: { - touchless: true - } - }) + await wrapper.vm.$nextTick() - expect(wrapper.html()).toMatchSnapshot() + expect(wrapper.vm.isActive).toBe(true) }) - it('should render component with custom value and match snapshot', () => { + it('should not close when value changes and permanent', async () => { const wrapper = mount(VNavigationDrawer, { propsData: { + permanent: true, value: true } }) - expect(wrapper.html()).toMatchSnapshot() - }) - - it('should match value if value is true or false', async () => { - const wrapper = mount(VNavigationDrawer, { - attachToDocument: true, - propsData: { - value: false - } - }) - - const wrapper2 = mount(VNavigationDrawer, { - attachToDocument: true, - propsData: { - value: true - } - }) + wrapper.setProps({ value: false }) await wrapper.vm.$nextTick() - expect(wrapper.vm.isActive).toBe(false) - expect(wrapper2.vm.isActive).toBe(true) + expect(wrapper.vm.isActive).toBe(true) }) }) diff --git a/src/components/VNavigationDrawer/__snapshots__/VNavigationDrawer.spec.js.snap b/src/components/VNavigationDrawer/__snapshots__/VNavigationDrawer.spec.js.snap deleted file mode 100644 index 5aede0f8e0e..00000000000 --- a/src/components/VNavigationDrawer/__snapshots__/VNavigationDrawer.spec.js.snap +++ /dev/null @@ -1,166 +0,0 @@ -// Jest Snapshot v1, https://goo.gl/fbAQLP - -exports[`VNavigationDrawer.js should render component and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom absolute and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--absolute navigation-drawer--close" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom clipped and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--clipped navigation-drawer--close" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom disableResizeWatcher and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom disableRouteWatcher and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom floating and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close navigation-drawer--floating" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom height and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close" - style="height: 100px; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom miniVariant and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close navigation-drawer--mini-variant" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 80px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom mobileBreakPoint and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom permanent and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom persistent and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom right and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close navigation-drawer--right" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom temporary and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close navigation-drawer--temporary" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom touchless and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`; - -exports[`VNavigationDrawer.js should render component with custom value and match snapshot 1`] = ` - -<aside class="navigation-drawer navigation-drawer--close" - style="height: 100%; margin-top: 0px; max-height: calc(100% - 100%px); width: 300px;" -> - <div class="navigation-drawer__border"> - </div> -</aside> - -`;
6a3285f0e2059d24243181047740206d1f96d930
2024-09-03 23:41:09
Kael
chore: fix vercel route syntax
false
fix vercel route syntax
chore
diff --git a/vercel.json b/vercel.json index 7779bc33836..7ffb4ee960e 100644 --- a/vercel.json +++ b/vercel.json @@ -23,7 +23,7 @@ ] }, { - "source": "-[a-zA-Z0-9_-]{8}\\.(js|css)(\\.map)?", + "source": "/(.*)-([a-zA-Z0-9_-]{8}).(js|css)(\\.map)?", "headers" : [ { "key" : "Cache-Control",
85b240eff5298fbf830b004e6869261eb24c2810
2018-07-27 08:28:04
John Leider
fix(v-select): fix reverse styles
false
fix reverse styles
fix
diff --git a/src/stylus/components/_select.styl b/src/stylus/components/_select.styl index 320989369ac..1d22c96f9d5 100755 --- a/src/stylus/components/_select.styl +++ b/src/stylus/components/_select.styl @@ -77,6 +77,11 @@ theme(v-select, 'v-select') .v-select__selections min-height: 56px + &.v-text-field--reverse + .v-select__slot, + .v-select__selections + flex-direction: row-reverse + &__selections align-items: center display: flex
e982615de2c0cb53e83935114dc5e74ac5437adb
2022-05-17 21:02:04
John Leider
feat(items): add new composable (#15079)
false
add new composable (#15079)
feat
diff --git a/packages/docs/src/components/app/list/List.vue b/packages/docs/src/components/app/list/List.vue index be2d8b3abc7..d9eefbb15f7 100644 --- a/packages/docs/src/components/app/list/List.vue +++ b/packages/docs/src/components/app/list/List.vue @@ -53,7 +53,7 @@ } else { return { title: t(child.title!), - $children: generateItems(child, path, locale, t), + children: generateItems(child, path, locale, t), } } }) @@ -86,7 +86,7 @@ title: item.title && te(item.title) ? t(item.title) : item.title, prependIcon: opened.value.includes(item.title!) ? item.activeIcon : item.inactiveIcon, value: item.title, - $children: item.title === 'api' ? generateApiItems(locale.value) : generateItems(item, item.title!, locale.value, t), + children: item.title === 'api' ? generateApiItems(locale.value) : generateItems(item, item.title!, locale.value, t), } })) diff --git a/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx b/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx index 9ff593e0393..c9feed1503d 100644 --- a/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx +++ b/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx @@ -2,7 +2,7 @@ import './VAutocomplete.sass' // Components -import { genItem, makeSelectProps } from '@/components/VSelect/VSelect' +import { makeSelectProps } from '@/components/VSelect/VSelect' import { VChip } from '@/components/VChip' import { VDefaultsProvider } from '@/components/VDefaultsProvider' import { VList, VListItem } from '@/components/VList' @@ -12,6 +12,7 @@ import { VTextField } from '@/components/VTextField' // Composables import { makeFilterProps, useFilter } from '@/composables/filter' import { makeTransitionProps } from '@/composables/transition' +import { transformItem, useItems } from '@/composables/items' import { useForwardRef } from '@/composables/forwardRef' import { useLocale } from '@/composables/locale' import { useProxiedModel } from '@/composables/proxiedModel' @@ -79,7 +80,7 @@ export const VAutocomplete = genericComponent<new <T>() => { const isFocused = ref(false) const isPristine = ref(true) const menu = ref(false) - const items = computed(() => props.items.map(genItem)) + const { items } = useItems(props) const search = useProxiedModel(props, 'search', '') const model = useProxiedModel( props, @@ -93,7 +94,7 @@ export const VAutocomplete = genericComponent<new <T>() => { const array: InternalSelectItem[] = [] let index = 0 for (const unwrapped of model.value) { - const item = genItem(unwrapped) + const item = transformItem(props, unwrapped) const found = array.find(selection => selection.value === item.value) diff --git a/packages/vuetify/src/components/VCombobox/VCombobox.tsx b/packages/vuetify/src/components/VCombobox/VCombobox.tsx index 657f0a33006..3dede356e0d 100644 --- a/packages/vuetify/src/components/VCombobox/VCombobox.tsx +++ b/packages/vuetify/src/components/VCombobox/VCombobox.tsx @@ -2,7 +2,7 @@ import './VCombobox.sass' // Components -import { genItem, makeSelectProps } from '@/components/VSelect/VSelect' +import { makeSelectProps } from '@/components/VSelect/VSelect' import { VChip } from '@/components/VChip' import { VDefaultsProvider } from '@/components/VDefaultsProvider' import { VList, VListItem } from '@/components/VList' @@ -12,6 +12,7 @@ import { VTextField } from '@/components/VTextField' // Composables import { makeFilterProps, useFilter } from '@/composables/filter' import { makeTransitionProps } from '@/composables/transition' +import { transformItem, useItems } from '@/composables/items' import { useForwardRef } from '@/composables/forwardRef' import { useLocale } from '@/composables/locale' import { useProxiedModel } from '@/composables/proxiedModel' @@ -82,7 +83,7 @@ export const VCombobox = genericComponent<new <T>() => { const menu = ref(false) const selectionIndex = ref(-1) const color = computed(() => vTextFieldRef.value?.color) - const items = computed(() => props.items.map(genItem)) + const { items } = useItems(props) const { textColorClasses, textColorStyles } = useTextColor(color) const model = useProxiedModel( props, @@ -93,7 +94,7 @@ export const VCombobox = genericComponent<new <T>() => { ) const _search = ref('') const search = computed<string>({ - get: () => props.multiple ? _search.value : genItem(model.value[0]).value, + get: () => props.multiple ? _search.value : transformItem(props, model.value[0]).value, set: val => { if (props.multiple) { _search.value = val @@ -128,7 +129,7 @@ export const VCombobox = genericComponent<new <T>() => { const array: InternalComboboxItem[] = [] let index = 0 for (const unwrapped of model.value) { - const item = genItem(unwrapped) + const item = transformItem(props, unwrapped) const found = array.find(selection => selection.value === item.value) diff --git a/packages/vuetify/src/components/VList/VList.tsx b/packages/vuetify/src/components/VList/VList.tsx index 9271cb378c6..a3b33af15bd 100644 --- a/packages/vuetify/src/components/VList/VList.tsx +++ b/packages/vuetify/src/components/VList/VList.tsx @@ -9,6 +9,7 @@ import { makeBorderProps, useBorder } from '@/composables/border' import { makeDensityProps, useDensity } from '@/composables/density' import { makeDimensionProps, useDimension } from '@/composables/dimensions' import { makeElevationProps, useElevation } from '@/composables/elevation' +import { makeItemsProps, useItems } from '@/composables/items' import { makeRoundedProps, useRounded } from '@/composables/rounded' import { makeTagProps } from '@/composables/tag' import { useBackgroundColor } from '@/composables/color' @@ -23,14 +24,13 @@ import { computed, toRef } from 'vue' import { genericComponent, useRender } from '@/util' // Types -import type { Prop, PropType } from 'vue' +import type { PropType } from 'vue' import type { MakeSlots } from '@/util' import type { ListGroupActivatorSlot } from './VListGroup' export type ListItem = { [key: string]: any $type?: 'item' | 'subheader' | 'divider' - $children?: (string | ListItem)[] } export type InternalListItem = { @@ -45,12 +45,14 @@ const parseItems = (items?: (string | ListItem)[]): InternalListItem[] | undefin return items.map(item => { if (typeof item === 'string') return { type: 'item', value: item, title: item } - const { $type, $children, ...props } = item + const { $type, children, ...props } = item + + props.title = props.text ?? props.title if ($type === 'subheader') return { type: 'subheader', props } if ($type === 'divider') return { type: 'divider', props } - return { type: 'item', props, children: parseItems($children) } + return { type: 'item', props, children: parseItems(children) } }) } @@ -76,7 +78,6 @@ export const VList = genericComponent<new <T>() => { default: 'one', }, nav: Boolean, - items: Array as Prop<ListItem[]>, ...makeNestedProps({ selectStrategy: 'single-leaf' as const, @@ -86,6 +87,7 @@ export const VList = genericComponent<new <T>() => { ...makeDensityProps(), ...makeDimensionProps(), ...makeElevationProps(), + ...makeItemsProps(), ...makeRoundedProps(), ...makeTagProps(), ...makeThemeProps(), @@ -100,7 +102,8 @@ export const VList = genericComponent<new <T>() => { }, setup (props, { slots }) { - const items = computed(() => parseItems(props.items)) + const { items } = useItems(props) + const parsedItems = computed(() => parseItems(items.value)) const { themeClasses } = provideTheme(props) const { backgroundColorClasses, backgroundColorStyles } = useBackgroundColor(toRef(props, 'bgColor')) const { borderClasses } = useBorder(props) @@ -154,7 +157,7 @@ export const VList = genericComponent<new <T>() => { dimensionStyles.value, ]} > - <VListChildren items={ items.value } v-slots={ slots }></VListChildren> + <VListChildren items={ parsedItems.value } v-slots={ slots }></VListChildren> </props.tag> ) }) diff --git a/packages/vuetify/src/components/VList/__tests__/VList.spec.cy.tsx b/packages/vuetify/src/components/VList/__tests__/VList.spec.cy.tsx index e58cf14c37f..7878ee065dd 100644 --- a/packages/vuetify/src/components/VList/__tests__/VList.spec.cy.tsx +++ b/packages/vuetify/src/components/VList/__tests__/VList.spec.cy.tsx @@ -64,7 +64,7 @@ describe('VList', () => { { title: 'Group', value: 'group', - $children: [ + children: [ { title: 'Child', subtitle: 'Subtitle', @@ -93,7 +93,7 @@ describe('VList', () => { { title: 'Group', value: 'group', - $children: [ + children: [ { title: 'Child', subtitle: 'Subtitle', diff --git a/packages/vuetify/src/components/VSelect/VSelect.tsx b/packages/vuetify/src/components/VSelect/VSelect.tsx index 9db9ef56c2f..4cb4317f88e 100644 --- a/packages/vuetify/src/components/VSelect/VSelect.tsx +++ b/packages/vuetify/src/components/VSelect/VSelect.tsx @@ -9,6 +9,7 @@ import { VMenu } from '@/components/VMenu' import { VTextField } from '@/components/VTextField' // Composables +import { makeItemsProps, useItems } from '@/composables/items' import { makeTransitionProps } from '@/composables/transition' import { useForwardRef } from '@/composables/forwardRef' import { useLocale } from '@/composables/locale' @@ -21,7 +22,6 @@ import { genericComponent, propsFactory, useRender, wrapInArray } from '@/util' // Types import type { LinkProps } from '@/composables/router' import type { MakeSlots } from '@/util' -import type { PropType } from 'vue' export interface InternalSelectItem { title: string @@ -44,23 +44,12 @@ export type SelectItem = string | (string | number)[] | ((item: Record<string, a text: string }) -export function genItem (item: any) { - return { - title: String((typeof item === 'object' ? item.title : item) ?? ''), - value: (typeof item === 'object' ? item.value : item), - } -} - export const makeSelectProps = propsFactory({ chips: Boolean, closableChips: Boolean, eager: Boolean, hideNoData: Boolean, hideSelected: Boolean, - items: { - type: Array as PropType<SelectItem[]>, - default: () => ([]), - }, menuIcon: { type: String, default: '$dropdown', @@ -75,6 +64,8 @@ export const makeSelectProps = propsFactory({ default: '$vuetify.noDataText', }, openOnClear: Boolean, + + ...makeItemsProps(), }, 'select') export const VSelect = genericComponent<new <T>() => { @@ -100,7 +91,7 @@ export const VSelect = genericComponent<new <T>() => { const vTextFieldRef = ref() const activator = ref() const menu = ref(false) - const items = computed(() => props.items.map(genItem)) + const { items } = useItems(props) const model = useProxiedModel( props, 'modelValue', @@ -199,8 +190,7 @@ export const VSelect = genericComponent<new <T>() => { { items.value.map(item => ( <VListItem - title={ item.title } - value={ item.value } + { ...item } onMousedown={ (e: MouseEvent) => e.preventDefault() } onClick={ () => select(item) } /> diff --git a/packages/vuetify/src/composables/__tests__/items.spec.ts b/packages/vuetify/src/composables/__tests__/items.spec.ts new file mode 100644 index 00000000000..af9164a2056 --- /dev/null +++ b/packages/vuetify/src/composables/__tests__/items.spec.ts @@ -0,0 +1,36 @@ +// Composables +import { useItems } from '../items' + +// Utilities +import { describe, expect, it } from '@jest/globals' + +// Types +import type { ItemProps } from '../items' + +describe('items.ts', () => { + const defaults = { + itemTitle: 'title', + itemValue: 'value', + itemChildren: 'children', + itemProps: () => ({}), + } + + it.each([ + [{ items: [] }, []], + [{ items: ['Foo'] }, [{ title: 'Foo', value: 'Foo' }]], + [{ items: [{ title: 'Foo' }] }, [{ title: 'Foo', value: 'Foo' }]], + [{ items: [{ text: 'Foo' }], itemTitle: 'text' }, [{ title: 'Foo', value: 'Foo' }]], + [{ items: [{ title: 'Foo', id: 1 }], itemValue: 'id' }, [{ title: 'Foo', value: 1 }]], + [{ items: [{ title: 'Foo', children: ['Fizz'] }] }, [ + { title: 'Foo', value: 'Foo', children: [{ title: 'Fizz', value: 'Fizz' }] }, + ]], + [{ items: [{ title: 'Foo', labels: ['Fizz'] }], itemChildren: 'labels' }, [ + { title: 'Foo', value: 'Foo', children: [{ title: 'Fizz', value: 'Fizz' }] }, + ]], + [{ items: ['Foo'], itemProps: () => ({ status: true }) }, [{ title: 'Foo', value: 'Foo', status: true }]], + ])('should have proper styles', (props: ItemProps, expected) => { + const { items } = useItems({ ...defaults, ...props }) + + expect(items.value).toEqual(expected) + }) +}) diff --git a/packages/vuetify/src/composables/items.ts b/packages/vuetify/src/composables/items.ts new file mode 100644 index 00000000000..dfeecf9fc5c --- /dev/null +++ b/packages/vuetify/src/composables/items.ts @@ -0,0 +1,75 @@ +// Utilities +import { computed } from 'vue' +import { getObjectValueByPath, getPropertyFromItem, propsFactory } from '@/util' + +// Types +import type { PropType } from 'vue' +import type { SelectItemKey } from '@/util' + +export interface InternalItem { + [key: string]: any + title: string + value: any + children?: InternalItem[] +} + +export interface ItemProps { + items: (string | Partial<InternalItem>)[] + itemTitle: SelectItemKey + itemValue: SelectItemKey + itemChildren: string + itemProps: (item: any) => Partial<InternalItem> +} + +// Composables +export const makeItemsProps = propsFactory({ + items: { + type: Array as PropType<ItemProps['items']>, + default: () => ([]), + }, + itemTitle: { + type: [String, Array, Function] as PropType<SelectItemKey>, + default: 'title', + }, + itemValue: { + type: [String, Array, Function] as PropType<SelectItemKey>, + default: 'value', + }, + itemChildren: { + type: String, + default: 'children', + }, + itemProps: { + type: Function as PropType<ItemProps['itemProps']>, + default: (item: any) => ({}), + }, +}, 'item') + +export function transformItem (props: ItemProps, item: any) { + const title = getPropertyFromItem(item, props.itemTitle, item) + const value = getPropertyFromItem(item, props.itemValue, title) + const children = getObjectValueByPath(item, props.itemChildren) + + return { + title, + value, + children: Array.isArray(children) ? transformItems(props, children) : undefined, + ...props.itemProps?.(item), + } +} + +export function transformItems (props: ItemProps, items: ItemProps['items']) { + const array: InternalItem[] = [] + + for (const item of items) { + array.push(transformItem(props, item)) + } + + return array +} + +export function useItems (props: ItemProps) { + const items = computed(() => transformItems(props, props.items)) + + return { items } +} diff --git a/packages/vuetify/src/util/helpers.ts b/packages/vuetify/src/util/helpers.ts index a7978be0779..ac3dc9a5bab 100644 --- a/packages/vuetify/src/util/helpers.ts +++ b/packages/vuetify/src/util/helpers.ts @@ -57,10 +57,10 @@ export function getObjectValueByPath (obj: any, path: string, fallback?: any): a return getNestedValue(obj, path.split('.'), fallback) } -type SelectItemKey = string | (string | number)[] | ((item: Record<string, any>, fallback?: any) => any) +export type SelectItemKey = string | (string | number)[] | ((item: Record<string, any>, fallback?: any) => any) export function getPropertyFromItem ( - item: object, + item: any, property: SelectItemKey, fallback?: any ): any {
9858237c50120d2b6d9012ca046d313dbf950a4a
2022-03-29 21:58:52
John Leider
docs: update sponsor location in main docs
false
update sponsor location in main docs
docs
diff --git a/packages/docs/src/components/app/Toc.vue b/packages/docs/src/components/app/Toc.vue index df4521d244c..2b73f031a27 100644 --- a/packages/docs/src/components/app/Toc.vue +++ b/packages/docs/src/components/app/Toc.vue @@ -47,25 +47,44 @@ </router-link> </ul> - <v-container> - <app-caption - v-if="sponsors.length" - path="sponsors" - class="mb-2 ml-2" - /> + <template #append> + <v-container> + <v-card + :color="dark ? undefined : 'grey-lighten-5'" + variant="contained-flat" + > - <v-row no-gutters> - <v-col v-for="sponsor of sponsors" :key="sponsor.slug" cols="6"> - <sponsor-card width="96" compact :sponsor="sponsor" max-height="36" /> - </v-col> - </v-row> - - <v-row> - <v-col cols="12"> - <carbon class="pl-2" /> - </v-col> - </v-row> - </v-container> + <v-container class="pa-2"> + <app-caption + v-if="sponsors.length" + path="sponsors" + class="mt-n1 mb-1 ml-2" + /> + + <v-row dense> + <v-col + v-for="sponsor of sponsors" + :key="sponsor.slug" + :cols="sponsor.metadata.tier === -1 ? 12 : 6" + class="text-center" + > + <sponsor-card + :max-height="sponsor.metadata.tier === -1 ? 52 : undefined" + :sponsor="sponsor" + style="width: 100%; height: 100%;" + /> + </v-col> + </v-row> + </v-container> + </v-card> + + <v-row> + <v-col cols="12"> + <carbon /> + </v-col> + </v-row> + </v-container> + </template> </v-navigation-drawer> </template> @@ -74,6 +93,7 @@ import { computed, onBeforeMount, ref } from 'vue' import { RouteLocation, Router, useRoute, useRouter } from 'vue-router' import { useSponsorsStore } from '../../store/sponsors' + import { useTheme } from 'vuetify' import SponsorCard from '@/components/sponsor/Card.vue' @@ -181,6 +201,7 @@ setup () { const route = useRoute() const router = useRouter() + const theme = useTheme() const { onScroll, scrolling } = useUpdateHashOnScroll(route, router) @@ -205,7 +226,17 @@ toc: computed(() => route.meta.toc as TocItem[]), onClick, onScroll, - sponsors: computed(() => sponsorStore.sponsors.filter(sponsor => sponsor.metadata.tier === 2)), + sponsors: computed(() => ( + sponsorStore.sponsors + .filter(sponsor => sponsor.metadata.tier <= 2) + .sort((a, b) => { + const aTier = a.metadata.tier + const bTier = b.metadata.tier + + return aTier === bTier ? 0 : aTier > bTier ? 1 : -1 + }) + )), + dark: computed(() => theme.getTheme(theme.current.value).dark), route, } }, @@ -229,4 +260,7 @@ &.theme--dark li:not(.router-link-active) border-left-color: rgba(255, 255, 255, 0.5) + + .v-navigation-drawer__content + height: auto </style> diff --git a/packages/docs/src/components/app/drawer/Drawer.vue b/packages/docs/src/components/app/drawer/Drawer.vue index f8a7752e894..e34c1d3f5e9 100644 --- a/packages/docs/src/components/app/drawer/Drawer.vue +++ b/packages/docs/src/components/app/drawer/Drawer.vue @@ -3,17 +3,12 @@ v-model="app.drawer" width="300" > - <app-drawer-prepend /> - - <v-divider /> - <app-list :items="items" nav /> </v-navigation-drawer> </template> <script lang="ts"> // Components - import AppDrawerPrepend from './DrawerPrepend.vue' import AppList from '@/components/app/list/List.vue' // Composables @@ -31,7 +26,6 @@ components: { AppList, - AppDrawerPrepend, }, setup () { diff --git a/packages/docs/src/components/promoted/Base.vue b/packages/docs/src/components/promoted/Base.vue index 1dc866059b8..44c1a07e199 100644 --- a/packages/docs/src/components/promoted/Base.vue +++ b/packages/docs/src/components/promoted/Base.vue @@ -2,7 +2,7 @@ <v-sheet :style="styles" class="v-app-ad d-inline-flex flex-child-1 grow-shrink-0 mt-2 mb-4" - color="grey-lighten-5" + :color="dark ? undefined : 'grey-lighten-5'" rounded width="100%" v-bind="$attrs" @@ -13,6 +13,7 @@ <script lang="ts"> import { defineComponent } from 'vue' + import { useTheme } from 'vuetify' export default defineComponent({ name: 'PromotedBase', @@ -36,6 +37,11 @@ minHeight: `${this.minHeight}px`, } }, + dark () { + const theme = useTheme() + + return theme.getTheme(theme.current.value).dark + }, }, }) </script> diff --git a/packages/docs/src/components/sponsor/Card.vue b/packages/docs/src/components/sponsor/Card.vue index e4621edb446..bcfb6507336 100644 --- a/packages/docs/src/components/sponsor/Card.vue +++ b/packages/docs/src/components/sponsor/Card.vue @@ -3,7 +3,7 @@ :aria-label="found?.metadata.name" :href="found?.metadata.href" :ripple="false" - class="d-inline-block px-2 py-1" + class="d-inline-flex align-center pa-2" color="transparent" flat rel="noopener"
ff27d025fdd6ed222a1258c29ee8cba04129d152
2018-05-23 19:08:52
Kael
fix(build): import Vue again
false
import Vue again
fix
diff --git a/.eslintrc.js b/.eslintrc.js index f0875f2184c..fffad944eda 100644 --- a/.eslintrc.js +++ b/.eslintrc.js @@ -80,7 +80,7 @@ module.exports = { // 'typescript/no-unused-vars': 'error', // https://github.com/eslint/typescript-eslint-parser/issues/443 - 'no-redeclare': false, + // 'no-redeclare': false, 'typescript/adjacent-overload-signatures': 'error', 'typescript/member-delimiter-style': ['error', { diff --git a/build/webpack.prod.config.js b/build/webpack.prod.config.js index d479ddc0654..63821461db1 100644 --- a/build/webpack.prod.config.js +++ b/build/webpack.prod.config.js @@ -26,6 +26,14 @@ module.exports = merge(baseWebpackConfig, { libraryTarget: 'umd', libraryExport: 'default' }, + externals: { + vue: { + commonjs: 'vue', + commonjs2: 'vue', + amd: 'vue', + root: 'Vue' + } + }, module: { noParse: /es6-promise\.js$/, // avoid webpack shimming process rules: [ diff --git a/package.json b/package.json index 14ee1bd2943..54487f545ac 100644 --- a/package.json +++ b/package.json @@ -147,6 +147,11 @@ ], "snapshotSerializers": [ "jest-serializer-html" - ] + ], + "globals": { + "ts-jest": { + "useBabelrc": true + } + } } } diff --git a/src/components/VBtn/VBtn.ts b/src/components/VBtn/VBtn.ts index 09cf9cf1945..8cd38b751b4 100644 --- a/src/components/VBtn/VBtn.ts +++ b/src/components/VBtn/VBtn.ts @@ -1,12 +1,9 @@ // Styles import '../../stylus/components/_buttons.styl' -import { Vue } from '../Vuetify' -import mixins from '../../util/mixins' - -// Types -import { VNode, ComponentOptions, VNodeChildren } from 'vue/types' +import Vue, { VNode, ComponentOptions, VNodeChildren } from 'vue' import { PropValidator } from 'vue/types/options' +import mixins from '../../util/mixins' // Components import VProgressCircular from '../VProgressCircular' diff --git a/src/components/Vuetify/index.ts b/src/components/Vuetify/index.ts index 05bc864333a..72f5869a303 100644 --- a/src/components/Vuetify/index.ts +++ b/src/components/Vuetify/index.ts @@ -5,19 +5,14 @@ import options from './mixins/options' import genLang from './mixins/lang' import { consoleWarn } from '../../util/console' import goTo from './util/goTo' -import { Vue as _Vue } from 'vue/types/vue' +import { VueConstructor } from 'vue/types' import { Vuetify as VuetifyPlugin } from 'types' -// Export Vue ourselves so we can use the same plugins -export let Vue: typeof _Vue -export type Vue = _Vue - const Vuetify: VuetifyPlugin = { - install (_Vue, opts = {}) { + install (Vue, opts = {}) { if ((this as any).installed) return (this as any).installed = true - Vue = _Vue checkVueVersion(Vue) @@ -64,7 +59,7 @@ const Vuetify: VuetifyPlugin = { } /* istanbul ignore next */ -function checkVueVersion (Vue: typeof _Vue) { +function checkVueVersion (Vue: VueConstructor) { const vueDep = __REQUIRED_VUE__ const required = vueDep.split('.').map(v => v.replace(/\D/g, '')) diff --git a/src/mixins/colorable.ts b/src/mixins/colorable.ts index 300454238db..4ec618170e9 100644 --- a/src/mixins/colorable.ts +++ b/src/mixins/colorable.ts @@ -1,4 +1,4 @@ -import { Vue } from '../components/Vuetify' +import Vue from 'vue' export default Vue.extend({ name: 'colorable', diff --git a/src/mixins/positionable.ts b/src/mixins/positionable.ts index 84ff9c96a0a..d8f5a089e19 100644 --- a/src/mixins/positionable.ts +++ b/src/mixins/positionable.ts @@ -1,4 +1,4 @@ -import { Vue } from '../components/Vuetify' +import Vue from 'vue' import { filterObjectOnKeys } from '../util/helpers' import { OptionsVue } from 'vue/types/vue' diff --git a/src/mixins/registrable.ts b/src/mixins/registrable.ts index 89158040fcf..c344cac5727 100644 --- a/src/mixins/registrable.ts +++ b/src/mixins/registrable.ts @@ -1,4 +1,4 @@ -import { Vue } from '../components/Vuetify' +import Vue from 'vue' import { ExtendedVue } from 'vue/types/vue' import { consoleWarn } from '../util/console' diff --git a/src/mixins/routable.ts b/src/mixins/routable.ts index d6dfbc1d96b..18bbfa6d0d5 100644 --- a/src/mixins/routable.ts +++ b/src/mixins/routable.ts @@ -1,5 +1,4 @@ -import { Vue } from '../components/Vuetify' -import { VNodeData } from 'vue/types' +import Vue, { VNodeData } from 'vue' import Ripple from '../directives/ripple' export default Vue.extend({ diff --git a/src/mixins/themeable.ts b/src/mixins/themeable.ts index eb274fab7c8..ff20c509b69 100644 --- a/src/mixins/themeable.ts +++ b/src/mixins/themeable.ts @@ -1,4 +1,4 @@ -import { Vue } from '../components/Vuetify' +import Vue from 'vue' export default Vue.extend({ name: 'themeable', diff --git a/src/mixins/toggleable.ts b/src/mixins/toggleable.ts index 5a999120771..dbe24326c40 100644 --- a/src/mixins/toggleable.ts +++ b/src/mixins/toggleable.ts @@ -1,4 +1,4 @@ -import { Vue } from '../components/Vuetify' +import Vue from 'vue' import { ExtendedVue } from 'vue/types/vue' export function factory<T extends string> (prop?: T, event?: string): ExtendedVue<Vue, { isActive: boolean }, {}, {}, Record<T, any>> diff --git a/src/util/mixins.ts b/src/util/mixins.ts index b5a45cfa362..fecee861343 100644 --- a/src/util/mixins.ts +++ b/src/util/mixins.ts @@ -1,6 +1,5 @@ /* eslint-disable max-len, import/export */ -import { Vue } from '../components/Vuetify' -import { VueConstructor, ComponentOptions } from 'vue' +import Vue, { VueConstructor, ComponentOptions } from 'vue' type Component<T extends Vue> = ComponentOptions<T> | VueConstructor<T>
b376c59467604347b34df2eb1818a6fcf38a0be8
2019-02-26 06:15:20
MajesticPotatoe
docs(kitchen): fix dark toggle
false
fix dark toggle
docs
diff --git a/packages/kitchen/src/App.vue b/packages/kitchen/src/App.vue index a8f28bd420d..8e52cd84739 100644 --- a/packages/kitchen/src/App.vue +++ b/packages/kitchen/src/App.vue @@ -1,5 +1,5 @@ <template> - <v-app :dark="$vuetify.dark"> + <v-app :dark="$vuetify.theme.dark"> <v-toolbar color="blue-grey" dark @@ -23,7 +23,7 @@ <v-btn icon title="Change theme" - @click="$vuetify.dark = !$vuetify.dark" + @click="$vuetify.theme.dark = !$vuetify.theme.dark" > <v-icon> mdi-invert-colors
4a033e8abf1fe79112c96dd1b1338869b4bb0759
2024-04-11 07:36:30
John Leider
fix(VBottomNavigation): color animation delay
false
color animation delay
fix
diff --git a/packages/vuetify/src/components/VBottomNavigation/_variables.scss b/packages/vuetify/src/components/VBottomNavigation/_variables.scss index 8fd85fea5d1..9144dc314e2 100644 --- a/packages/vuetify/src/components/VBottomNavigation/_variables.scss +++ b/packages/vuetify/src/components/VBottomNavigation/_variables.scss @@ -26,7 +26,7 @@ $bottom-navigation-shift-content-color: rgba(var(--v-theme-on-surface), 0) !defa $bottom-navigation-shift-icon-top: math.div($bottom-navigation-icon-font-size, 3) !default; $bottom-navigation-shift-icon-transform: translateY($bottom-navigation-shift-icon-top) !default; $bottom-navigation-text-transform: none !default; -$bottom-navigation-transition: transform, color .2s, .2s settings.$standard-easing !default; +$bottom-navigation-transition: transform, color, .2s, .1s settings.$standard-easing !default; // Lists $bottom-navigation-border: (
901e56c0e1f28e581cca7e5348f179e8d5b14f56
2017-11-16 07:54:59
John Leider
refactor(dense list tile icon): adjusted font size of dense list icons
false
adjusted font size of dense list icons
refactor
diff --git a/src/stylus/settings/_variables.styl b/src/stylus/settings/_variables.styl index 9f6440dd095..0f86ba9c562 100755 --- a/src/stylus/settings/_variables.styl +++ b/src/stylus/settings/_variables.styl @@ -245,7 +245,7 @@ $subheader-inset-margin := $list-item-right-margin // list dense overrides */ $list-item-dense-font-size := ($list-tile-font-size - 3px) //13px $subheader-dense-font-size := $list-item-dense-font-size -$list-item-dense-icon-font-size := 21px //weird rendering issue +$list-item-dense-icon-font-size := 22px $list-item-dense-top-padding := $list-top-padding / 2 $list-item-dense-single-height := $list-item-single-height - 8px //40px
f479fb631d2d083f0b928e93ecb86184e9bf055c
2019-08-30 05:44:09
Francisco Flores
refactor(locale): update es.ts (#8794)
false
update es.ts (#8794)
refactor
diff --git a/packages/vuetify/src/locale/es.ts b/packages/vuetify/src/locale/es.ts index 1312420f995..66232fc0fe7 100644 --- a/packages/vuetify/src/locale/es.ts +++ b/packages/vuetify/src/locale/es.ts @@ -1,40 +1,40 @@ export default { - close: 'Close', + close: 'Cerrar', dataIterator: { pageText: '{0}-{1} de {2}', - noResultsText: 'Ningún resultado a mostrar', - loadingText: 'Loading item...', + noResultsText: 'Ningún elemento coincide con la búsqueda', + loadingText: 'Cargando...', }, dataTable: { itemsPerPageText: 'Filas por página:', ariaLabel: { - sortDescending: ': Sorted descending. Activate to remove sorting.', - sortAscending: ': Sorted ascending. Activate to sort descending.', - sortNone: ': Not sorted. Activate to sort ascending.', + sortDescending: ': Orden descendente. Pulse para quitar orden.', + sortAscending: ': Orden ascendente. Pulse para ordenar descendente.', + sortNone: ': Sin ordenar. Pulse para ordenar ascendente.', }, - sortBy: 'Sort by', + sortBy: 'Ordenado por', }, dataFooter: { itemsPerPageText: 'Elementos por página:', itemsPerPageAll: 'Todos', nextPage: 'Página siguiente', prevPage: 'Página anterior', - firstPage: 'Página primera', - lastPage: 'Página última', + firstPage: 'Primer página', + lastPage: 'Última página', }, datePicker: { itemsSelected: '{0} seleccionados', }, - noDataText: 'Ningún dato disponible', + noDataText: 'No hay datos disponibles', carousel: { - prev: 'Visual previo', - next: 'Siguiente visual', + prev: 'Visual anterior', + next: 'Visual siguiente', }, calendar: { moreEvents: '{0} más', }, fileInput: { - counter: '{0} files', - counterSize: '{0} files ({1} in total)', + counter: '{0} archivos', + counterSize: '{0} archivos ({1} en total)', }, }
9b059231d3ac7daf5564773904c2bc3d5fbd0e63
2018-11-30 03:40:19
John Leider
docs: restructure pages
false
restructure pages
docs
diff --git a/packages/vuetifyjs.com/src/App.vue b/packages/vuetifyjs.com/src/App.vue index 8b4f3ace15d..977ac1f0bdf 100755 --- a/packages/vuetifyjs.com/src/App.vue +++ b/packages/vuetifyjs.com/src/App.vue @@ -1,21 +1,9 @@ <template> - <v-fade-transition appear> - <v-app v-cloak> - <core-ad /> - - <core-toolbar /> - - <core-drawer /> - - <v-content> - <router-view /> - </v-content> - - <core-fab /> - - <core-snackbar /> - </v-app> - </v-fade-transition> + <v-app> + <v-fade-transition mode="out-in"> + <router-view /> + </v-fade-transition> + </v-app> </template> <script> @@ -77,26 +65,3 @@ } } </script> - -<style lang="stylus"> - @import '~vuetify/src/stylus/settings/_variables.styl' - - main - section - &:before - content '' - display block - position relative - width 0 - height 80px - margin-top -80px - - .container.page - max-width: 1185px !important - padding-top: 75px - padding-bottom: 0 - transition: .2s $transition.fast-out-slow-in - - section - margin-bottom: 48px -</style> diff --git a/packages/vuetifyjs.com/src/components/core/Page.vue b/packages/vuetifyjs.com/src/components/core/Page.vue index 173e4c60cdc..a8f765d1625 100644 --- a/packages/vuetifyjs.com/src/components/core/Page.vue +++ b/packages/vuetifyjs.com/src/components/core/Page.vue @@ -30,24 +30,7 @@ // TODO: This is where 404 redirect will occur export default { - provide () { - return { - app: this.app, - namespace: upperFirst(camelCase(this.namespace)), - page: upperFirst(camelCase(this.page)) - } - }, - - props: { - namespace: { - type: String, - required: true - }, - page: { - type: String, - required: true - } - }, + inject: ['namespace', 'page'], computed: { composite () { diff --git a/packages/vuetifyjs.com/src/components/core/View.vue b/packages/vuetifyjs.com/src/components/core/View.vue new file mode 100644 index 00000000000..7f304d82def --- /dev/null +++ b/packages/vuetifyjs.com/src/components/core/View.vue @@ -0,0 +1,17 @@ +<template> + <v-content> + <v-slide-y-transition mode="out-in"> + <core-page + :page="page" + :namespace="namespace" + :key="$route.path" + /> + </v-slide-y-transition> + </v-content> +</template> + +<script> + export default { + inject: ['namespace', 'page'] + } +</script> diff --git a/packages/vuetifyjs.com/src/components/views/Root.vue b/packages/vuetifyjs.com/src/components/views/Root.vue index a8485cef18a..7c0677edd4d 100644 --- a/packages/vuetifyjs.com/src/components/views/Root.vue +++ b/packages/vuetifyjs.com/src/components/views/Root.vue @@ -1,11 +1,8 @@ <template> - <v-slide-y-transition mode="out-in"> - <router-view - v-if="languageIsValid" - :key="$route.path" - /> + <v-fade-transition mode="out-in"> + <router-view v-if="languageIsValid" /> <not-found-page v-else to="/en/" /> - </v-slide-y-transition> + </v-fade-transition> </template> <script> diff --git a/packages/vuetifyjs.com/src/pages/Documentation.vue b/packages/vuetifyjs.com/src/pages/Documentation.vue index 0881b21a78c..007dbae0205 100644 --- a/packages/vuetifyjs.com/src/pages/Documentation.vue +++ b/packages/vuetifyjs.com/src/pages/Documentation.vue @@ -1,16 +1,34 @@ <template> - <v-fade-transition mode="out-in"> - <core-page - :page="page" - :namespace="namespace" - /> - </v-fade-transition> + <div> + <core-ad /> + + <core-toolbar /> + + <core-drawer /> + + <core-view /> + + <core-fab /> + + <core-snackbar /> + </div> </template> <script> + // Utilities + import camelCase from 'lodash/camelCase' + import upperFirst from 'lodash/upperFirst' + export default { name: 'Documentation', + provide () { + return { + namespace: upperFirst(camelCase(this.namespace)), + page: upperFirst(camelCase(this.page)) + } + }, + props: { // Provided by router namespace: {
963e08a24ceaf3f8e957ada6ca51a82ca3fed602
2019-08-16 01:49:21
Jacek Karczmarczyk
chore(README): update MDI installation snippets
false
update MDI installation snippets
chore
diff --git a/README.md b/README.md index f8357f9cc65..341cc4bc540 100644 --- a/README.md +++ b/README.md @@ -307,15 +307,25 @@ Vue.use(Vuetify) // Add Vuetify as a plugin For including styles 🎨, you can either place the below styles in your `index.html` (if using the CLI) or directly at your app's entry point. ```html -<link href="https://fonts.googleapis.com/css?family=Roboto:100,300,400,500,700,900|Material+Icons" rel="stylesheet"> +<link href="https://fonts.googleapis.com/css?family=Roboto:100,300,400,500,700,900" rel="stylesheet"> +<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/@mdi/font@latest/css/materialdesignicons.min.css"> <link href="https://cdn.jsdelivr.net/npm/[email protected]/dist/vuetify.min.css" rel="stylesheet"> ``` Or you can import it to your webpack entry point file. This is _usually_ your `main.js` file. ```javascript -import 'https://fonts.googleapis.com/css?family=Roboto:100,300,400,500,700,900|Material+Icons' +import 'https://fonts.googleapis.com/css?family=Roboto:100,300,400,500,700,900' +import '@mdi/font/css/materialdesignicons.css' import 'vuetify/dist/vuetify.min.css' ``` + +Don't forget to install Material Design Icons as a dependency: +```bash +yarn add @mdi/font -D +# OR +npm install @mdi/font -D +``` + For more information, please visit the <a href="https://vuetifyjs.com/getting-started/quick-start">quick-start guide</a>. #### Manual Installation Through CDN @@ -323,7 +333,8 @@ For more information, please visit the <a href="https://vuetifyjs.com/getting-st To use Vuetify in your project by directly importing it through CDNs (Content Delivery Networks), add the following code to the `<head>` of your HTML document. ```html -<link href="https://fonts.googleapis.com/css?family=Roboto:100,300,400,500,700,900|Material+Icons" rel="stylesheet"> +<link href="https://fonts.googleapis.com/css?family=Roboto:100,300,400,500,700,900" rel="stylesheet"> +<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/@mdi/font@latest/css/materialdesignicons.min.css"> <link href="https://cdn.jsdelivr.net/npm/[email protected]/dist/vuetify.min.css" rel="stylesheet"> ```
f90bcc79a15ca9c60788ceecc18c19e675884692
2020-04-08 23:09:59
John Leider
docs: add defaults for github links
false
add defaults for github links
docs
diff --git a/packages/docs/src/components/doc/Example.vue b/packages/docs/src/components/doc/Example.vue index 23eadbf6520..f9fb77c6a53 100644 --- a/packages/docs/src/components/doc/Example.vue +++ b/packages/docs/src/components/doc/Example.vue @@ -185,7 +185,7 @@ }, data: vm => ({ - branch: undefined, + branch: 'master', component: undefined, dark: false, expand: false, diff --git a/packages/docs/src/components/doc/Markup.vue b/packages/docs/src/components/doc/Markup.vue index f9e6979d61b..378adcb83cd 100644 --- a/packages/docs/src/components/doc/Markup.vue +++ b/packages/docs/src/components/doc/Markup.vue @@ -95,7 +95,7 @@ code: null, copied: false, language: vm.lang, - branch: null, + branch: 'master', }), computed: { diff --git a/packages/docs/src/components/doc/PreMadeLayouts.vue b/packages/docs/src/components/doc/PreMadeLayouts.vue index 7fdbf4918b8..04d5d22200b 100644 --- a/packages/docs/src/components/doc/PreMadeLayouts.vue +++ b/packages/docs/src/components/doc/PreMadeLayouts.vue @@ -76,7 +76,7 @@ export default { data: () => ({ - branch: null, + branch: 'master', layouts: [ { name: 'Baseline', href: '/layouts/layouts/demos/baseline' }, { name: 'Baseline Flipped', href: '/layouts/layouts/demos/baseline-flipped' },
ef27a657d3d7f5c5079bf4bdef3258d17f5c60f1
2019-01-07 01:36:04
John Leider
chore: rename sass paths during compilation
false
rename sass paths during compilation
chore
diff --git a/packages/vuetify/.babelrc b/packages/vuetify/.babelrc index 7675574e4e0..d56eccffdb7 100644 --- a/packages/vuetify/.babelrc +++ b/packages/vuetify/.babelrc @@ -43,12 +43,14 @@ }] ], "plugins": [ - "./build/babel-transform-stylus-paths.js" + "./build/babel-transform-stylus-paths.js", + "./build/babel-transform-sass-paths.js" ] }, "lib": { "plugins": [ - "./build/babel-transform-stylus-paths.js" + "./build/babel-transform-stylus-paths.js", + "./build/babel-transform-sass-paths.js" ] } } diff --git a/packages/vuetify/build/babel-transform-sass-paths.js b/packages/vuetify/build/babel-transform-sass-paths.js new file mode 100644 index 00000000000..eb12c97523d --- /dev/null +++ b/packages/vuetify/build/babel-transform-sass-paths.js @@ -0,0 +1,16 @@ +var types = require('babel-types'); +var pathLib = require('path'); +var wrapListener = require('babel-plugin-detective/wrap-listener'); + +module.exports = wrapListener(listener, 'transform-sass-paths'); + +function listener(path, file, opts) { + const regex = /((?:\.\.?\/)+)/gi + if (path.isLiteral() && path.node.value.endsWith('.sass')) { + const matches = regex.exec(path.node.value) + if (!matches) return + const m = matches[0].startsWith('./') ? matches[0].substr(2) : matches[0] + const folder = path.node.value.slice(2).replace('.sass', '') + path.node.value = path.node.value.replace(matches[0], `${m}../../../src/components/${folder}/`) + } +}
500c71dde5a849bf030b788174d42191790464d7
2022-03-01 02:11:57
John Leider
fix(VCard): only render subtitle component slot or prop present
false
only render subtitle component slot or prop present
fix
diff --git a/packages/vuetify/src/components/VCard/VCard.tsx b/packages/vuetify/src/components/VCard/VCard.tsx index b282467c2f7..76586169996 100644 --- a/packages/vuetify/src/components/VCard/VCard.tsx +++ b/packages/vuetify/src/components/VCard/VCard.tsx @@ -1,3 +1,5 @@ +/* eslint-disable complexity */ + // Styles import './VCard.sass' @@ -155,12 +157,14 @@ export const VCard = defineComponent({ </VCardTitle> ) } - <VCardSubtitle> - { slots.subtitle - ? slots.subtitle() - : props.subtitle - } - </VCardSubtitle> + { hasSubtitle && ( + <VCardSubtitle> + { slots.subtitle + ? slots.subtitle() + : props.subtitle + } + </VCardSubtitle> + ) } </VCardHeaderText> ) }
b6ee5432a8441c816011b60e08854a0258d4e4dd
2023-03-13 18:14:17
Kael
docs(contributing): don't build docs initially
false
don't build docs initially
docs
diff --git a/packages/docs/src/pages/en/getting-started/contributing.md b/packages/docs/src/pages/en/getting-started/contributing.md index 28efe1e7e05..f8f43fb146c 100644 --- a/packages/docs/src/pages/en/getting-started/contributing.md +++ b/packages/docs/src/pages/en/getting-started/contributing.md @@ -84,7 +84,8 @@ cd vuetify yarn # Build the packages -yarn build +yarn build vuetify +yarn build api ``` The build process compiles all the Vuetify packages for development and may take a while (grab some ☕). Once the packages are built, you can start developing.
0f4f64974d1c5a4e0770cce6e714b051402fe0dd
2018-07-09 19:49:36
Kael
fix(VSelect): prevent emitting change again on blur (#4539)
false
prevent emitting change again on blur (#4539)
fix
diff --git a/src/components/VSelect/VSelect.js b/src/components/VSelect/VSelect.js index 006732c2c22..4c79af86b64 100644 --- a/src/components/VSelect/VSelect.js +++ b/src/components/VSelect/VSelect.js @@ -234,7 +234,8 @@ export default { }, watch: { - internalValue () { + internalValue (val) { + this.initialValue = val this.$emit('change', this.internalValue) this.setSelectedItems() }, diff --git a/test/unit/components/VSelect/VSelect.spec.js b/test/unit/components/VSelect/VSelect.spec.js index 0fe7ca683f9..4b71cff8976 100644 --- a/test/unit/components/VSelect/VSelect.spec.js +++ b/test/unit/components/VSelect/VSelect.spec.js @@ -447,4 +447,30 @@ test('VSelect', ({ mount, compileToFunctions }) => { await wrapper.vm.$nextTick() expect(wrapper.vm.isMenuActive).toBe(false) }) + + it('should emit a single change event', async () => { + const wrapper = mount(VSelect, { + attachToDocument: true, + propsData: { + attach: true, + items: ['foo', 'bar'] + } + }) + + const change = jest.fn() + wrapper.vm.$on('change', change) + + const menu = wrapper.first('.v-input__slot') + + menu.trigger('click') + await wrapper.vm.$nextTick() + + wrapper.vm.selectItem('foo') + await wrapper.vm.$nextTick() + + wrapper.vm.blur() + await wrapper.vm.$nextTick() + + expect(change.mock.calls).toEqual([['foo']]) + }) })
8d7beebf10643b6f1d18fb15bd81a9183725b1b5
2024-05-29 20:48:20
Yuchao
fix(VTreeview): select & activate issues (#19795)
false
select & activate issues (#19795)
fix
diff --git a/packages/vuetify/src/components/VList/VList.tsx b/packages/vuetify/src/components/VList/VList.tsx index 567728ccd1c..00e020b2a94 100644 --- a/packages/vuetify/src/components/VList/VList.tsx +++ b/packages/vuetify/src/components/VList/VList.tsx @@ -22,7 +22,7 @@ import { makeVariantProps } from '@/composables/variant' // Utilities import { computed, ref, shallowRef, toRef } from 'vue' -import { focusChild, genericComponent, getPropertyFromItem, omit, propsFactory, useRender } from '@/util' +import { EventProp, focusChild, genericComponent, getPropertyFromItem, omit, propsFactory, useRender } from '@/util' // Types import type { PropType } from 'vue' @@ -95,6 +95,8 @@ export const makeVListProps = propsFactory({ slim: Boolean, nav: Boolean, + 'onClick:open': EventProp<[{ id: unknown, value: boolean, path: unknown[] }]>(), + 'onClick:select': EventProp<[{ id: unknown, value: boolean, path: unknown[] }]>(), ...makeNestedProps({ selectStrategy: 'single-leaf' as const, openStrategy: 'list' as const, @@ -130,6 +132,8 @@ export const VList = genericComponent<new < itemProps?: SelectItemKey<ItemType<T>> selected?: S 'onUpdate:selected'?: (value: S) => void + 'onClick:open'?: (value: { id: unknown, value: boolean, path: unknown[] }) => void + 'onClick:select'?: (value: { id: unknown, value: boolean, path: unknown[] }) => void opened?: O 'onUpdate:opened'?: (value: O) => void }, diff --git a/packages/vuetify/src/components/VList/VListGroup.tsx b/packages/vuetify/src/components/VList/VListGroup.tsx index a475a86d330..2d94ce78e31 100644 --- a/packages/vuetify/src/components/VList/VListGroup.tsx +++ b/packages/vuetify/src/components/VList/VListGroup.tsx @@ -66,6 +66,7 @@ export const VListGroup = genericComponent<VListGroupSlots>()({ const { isBooted } = useSsrBoot() function onClick (e: Event) { + e.stopPropagation() open(!isOpen.value, e) } diff --git a/packages/vuetify/src/components/VList/VListItem.sass b/packages/vuetify/src/components/VList/VListItem.sass index cfa039d1685..d1146c26a47 100644 --- a/packages/vuetify/src/components/VList/VListItem.sass +++ b/packages/vuetify/src/components/VList/VListItem.sass @@ -319,7 +319,7 @@ .v-list-group__items .v-list-item padding-inline-start: calc(#{$base-padding} + var(--indent-padding)) !important - .v-list-group__header.v-list-item--active + .v-list-group__header:not(.v-treeview-item--activetable-group-activator).v-list-item--active &:not(:focus-visible) .v-list-item__overlay opacity: 0 diff --git a/packages/vuetify/src/components/VList/VListItem.tsx b/packages/vuetify/src/components/VList/VListItem.tsx index ec51bda0e14..5033f7954e1 100644 --- a/packages/vuetify/src/components/VList/VListItem.tsx +++ b/packages/vuetify/src/components/VList/VListItem.tsx @@ -34,7 +34,7 @@ import { deprecate, EventProp, genericComponent, propsFactory, useRender } from import type { PropType } from 'vue' import type { RippleDirectiveBinding } from '@/directives/ripple' -type ListItemSlot = { +export type ListItemSlot = { isActive: boolean isSelected: boolean isIndeterminate: boolean @@ -359,6 +359,8 @@ export const VListItem = genericComponent<VListItemSlots>()({ }) return { + activate, + isActivated, isGroupActivator, isSelected, list, diff --git a/packages/vuetify/src/labs/VTreeview/VTreeview.tsx b/packages/vuetify/src/labs/VTreeview/VTreeview.tsx index 693d45e41aa..daaa14820f2 100644 --- a/packages/vuetify/src/labs/VTreeview/VTreeview.tsx +++ b/packages/vuetify/src/labs/VTreeview/VTreeview.tsx @@ -34,7 +34,7 @@ export const makeVTreeviewProps = propsFactory({ ...omit(makeVListProps({ collapseIcon: '$treeviewCollapse', expandIcon: '$treeviewExpand', - selectStrategy: 'independent' as const, + selectStrategy: 'classic' as const, openStrategy: 'multiple' as const, slim: true, }), ['nav']), diff --git a/packages/vuetify/src/labs/VTreeview/VTreeviewChildren.tsx b/packages/vuetify/src/labs/VTreeview/VTreeviewChildren.tsx index 85bf5e3c4d1..17d40421270 100644 --- a/packages/vuetify/src/labs/VTreeview/VTreeviewChildren.tsx +++ b/packages/vuetify/src/labs/VTreeview/VTreeviewChildren.tsx @@ -4,13 +4,14 @@ import { VTreeviewItem } from './VTreeviewItem' import { VCheckboxBtn } from '@/components/VCheckbox' // Utilities -import { shallowRef } from 'vue' +import { shallowRef, withModifiers } from 'vue' import { genericComponent, propsFactory } from '@/util' // Types import type { PropType } from 'vue' import type { InternalListItem } from '@/components/VList/VList' import type { VListItemSlots } from '@/components/VList/VListItem' +import type { SelectStrategyProp } from '@/composables/nested/nested' import type { GenericProps } from '@/util' export type VTreeviewChildrenSlots<T> = { @@ -28,6 +29,7 @@ export const makeVTreeviewChildrenProps = propsFactory({ }, items: Array as PropType<readonly InternalListItem[]>, selectable: Boolean, + selectStrategy: [String, Function, Object] as PropType<SelectStrategyProp>, }, 'VTreeviewChildren') export const VTreeviewChildren = genericComponent<new <T extends InternalListItem>( @@ -60,29 +62,37 @@ export const VTreeviewChildren = genericComponent<new <T extends InternalListIte }) } - function onClick (e: MouseEvent | KeyboardEvent, item: any) { - e.stopPropagation() - - checkChildren(item) + function selectItem (select: (value: boolean) => void, isSelected: boolean) { + if (props.selectable) { + select(!isSelected) + } } return () => slots.default?.() ?? props.items?.map(({ children, props: itemProps, raw: item }) => { const loading = isLoading.value === item.value const slotsWithItem = { - prepend: slots.prepend - ? slotProps => slots.prepend?.({ ...slotProps, item }) - : props.selectable - ? ({ isSelected, isIndeterminate }) => ( - <VCheckboxBtn - key={ item.value } - tabindex="-1" - modelValue={ isSelected } - loading={ loading } - indeterminate={ isIndeterminate } - onClick={ (e: MouseEvent) => onClick(e, item) } - /> - ) - : undefined, + prepend: slotProps => ( + <> + { props.selectable && (!children || (children && !['leaf', 'single-leaf'].includes(props.selectStrategy as string))) && ( + <div> + <VCheckboxBtn + key={ item.value } + modelValue={ slotProps.isSelected } + loading={ loading } + indeterminate={ slotProps.isIndeterminate } + onClick={ withModifiers(() => selectItem(slotProps.select, slotProps.isSelected), ['stop']) } + onKeydown={ (e: KeyboardEvent) => { + if (!['Enter', 'Space'].includes(e.key)) return + e.stopPropagation() + selectItem(slotProps.select, slotProps.isSelected) + }} + /> + </div> + )} + + { slots.prepend?.({ ...slotProps, item }) } + </> + ), append: slots.append ? slotProps => slots.append?.({ ...slotProps, item }) : undefined, title: slots.title ? slotProps => slots.title?.({ ...slotProps, item }) : undefined, } satisfies VTreeviewItem['$props']['$children'] @@ -96,15 +106,22 @@ export const VTreeviewChildren = genericComponent<new <T extends InternalListIte { ...treeviewGroupProps } > {{ - activator: ({ props: activatorProps }) => ( - <VTreeviewItem - { ...itemProps } - { ...activatorProps } - loading={ loading } - v-slots={ slotsWithItem } - onClick={ (e: MouseEvent | KeyboardEvent) => onClick(e, item) } - /> - ), + activator: ({ props: activatorProps }) => { + const listItemProps = { + ...itemProps, + ...activatorProps, + value: itemProps?.value, + } + + return ( + <VTreeviewItem + { ...listItemProps } + loading={ loading } + v-slots={ slotsWithItem } + onClick={ () => checkChildren(item) } + /> + ) + }, default: () => ( <VTreeviewChildren { ...treeviewChildrenProps } diff --git a/packages/vuetify/src/labs/VTreeview/VTreeviewItem.tsx b/packages/vuetify/src/labs/VTreeview/VTreeviewItem.tsx index 6fae4204548..fea97419ddf 100644 --- a/packages/vuetify/src/labs/VTreeview/VTreeviewItem.tsx +++ b/packages/vuetify/src/labs/VTreeview/VTreeviewItem.tsx @@ -3,13 +3,16 @@ import './VTreeviewItem.sass' // Components import { VBtn } from '@/components/VBtn' -import { VListItemAction } from '@/components/VList' +import { VListItemAction, VListItemSubtitle, VListItemTitle } from '@/components/VList' import { makeVListItemProps, VListItem } from '@/components/VList/VListItem' import { VProgressCircular } from '@/components/VProgressCircular' // Composables +import { useDensity } from '@/composables/density' import { IconValue } from '@/composables/icons' +import { useNestedItem } from '@/composables/nested/nested' import { useLink } from '@/composables/router' +import { genOverlays } from '@/composables/variant' // Utilities import { computed, inject, ref } from 'vue' @@ -17,7 +20,7 @@ import { genericComponent, propsFactory, useRender } from '@/util' // Types import { VTreeviewSymbol } from './shared' -import type { VListItemSlots } from '@/components/VList/VListItem' +import type { ListItemSlot, VListItemSlots } from '@/components/VList/VListItem' export const makeVTreeviewItemProps = propsFactory({ loading: Boolean, @@ -33,34 +36,133 @@ export const VTreeviewItem = genericComponent<VListItemSlots>()({ setup (props, { attrs, slots, emit }) { const link = useLink(props, attrs) - const id = computed(() => props.value === undefined ? link.href.value : props.value) + const rawId = computed(() => props.value === undefined ? link.href.value : props.value) const vListItemRef = ref<VListItem>() + const { + activate, + isActivated, + select, + isSelected, + isIndeterminate, + isGroupActivator, + root, + id, + } = useNestedItem(rawId, false) + + const isActivatableGroupActivator = computed(() => + (root.activatable.value) && + isGroupActivator + ) + + const { densityClasses } = useDensity(props, 'v-list-item') + + const slotProps = computed(() => ({ + isActive: isActivated.value, + select, + isSelected: isSelected.value, + isIndeterminate: isIndeterminate.value, + } satisfies ListItemSlot)) + const isClickable = computed(() => !props.disabled && props.link !== false && (props.link || link.isClickable.value || (props.value != null && !!vListItemRef.value?.list)) ) - function onClick (e: MouseEvent | KeyboardEvent) { - if (!vListItemRef.value?.isGroupActivator || !isClickable.value) return - props.value != null && vListItemRef.value?.select(!vListItemRef.value?.isSelected, e) + function activateItem (e: MouseEvent | KeyboardEvent) { + if ( + !isClickable.value || + (!isActivatableGroupActivator.value && isGroupActivator) + ) return + + if (root.activatable.value) { + if (isActivatableGroupActivator.value) { + activate(!isActivated.value, e) + } else { + vListItemRef.value?.activate(!vListItemRef.value?.isActivated, e) + } + } } function onKeyDown (e: KeyboardEvent) { if (e.key === 'Enter' || e.key === ' ') { e.preventDefault() - onClick(e as any as MouseEvent) + activateItem(e) } } const visibleIds = inject(VTreeviewSymbol, { visibleIds: ref() }).visibleIds useRender(() => { + const hasTitle = (slots.title || props.title != null) + const hasSubtitle = (slots.subtitle || props.subtitle != null) const listItemProps = VListItem.filterProps(props) const hasPrepend = slots.prepend || props.toggleIcon - return ( + return isActivatableGroupActivator.value + ? ( + <div + class={[ + 'v-list-item', + 'v-list-item--one-line', + 'v-treeview-item', + 'v-treeview-item--activetable-group-activator', + { + 'v-list-item--active': isActivated.value || isSelected.value, + 'v-treeview-item--filtered': visibleIds.value && !visibleIds.value.has(id.value), + }, + densityClasses.value, + props.class, + ]} + onClick={ activateItem } + v-ripple={ isClickable.value && props.ripple } + > + <> + { genOverlays(isActivated.value || isSelected.value, 'v-list-item') } + { props.toggleIcon && ( + <VListItemAction start={ false }> + <VBtn + density="compact" + icon={ props.toggleIcon } + loading={ props.loading } + variant="text" + onClick={ props.onClick } + > + {{ + loader () { + return ( + <VProgressCircular + indeterminate="disable-shrink" + size="20" + width="2" + /> + ) + }, + }} + </VBtn> + </VListItemAction> + )} + + </> + + <div class="v-list-item__content" data-no-activator=""> + { hasTitle && ( + <VListItemTitle key="title"> + { slots.title?.({ title: props.title }) ?? props.title } + </VListItemTitle> + )} + + { hasSubtitle && ( + <VListItemSubtitle key="subtitle"> + { slots.subtitle?.({ subtitle: props.subtitle }) ?? props.subtitle } + </VListItemSubtitle> + )} + + { slots.default?.(slotProps.value) } + </div> + </div> + ) : ( <VListItem ref={ vListItemRef } { ...listItemProps } @@ -71,7 +173,8 @@ export const VTreeviewItem = genericComponent<VListItemSlots>()({ }, props.class, ]} - onClick={ onClick } + value={ id.value } + onClick={ activateItem } onKeydown={ isClickable.value && onKeyDown } > {{ @@ -108,7 +211,7 @@ export const VTreeviewItem = genericComponent<VListItemSlots>()({ } : undefined, }} </VListItem> - ) + ) }) return {}
c8e92395dd6e342e94afe5d2fc45d45c5cf2d35c
2020-01-25 12:30:30
Kael
fix(VDataTable): allow grouping by nested keys
false
allow grouping by nested keys
fix
diff --git a/packages/vuetify/src/components/VData/__tests__/VData.spec.ts b/packages/vuetify/src/components/VData/__tests__/VData.spec.ts index 1b961c2ca9c..87df23e237e 100644 --- a/packages/vuetify/src/components/VData/__tests__/VData.spec.ts +++ b/packages/vuetify/src/components/VData/__tests__/VData.spec.ts @@ -96,6 +96,32 @@ describe('VData.ts', () => { })) }) + it('should group items by deep keys', async () => { + const render = jest.fn() + const items = [ + { id: 1, text: 'foo', foo: { bar: 'one' } }, + { id: 2, text: 'bar', foo: { bar: 'two' } }, + { id: 3, text: 'baz', foo: { bar: 'one' } }, + ] + + const wrapper = mountFunction({ + propsData: { + items, + groupBy: ['foo.bar'], + }, + scopedSlots: { + default: render, + }, + }) + + expect(render).toHaveBeenCalledWith(expect.objectContaining({ + groupedItems: { + one: [items[0], items[2]], + two: [items[1]], + }, + })) + }) + it('should group items with a custom group function', async () => { const render = jest.fn() const items = [ diff --git a/packages/vuetify/src/util/helpers.ts b/packages/vuetify/src/util/helpers.ts index 89bb56f73f4..0c9ff228db6 100644 --- a/packages/vuetify/src/util/helpers.ts +++ b/packages/vuetify/src/util/helpers.ts @@ -263,9 +263,10 @@ export function groupItems<T extends any = any> ( groupDesc: boolean[] ): Record<string, T[]> { const key = groupBy[0] - return items.reduce((rv, x) => { - (rv[x[key]] = rv[x[key]] || []).push(x) - return rv + return items.reduce((acc, item) => { + const val = getObjectValueByPath(item, key) + ;(acc[val] = acc[val] || []).push(item) + return acc }, {} as Record<string, T[]>) }
a06c183d1ff995ec422832c2e5ac26f2fd6d59e8
2024-10-15 02:18:20
John Leider
docs(StoreLink): change icon
false
change icon
docs
diff --git a/packages/docs/src/components/app/bar/StoreLink.vue b/packages/docs/src/components/app/bar/StoreLink.vue index 42b82169a52..f3d2ecdc5b9 100644 --- a/packages/docs/src/components/app/bar/StoreLink.vue +++ b/packages/docs/src/components/app/bar/StoreLink.vue @@ -2,7 +2,7 @@ <AppBtn color="medium-emphasis" href="https://store.vuetifyjs.com/?utm_source=vuetifyjs.com&utm_medium=toolbar" - icon="mdi-cart-outline" + icon="mdi-storefront-outline" rel="noopener" target="_blank" @click="onClick" diff --git a/packages/docs/src/plugins/icons.ts b/packages/docs/src/plugins/icons.ts index 70b6b967956..7613dfa4729 100644 --- a/packages/docs/src/plugins/icons.ts +++ b/packages/docs/src/plugins/icons.ts @@ -349,6 +349,7 @@ export { mdiStarCircleOutline, mdiStarHalfFull, mdiStarOutline, + mdiStorefrontOutline, mdiStoreOutline, mdiSvg, mdiTable,
7f6f12e4b48a4e92108a1803b22823492b35e3c6
2020-12-15 22:41:54
amajesticpotatoe
docs(usage): allow alt tag, update fab
false
allow alt tag, update fab
docs
diff --git a/packages/docs/src/components/examples/Usage.vue b/packages/docs/src/components/examples/Usage.vue index 107c4580266..23fbcecdb76 100644 --- a/packages/docs/src/components/examples/Usage.vue +++ b/packages/docs/src/components/examples/Usage.vue @@ -186,7 +186,10 @@ inject: ['theme'], - props: { name: String }, + props: { + name: String, + alt: String, + }, data: () => ({ booleans: undefined, @@ -211,6 +214,7 @@ }, formatAttributes () { let attributeArray = [] + const tag = this.alt || this.name for (const [key, value] of Object.entries(this.usageProps)) { if (!!value === false) continue @@ -224,9 +228,9 @@ attributeArray = attributeArray.sort() const indent = attributeArray.length ? '\r ' : '' - const tail = `${attributeArray.length ? '\r' : ''}></${this.name}>` + const tail = `${attributeArray.length ? '\r' : ''}></${tag}>` - return `<${this.name}${indent}${attributeArray.join('\r ')}${tail}` + return `<${tag}${indent}${attributeArray.join('\r ')}${tail}` }, }, diff --git a/packages/docs/src/pages/en/components/floating-action-buttons.md b/packages/docs/src/pages/en/components/floating-action-buttons.md index 6a97a1433a4..b41c5cdebce 100644 --- a/packages/docs/src/pages/en/components/floating-action-buttons.md +++ b/packages/docs/src/pages/en/components/floating-action-buttons.md @@ -19,7 +19,7 @@ The `v-btn` component can be used as a floating action button. This provides an Floating action buttons can be attached to material to signify a promoted action in your application. The default size will be used in most cases, whereas the `small` variant can be used to maintain continuity with similar sized elements. -<usage name="v-btn-fab" /> +<usage name="v-btn-fab" alt="v-btn" /> ## API
0a876f4907b2fcb137cc0fce620edb0831ac3c67
2024-08-15 12:11:51
Joaquín Sánchez
docs: add vuetify-nuxt-module to nuxt install section (#20326)
false
add vuetify-nuxt-module to nuxt install section (#20326)
docs
diff --git a/packages/docs/src/pages/en/getting-started/installation.md b/packages/docs/src/pages/en/getting-started/installation.md index 20584639e4f..e4cd893d9a8 100644 --- a/packages/docs/src/pages/en/getting-started/installation.md +++ b/packages/docs/src/pages/en/getting-started/installation.md @@ -86,7 +86,11 @@ pnpm dev ## Using Nuxt 3 -[Nuxt](https://nuxt.com/) is an open-source framework that has helpful features to quickly get you started with developing a full-stack Vue app, such as file-based routing, SSR and component auto-imports. Nuxt is powered by Vite, so the steps to get Vuetify working in Nuxt 3 are quite similar to the manual steps described above. +[Nuxt](https://nuxt.com/) is an open-source framework that has helpful features to quickly get you started with developing a full-stack Vue app, such as file-based routing, SSR and component auto-imports. + +### Manual setup + +Nuxt is powered by Vite, so the steps to get Vuetify working in Nuxt 3 are quite similar to [the manual steps described below](#existing-projects). Start off creating a nuxt app by executing the following commands: @@ -214,7 +218,13 @@ or </template> ``` -You should now have access to all Vuetify components and tools in Nuxt app. +You should now have access to all Vuetify components and tools in the Nuxt app. + +### vuetify-nuxt-module + +Alternatively, you can use the [vuetify-nuxt-module](https://github.com/userquin/vuetify-nuxt-module) (works only with Vite). The module is strongly opinionated and has a built-in default configuration out of the box. You can use it without any configuration, and it will work for most use cases. + +Check the [documentation](https://vuetify-nuxt-module.netlify.app/) for more information on how to use it. ## Using Laravel Mix
51ef1e33258ae46e16b18e9df864f9cebfc30e8c
2023-11-13 21:36:53
Kael
fix(VDataTableVirtual): pass original item index to item slots
false
pass original item index to item slots
fix
diff --git a/packages/vuetify/src/components/VDataTable/VDataTableVirtual.tsx b/packages/vuetify/src/components/VDataTable/VDataTableVirtual.tsx index 5fe5f2c875c..22330561598 100644 --- a/packages/vuetify/src/components/VDataTable/VDataTableVirtual.tsx +++ b/packages/vuetify/src/components/VDataTable/VDataTableVirtual.tsx @@ -225,6 +225,7 @@ export const VDataTableVirtual = genericComponent<new <T extends readonly any[], { ...itemSlotProps.props } ref={ itemRef } key={ itemSlotProps.internalItem.index } + index={ itemSlotProps.internalItem.index } v-slots={ slots } /> )
a3e0cd127b31253727d74405d29e5ca6b0ab053e
2020-11-26 23:55:06
John Leider
chore(SystemBar): remove discount code
false
remove discount code
chore
diff --git a/packages/docs/src/layouts/default/SystemBar.vue b/packages/docs/src/layouts/default/SystemBar.vue index ea029796ffb..ccd6bace9f3 100644 --- a/packages/docs/src/layouts/default/SystemBar.vue +++ b/packages/docs/src/layouts/default/SystemBar.vue @@ -8,7 +8,7 @@ > <a class="bf-banner" - href="https://store.vuetifyjs.com/?utm_source=vuetify&utm_medium=banner&utm_campaign=blackfriday&discount=SNEAKPEAK" + href="https://store.vuetifyjs.com/?utm_source=vuetify&utm_medium=banner&utm_campaign=blackfriday" rel="noopener" target="_blank" @click="onClick"
bbf2241109361c3e602483656e160b0e90cf50f0
2019-04-12 00:28:03
Boris Dayma
test(touch): migrate to vue-test-utils (#6964)
false
migrate to vue-test-utils (#6964)
test
diff --git a/packages/vuetify/src/directives/touch/__tests__/touch.spec.ts b/packages/vuetify/src/directives/touch/__tests__/touch.spec.ts new file mode 100644 index 00000000000..83ed59ae622 --- /dev/null +++ b/packages/vuetify/src/directives/touch/__tests__/touch.spec.ts @@ -0,0 +1,96 @@ +// Directives +import Touch from '../' + +// Libraries +import Vue from 'vue' + +// Utilities +import { + mount, + Wrapper +} from '@vue/test-utils' +import { touch } from '@/test' + +describe('touch.ts', () => { + let mountFunction: (value?: object) => Wrapper<Vue> + + beforeEach(() => { + mountFunction = (value = {}) => { + return mount(Vue.component('test', { + directives: { Touch }, + render: h => h('div', { + directives: [{ + name: 'touch', + value + }] + }) + })) + } + }) + + it('should call directive handlers', async () => { + const down = jest.fn() + touch(mountFunction({ down })).start(0, 0).end(0, 20) + expect(down).toHaveBeenCalled() + + const up = jest.fn() + touch(mountFunction({ up })).start(0, 0).end(0, -20) + expect(up).toHaveBeenCalled() + + const left = jest.fn() + touch(mountFunction({ left })).start(0, 0).end(-20, 0) + expect(left).toHaveBeenCalled() + + const right = jest.fn() + touch(mountFunction({ right })).start(0, 0).end(20, 0) + expect(right).toHaveBeenCalled() + + const start = jest.fn() + touch(mountFunction({ start })).start(0, 0) + expect(start).toHaveBeenCalled() + + const move = jest.fn() + touch(mountFunction({ move })).move(0, 0) + expect(move).toHaveBeenCalled() + + const end = jest.fn() + touch(mountFunction({ end })).end(0, 0) + expect(end).toHaveBeenCalled() + }) + + it('should call directive handlers if not straight down/up/right/left', async () => { + const nope = jest.fn() + const down = jest.fn() + touch(mountFunction({ down, right: nope })).start(0, 0).end(5, 20) + expect(nope).not.toHaveBeenCalled() + expect(down).toHaveBeenCalled() + }) + + it('should not call directive handlers if distance is too small ', async () => { + const down = jest.fn() + touch(mountFunction({ down })).start(0, 0).end(0, 10) + expect(down).not.toHaveBeenCalled() + + const up = jest.fn() + touch(mountFunction({ up })).start(0, 0).end(0, -10) + expect(up).not.toHaveBeenCalled() + + const left = jest.fn() + touch(mountFunction({ left })).start(0, 0).end(-10, 0) + expect(left).not.toHaveBeenCalled() + + const right = jest.fn() + touch(mountFunction({ right })).start(0, 0).end(10, 0) + expect(right).not.toHaveBeenCalled() + }) + + it('should unbind', async () => { + const start = jest.fn() + const wrapper = mountFunction({ start }) + + Touch.unbind(wrapper.element, { value: {} }, { context: wrapper.vm }) + + touch(wrapper).start(0, 0) + expect(start.mock.calls).toHaveLength(0) + }) +})
092fcebb88b2163c12ec16240084e0e7b34bb4bb
2021-12-27 14:54:11
Kael
fix(VSlideGroup): account for inverted RTL scrolling
false
account for inverted RTL scrolling
fix
diff --git a/packages/vuetify/src/components/VSlideGroup/VSlideGroup.ts b/packages/vuetify/src/components/VSlideGroup/VSlideGroup.ts index f4dd04e3b88..618273f7099 100644 --- a/packages/vuetify/src/components/VSlideGroup/VSlideGroup.ts +++ b/packages/vuetify/src/components/VSlideGroup/VSlideGroup.ts @@ -216,13 +216,17 @@ export const BaseSlideGroup = mixins<options & // and need to be recalculated isOverflowing: 'setWidths', scrollOffset (val) { - const scroll = + if (this.$vuetify.rtl) val = -val + + let scroll = val <= 0 ? bias(-val) : val > this.widths.content - this.widths.wrapper ? -(this.widths.content - this.widths.wrapper) + bias(this.widths.content - this.widths.wrapper - val) : -val + if (this.$vuetify.rtl) scroll = -scroll + this.$refs.content.style.transform = `translateX(${scroll}px)` }, },
6b6619f5474dd1b1a15dad43f4b920f755c5192d
2023-08-30 02:50:21
John Leider
docs(promotions): update query
false
update query
docs
diff --git a/packages/docs/src/store/promotions.ts b/packages/docs/src/store/promotions.ts index 224a1981317..490d78b97e8 100644 --- a/packages/docs/src/store/promotions.ts +++ b/packages/docs/src/store/promotions.ts @@ -39,7 +39,7 @@ export const usePromotionsStore = defineStore('promotions', () => { const { objects = [] }: { objects: Promotion[] } = ( await bucket?.objects .find({ type: 'promotions' }) - .props('slug,title,metadata') + .props('metadata,slug,title') .status('published') ) || {}
64f81838f3fb4c8316a1770f784a1ff816f01734
2023-12-06 02:35:41
John Leider
docs(Releases): update page content
false
update page content
docs
diff --git a/packages/docs/src/components/doc/Releases.vue b/packages/docs/src/components/doc/Releases.vue index ecf290c0f61..f1723e70584 100644 --- a/packages/docs/src/components/doc/Releases.vue +++ b/packages/docs/src/components/doc/Releases.vue @@ -73,25 +73,22 @@ > <div v-if="model?.author" - class="d-flex justify-space-between" + class="d-flex justify-space-between px-4 pt-4" > - <v-list-item v-if="publishedOn" lines="two"> - <v-list-item-title class="d-flex align-center"> - <i18n-t keypath="published" scope="global"> - <template #date> - <v-chip - :text="publishedOn" - class="ms-2 text-caption" - density="comfortable" - label - variant="flat" - /> - </template> - </i18n-t> - </v-list-item-title> - </v-list-item> + <h1 class="text-h4 d-flex align-center"> + {{ model.name }} + + <v-chip + v-if="model.tag_name === `v${version}`" + :text="t('latest-release')" + variant="outlined" + class="ms-2" + color="success" + size="small" + /> + </h1> - <div class="pe-3 d-flex align-center flex-1-0-auto"> + <div class="d-flex align-center flex-1-0-auto"> <app-tooltip-btn v-for="(tooltip, i) in tooltips" :key="i" @@ -109,6 +106,18 @@ </div> </div> + <div class="d-flex align-center px-4 py-2 text-caption"> + <i18n-t v-if="publishedOn" keypath="published" scope="global"> + <template #date> + <border-chip + :text="publishedOn" + class="ms-1" + prepend-icon="mdi-calendar" + /> + </template> + </i18n-t> + </div> + <template v-if="model?.body"> <v-divider /> @@ -118,6 +127,38 @@ class="releases" /> </div> + + <template v-if="model.zipball_url && model.tarball_url"> + <v-divider class="my-2" /> + + <div class="px-4 pb-4"> + <h2 class="text-h6 font-weight-bold">Assets</h2> + + <app-sheet> + <v-list-item + :href="model.zipball_url" + target="_blank" + prepend-icon="mdi-folder-zip-outline" + title="Source code (zip)" + slim + nav + append-icon="mdi-download-box-outline" + /> + + <v-divider /> + + <v-list-item + :href="model.tarball_url" + target="_blank" + prepend-icon="mdi-folder-zip-outline" + title="Source code (tar.gz)" + slim + nav + append-icon="mdi-download-box-outline" + /> + </app-sheet> + </div> + </template> </template> <v-skeleton-loader @@ -153,7 +194,7 @@ const { smAndUp } = useDisplay() const { t } = useI18n() - const date = useDate() + const adapter = useDate() const route = useRoute() const router = useRouter() const store = useReleasesStore() @@ -215,7 +256,7 @@ const publishedOn = computed(() => { if (!model.value?.published_at) return undefined - return date.format(new Date(model.value.published_at), smAndUp.value ? 'fullDateWithWeekday' : 'normalDateWithWeekday') + return adapter.format(new Date(model.value.published_at), smAndUp.value ? 'fullDateWithWeekday' : 'normalDateWithWeekday') }) onBeforeMount(async () => { @@ -250,6 +291,29 @@ timeout = setTimeout(() => store.find(val), 500) } + + function timeAgo (string: string): string { + const date = adapter.toJsDate(adapter.date(string)) + const now = new Date() + const seconds = Math.floor((now.getTime() - date.getTime()) / 1000) + + let interval = seconds / 31536000 + if (interval > 1) return `${Math.floor(interval)} years ago` + + interval = seconds / 2592000 + if (interval > 1) return `${Math.floor(interval)} months ago` + + interval = seconds / 86400 + if (interval > 1) return `${Math.floor(interval)} days ago` + + interval = seconds / 3600 + if (interval > 1) return `${Math.floor(interval)} hours ago` + + interval = seconds / 60 + if (interval > 1) return `${Math.floor(interval)} minutes ago` + + return `${Math.floor(seconds)} seconds ago` + } </script> <style lang="sass"> diff --git a/packages/docs/src/plugins/icons.ts b/packages/docs/src/plugins/icons.ts index e1247eefa58..87e5b31dda3 100644 --- a/packages/docs/src/plugins/icons.ts +++ b/packages/docs/src/plugins/icons.ts @@ -160,6 +160,7 @@ export { mdiFolder, mdiFolderOpen, mdiFolderOutline, + mdiFolderZipOutline, mdiFoodApple, mdiFormatAlignCenter, mdiFormatAlignJustify,
9eda57a88b47ac0b4d3d99782fa15fce6073ff12
2020-01-03 04:22:12
John Leider
docs(DocUsageExample): resolve missing slider label in examples
false
resolve missing slider label in examples
docs
diff --git a/packages/docs/src/components/doc/UsageExample.vue b/packages/docs/src/components/doc/UsageExample.vue index 61fd0a18c0d..2c17245cadb 100644 --- a/packages/docs/src/components/doc/UsageExample.vue +++ b/packages/docs/src/components/doc/UsageExample.vue @@ -149,10 +149,12 @@ hide-details > <template v-slot:label> - <span - class="text-capitalize" - v-text="slider === 'elevation' ? 'Elevation' : undefined" - /> + <span class="text-capitalize"> + <template v-if="slider === 'elevation'">Elevation</template> + <template v-else-if="Object(slider) === slider"> + {{ slider.label }} + </template> + </span> </template> </v-slider> </v-col>
11d0a5e35b3eeeaa4b7dfa81bca2490690344682
2017-12-08 05:47:58
John Leider
fix(v-toolbar): allow dynamic changing of **scroll-off-screen**
false
allow dynamic changing of **scroll-off-screen**
fix
diff --git a/src/components/VToolbar/VToolbar.js b/src/components/VToolbar/VToolbar.js index 009502bd12b..30b9f1284e2 100644 --- a/src/components/VToolbar/VToolbar.js +++ b/src/components/VToolbar/VToolbar.js @@ -189,7 +189,9 @@ export default { methods: { onScroll () { - if (typeof window === 'undefined') return + if (!this.scrollOffScreen || + typeof window === 'undefined' + ) return const target = this.target || window @@ -223,15 +225,13 @@ export default { on: this.$listeners } - if (this.scrollOffScreen) { - data.directives = [{ - name: 'scroll', - value: { - callback: this.onScroll, - target: this.scrollTarget - } - }] - } + data.directives = [{ + name: 'scroll', + value: { + callback: this.onScroll, + target: this.scrollTarget + } + }] children.push(h('div', { staticClass: 'toolbar__content',
cbc11ce17f2c15541ffb0f22b6b4af708deb1bce
2020-09-26 01:23:36
John Leider
docs(why-vuetify.md): fix broken links, update comparison table
false
fix broken links, update comparison table
docs
diff --git a/packages/docs/src/components/vuetify/Comparison.vue b/packages/docs/src/components/vuetify/Comparison.vue index 717e3d45040..76c08d69a8a 100644 --- a/packages/docs/src/components/vuetify/Comparison.vue +++ b/packages/docs/src/components/vuetify/Comparison.vue @@ -1,5 +1,6 @@ <template> <v-sheet + id="comparison" class="mb-12 text-body-2 mx-auto" max-width="1024" outlined @@ -12,11 +13,11 @@ <thead> <tr> - <th width="275px"> + <th> <i18n - tag="strong" - class="text-body-1 font-weight-bold" + class="text-h6" path="features" + tag="strong" /> </th> @@ -25,13 +26,15 @@ :key="i" class="text-center text-no-wrap" > - <div class="d-flex align-center justify-center"> + <div class="d-flex align-center justify-center text-body-2"> <v-img v-if="framework.src" :src="framework.src" class="mr-2" contain + height="16" max-width="16" + width="16" /> <div v-text="framework.name" /> @@ -46,9 +49,9 @@ :key="i" > <i18n - tag="td" - class="text--secondary text-left" :path="`comparison.${key}`" + class="text--secondary text-left" + tag="td" /> <td @@ -77,12 +80,12 @@ <tfoot class="text-center"> <tr> <td - colspan="7" class="text-caption font-italic text--disabled" + colspan="7" > <i18n - tag="div" path="comparison.average" + tag="div" /> </td> </tr> @@ -107,45 +110,45 @@ ], frameworks: [ { - name: 'Vuetify', - src: 'https://cdn.vuetifyjs.com/images/logos/vuetify-logo-light.png', - tree: 'Automatic', - release: 'Weekly', a11y: true, + enterprise: true, lts: true, + name: 'Vuetify', + release: 'Weekly', rtl: true, - enterprise: true, + src: 'https://cdn.vuetifyjs.com/images/logos/vuetify-logo-light.png', themes: true, + tree: 'Automatic', }, { + a11y: true, name: 'BootstrapVue', release: 'Bi-Weekly', - src: 'https://cdn.vuetifyjs.com/images/competitors/bootstrap-vue.png', - tree: 'Manual', - a11y: true, rtl: true, + src: 'https://cdn.vuetifyjs.com/images/competitors/bootstrap-vue.png', themes: true, + tree: 'Manual', }, { + a11y: true, name: 'Buefy', - src: 'https://cdn.vuetifyjs.com/images/competitors/buefy.png', release: 'Bi-Monthly', + src: 'https://cdn.vuetifyjs.com/images/competitors/buefy.png', tree: 'Manual', - a11y: true, }, { name: 'Element UI', - src: 'https://cdn.vuetifyjs.com/images/competitors/element-ui.png', release: 'Bi-Weekly', - tree: 'Manual', rtl: true, + src: 'https://cdn.vuetifyjs.com/images/competitors/element-ui.png', + tree: 'Manual', }, { name: 'Quasar', - src: 'https://cdn.vuetifyjs.com/images/competitors/quasar.png', - tree: 'Automatic', release: 'Bi-Weekly', rtl: true, + src: 'https://cdn.vuetifyjs.com/images/competitors/quasar.png', + tree: 'Automatic', }, ], }), diff --git a/packages/docs/src/i18n/messages/en.json b/packages/docs/src/i18n/messages/en.json index f7e9bfa1411..73b182419bd 100644 --- a/packages/docs/src/i18n/messages/en.json +++ b/packages/docs/src/i18n/messages/en.json @@ -27,7 +27,7 @@ "comparison": { "average": "**Based on average of all Major/Minor/Patch releases over the last 12 months.", "a11y": "Accessibility and section 508 support", - "caption": "Best Vue Frameworks {year}", + "caption": "Vue Framework Comparison {year}", "enterprise": "Business and enterprise support", "lts": "Long-term Support", "release": "Release cadence**", diff --git a/packages/docs/src/pages/en/introduction/why-vuetify.md b/packages/docs/src/pages/en/introduction/why-vuetify.md index 64ac4ad0b30..62082d7ab49 100644 --- a/packages/docs/src/pages/en/introduction/why-vuetify.md +++ b/packages/docs/src/pages/en/introduction/why-vuetify.md @@ -28,7 +28,7 @@ Vuetify is a complete UI framework built on top of Vue.js. The goal of the proje Vuetify takes a mobile first approach to design which means your application just works out of the box—whether it's on a phone, tablet, or desktop computer. Over -If you are an experienced developer and want to compare Vuetify to other libraries/frameworks, check out our [Why Vuetify?](/introduction/why-vuetify/) page. +If you are an experienced developer and want to compare Vuetify to other libraries/frameworks, check out our [Vue Framework Comparison Chart](#comparison). ## Why Vuetify?
585c0df32345770a5fdf6a8a0a5a495603b855c2
2023-08-01 22:19:09
Yuchao
fix(VAutocomplete): pristine when pressing enter, esc, and tab (#17919)
false
pristine when pressing enter, esc, and tab (#17919)
fix
diff --git a/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx b/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx index 430e29fb99f..6c77dd93c25 100644 --- a/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx +++ b/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx @@ -224,12 +224,8 @@ export const VAutocomplete = genericComponent<new < menu.value = false } - if (['Enter', 'Escape', 'Tab'].includes(e.key)) { - if (highlightFirst.value && ['Enter', 'Tab'].includes(e.key)) { - select(filteredItems.value[0]) - } - - isPristine.value = true + if (highlightFirst.value && ['Enter', 'Tab'].includes(e.key)) { + select(filteredItems.value[0]) } if (e.key === 'ArrowDown' && highlightFirst.value) { diff --git a/packages/vuetify/src/components/VAutocomplete/__tests__/VAutocomplete.spec.cy.tsx b/packages/vuetify/src/components/VAutocomplete/__tests__/VAutocomplete.spec.cy.tsx index 62fa9338407..b709fccaab4 100644 --- a/packages/vuetify/src/components/VAutocomplete/__tests__/VAutocomplete.spec.cy.tsx +++ b/packages/vuetify/src/components/VAutocomplete/__tests__/VAutocomplete.spec.cy.tsx @@ -465,9 +465,12 @@ describe('VAutocomplete', () => { }) it('should auto-select-first item when pressing enter', () => { + const selectedItems = ref(undefined) + cy .mount(() => ( <VAutocomplete + v-model={ selectedItems.value } items={['California', 'Colorado', 'Florida', 'Georgia', 'Texas', 'Wyoming']} multiple autoSelectFirst @@ -484,7 +487,10 @@ describe('VAutocomplete', () => { .get('.v-autocomplete input') .trigger('keydown', { key: keyValues.enter, waitForAnimations: false }) .get('.v-list-item') - .should('have.length', 6) + .should('have.length', 1) + .then(_ => { + expect(selectedItems.value).to.deep.equal(['California']) + }) }) describe('Showcase', () => {
95d325a387c0149442bdb6253c235e1eabe584ee
2024-11-05 22:41:30
John Leider
docs(AppBarBlogLink): adjust margin axis
false
adjust margin axis
docs
diff --git a/packages/docs/src/components/app/bar/BlogLink.vue b/packages/docs/src/components/app/bar/BlogLink.vue index bd413110563..3264c9bc414 100644 --- a/packages/docs/src/components/app/bar/BlogLink.vue +++ b/packages/docs/src/components/app/bar/BlogLink.vue @@ -2,7 +2,7 @@ <v-badge color="success" offset-x="8" offset-y="8" dot> <AppBtn :to="rpath('/blog/')" - class="ms-1" + class="me-1" color="medium-emphasis" text="blog" variant="text"
cb81317a9be6fca125b5afad96cf6a05a90e8ab1
2023-02-11 00:58:57
John Leider
docs(SlotsTable): hide type markup if no slot props
false
hide type markup if no slot props
docs
diff --git a/packages/docs/src/components/api/SlotsTable.vue b/packages/docs/src/components/api/SlotsTable.vue index 5f8a1782f66..2755139984a 100644 --- a/packages/docs/src/components/api/SlotsTable.vue +++ b/packages/docs/src/components/api/SlotsTable.vue @@ -5,7 +5,7 @@ <NameCell section="slots" :name="item.name" /> </tr> - <tr v-if="item.formatted !== 'never'"> + <tr v-if="item.formatted !== 'never' && item.text !== 'undefined'"> <app-markup :code="getType(item)" language="ts" :rounded="false" /> </tr> </template>
027a9b78df11db9a8fefeaf89632a034f486080b
2019-09-21 00:36:02
MajesticPotatoe
docs(Migration): restyle autocomplete
false
restyle autocomplete
docs
diff --git a/packages/docs/src/components/getting-started/ReleasesAndMigrations.vue b/packages/docs/src/components/getting-started/ReleasesAndMigrations.vue index 0d9017ecc07..8dca031fa4f 100644 --- a/packages/docs/src/components/getting-started/ReleasesAndMigrations.vue +++ b/packages/docs/src/components/getting-started/ReleasesAndMigrations.vue @@ -1,55 +1,86 @@ <template> - <v-container px-0> - <v-card - id="release-notes" - outlined - class="mb-12" - tag="section" + <v-layout wrap mb-12> + <doc-subheading>releaseHeader</doc-subheading> + <v-flex + xs12 + mb-12 > - <v-card-title> - <doc-subheading>releaseHeader</doc-subheading> - </v-card-title> - <v-card-text> - <v-combobox - v-model="releaseNotes" - :items="releases" - item-text="name" - label="Select Version" - chips - clearable - outlined - solo - /> - <doc-markdown :code="releaseNotes ? releaseNotes.body : ' '" /> - </v-card-text> - </v-card> - <v-card - id="migration-guide" - outlined - class="mb-12" - tag="section" - > - <v-card-title> - <doc-subheading>migrationHeader</doc-subheading> - </v-card-title> - <v-card-text> - <doc-markdown class="migration-markdown" :code="migration || ' '" /> - </v-card-text> - </v-card> - </v-container> + <v-autocomplete + v-model="releaseNotes" + :items="releases" + label="Select Label" + item-text="name" + solo + prepend-inner-icon="mdi-database-search" + clearable + chips + return-object + > + <template v-slot:selection="props"> + <v-chip + :value="props.selected" + color="primary" + class="white--text" + label + > + <v-icon left> + mdi-tag + </v-icon> + <span v-text="props.item.name" /> + </v-chip> + </template> + <template v-slot:item="props"> + <v-list-item-action> + <v-icon>mdi-tag</v-icon> + </v-list-item-action> + <v-list-item-content> + <v-list-item-title + :id="props.attrs['aria-labelledby']" + v-text="props.item.name" + /> + <v-list-item-subtitle v-text="`published: ${new Date(props.item.published_at).toDateString()}`" /> + </v-list-item-content> + </template> + </v-autocomplete> + <doc-markdown :code="releaseNotes ? releaseNotes.body : ' '" /> + </v-flex> + + <v-flex> + <doc-subheading>migrationHeader</doc-subheading> + <doc-markdown class="migration-markdown" :code="migration || ' '" /> + </v-flex> + </v-layout> + </template> <script> import { getBranch } from '@/util/helpers' + // Utilities + import { mapState } from 'vuex' export default { data: () => ({ migration: undefined, branch: undefined, - releases: [], + githubReleases: [], releaseNotes: undefined, }), + computed: { + ...mapState('app', ['currentVersion']), + releases () { + const v1 = this.githubReleases.filter(release => release.name && release.name.substring(0, 3) === 'v1.') + const v2 = this.githubReleases.filter(release => release.name && release.name.substring(0, 3) === 'v2.') + if (v1.length > 0) { + v1.unshift({ header: 'v1.x' }) + } + if (v2.length > 0) { + v2.unshift({ header: 'v2.x' }) + } + return v2.concat(v1) || [] + }, + }, + mounted () { this.branch = getBranch() fetch(`https://api.github.com/repos/vuetifyjs/vuetify/contents/MIGRATION.md?ref=${this.branch}`, { @@ -67,7 +98,10 @@ headers: { 'Content-Type': 'application/json' }, }) .then(res => res.json()) - .then(res => { this.releases = res }) + .then(res => { + this.githubReleases = res + this.releaseNotes = res.find(release => release.name === `v${this.currentVersion}`) + }) .catch(err => console.log(err)) }, }
fdbf9a26d57d684dc38b43d38bd78e20e7044aa5
2022-03-08 00:07:23
John Leider
fix(VAvatar): set default background to transparent
false
set default background to transparent
fix
diff --git a/packages/vuetify/src/components/VAvatar/_variables.scss b/packages/vuetify/src/components/VAvatar/_variables.scss index f9c777c1799..4f4d4184bd2 100644 --- a/packages/vuetify/src/components/VAvatar/_variables.scss +++ b/packages/vuetify/src/components/VAvatar/_variables.scss @@ -3,7 +3,7 @@ @use "../../styles/tools/functions"; // Defaults -$avatar-background: rgb(var(--v-theme-surface)) !default; +$avatar-background: transparent !default; $avatar-border-radius: map.get(variables.$rounded, 'circle') !default; $avatar-color: rgba(var(--v-theme-on-surface), var(--v-medium-emphasis-opacity)) !default; $avatar-density: ('default': 0, 'comfortable': -1, 'compact': -2) !default;
31ec8ad75c539bffdfaa1d74370e19445f6e459a
2022-05-13 07:20:43
John Leider
fix(VFooter): add application layout support (#14995)
false
add application layout support (#14995)
fix
diff --git a/packages/vuetify/src/components/VFooter/VFooter.tsx b/packages/vuetify/src/components/VFooter/VFooter.tsx index 38bdfaba86e..08839ac3eea 100644 --- a/packages/vuetify/src/components/VFooter/VFooter.tsx +++ b/packages/vuetify/src/components/VFooter/VFooter.tsx @@ -3,28 +3,32 @@ import './VFooter.sass' // Composables import { makeBorderProps, useBorder } from '@/composables/border' -import { makeDimensionProps, useDimension } from '@/composables/dimensions' import { makeElevationProps, useElevation } from '@/composables/elevation' -import { makePositionProps, usePosition } from '@/composables/position' +import { makeLayoutItemProps, useLayoutItem } from '@/composables/layout' import { makeRoundedProps, useRounded } from '@/composables/rounded' import { makeTagProps } from '@/composables/tag' import { makeThemeProps, provideTheme } from '@/composables/theme' import { useBackgroundColor } from '@/composables/color' +import { useResizeObserver } from '@/composables/resizeObserver' // Utilities +import { computed, ref, toRef } from 'vue' import { defineComponent } from '@/util' -import { toRef } from 'vue' export const VFooter = defineComponent({ name: 'VFooter', props: { + app: Boolean, color: String, + height: { + type: [Number, String], + default: 'auto', + }, ...makeBorderProps(), - ...makeDimensionProps(), ...makeElevationProps(), - ...makePositionProps(), + ...makeLayoutItemProps(), ...makeRoundedProps(), ...makeTagProps({ tag: 'footer' }), ...makeThemeProps(), @@ -34,26 +38,39 @@ export const VFooter = defineComponent({ const { themeClasses } = provideTheme(props) const { backgroundColorClasses, backgroundColorStyles } = useBackgroundColor(toRef(props, 'color')) const { borderClasses } = useBorder(props) - const { dimensionStyles } = useDimension(props) const { elevationClasses } = useElevation(props) - const { positionClasses, positionStyles } = usePosition(props) const { roundedClasses } = useRounded(props) + const autoHeight = ref(32) + const { resizeRef } = useResizeObserver(entries => { + if (!entries.length) return + autoHeight.value = entries[0].target.clientHeight + }) + const height = computed(() => props.height === 'auto' ? autoHeight.value : parseInt(props.height, 10)) + const { layoutItemStyles } = useLayoutItem({ + id: props.name, + priority: computed(() => parseInt(props.priority, 10)), + position: computed(() => 'bottom'), + layoutSize: height, + elementSize: computed(() => props.height === 'auto' ? undefined : height.value), + active: computed(() => props.app), + absolute: toRef(props, 'absolute'), + }) + return () => ( <props.tag + ref={ resizeRef } class={[ 'v-footer', themeClasses.value, backgroundColorClasses.value, borderClasses.value, elevationClasses.value, - positionClasses.value, roundedClasses.value, ]} style={[ backgroundColorStyles, - dimensionStyles.value, - positionStyles.value, + props.app ? layoutItemStyles.value : undefined, ]} v-slots={ slots } /> diff --git a/packages/vuetify/src/composables/layout.ts b/packages/vuetify/src/composables/layout.ts index 913997620ad..484453d9e2f 100644 --- a/packages/vuetify/src/composables/layout.ts +++ b/packages/vuetify/src/composables/layout.ts @@ -27,7 +27,7 @@ interface LayoutProvide { priority: Ref<number> position: Ref<Position> layoutSize: Ref<number | string> - elementSize: Ref<number | string> + elementSize: Ref<number | string | undefined> active: Ref<boolean> disableTransitions?: Ref<boolean> absolute: Ref<boolean | undefined> @@ -83,7 +83,7 @@ export function useLayoutItem (options: { priority: Ref<number> position: Ref<Position> layoutSize: Ref<number | string> - elementSize: Ref<number | string> + elementSize: Ref<number | string | undefined> active: Ref<boolean> disableTransitions?: Ref<boolean> absolute: Ref<boolean | undefined> @@ -286,12 +286,12 @@ export function createLayout (props: { overlaps?: string[], fullHeight?: boolean return { ...styles, - height: isHorizontal ? `calc(100% - ${item.top}px - ${item.bottom}px)` : `${elementSize.value}px`, + height: isHorizontal ? `calc(100% - ${item.top}px - ${item.bottom}px)` : elementSize.value ? `${elementSize.value}px` : undefined, marginLeft: isOppositeHorizontal ? undefined : `${item.left}px`, marginRight: isOppositeHorizontal ? `${item.right}px` : undefined, marginTop: position.value !== 'bottom' ? `${item.top}px` : undefined, marginBottom: position.value !== 'top' ? `${item.bottom}px` : undefined, - width: !isHorizontal ? `calc(100% - ${item.left}px - ${item.right}px)` : `${elementSize.value}px`, + width: !isHorizontal ? `calc(100% - ${item.left}px - ${item.right}px)` : elementSize.value ? `${elementSize.value}px` : undefined, } })
65fe8c9d41322df5d5c78381096efc1e482f2728
2019-07-24 00:48:15
John Leider
chore(travis): update kitchen build process
false
update kitchen build process
chore
diff --git a/.travis.yml b/.travis.yml index 6fb34cb3fa7..bc752087fdf 100644 --- a/.travis.yml +++ b/.travis.yml @@ -49,7 +49,7 @@ jobs: before_script: yarn global add now script: - cd packages/kitchen - - yarn simmer + - yarn build - now --team=vuetifyjs --token=$NOW_TOKEN --npm - now alias --team=vuetifyjs --token=$NOW_TOKEN
b5ac0c57ff0c5b8768d9bcd908e479e20276a9f0
2019-05-28 21:05:52
John Leider
chore(yarn.lock): update
false
update
chore
diff --git a/yarn.lock b/yarn.lock index ef30ffd03dc..54c0998a8cd 100644 --- a/yarn.lock +++ b/yarn.lock @@ -9411,10 +9411,10 @@ lru-cache@^5.1.1: dependencies: yallist "^3.0.2" -lru-cache@~2.2.1: - version "2.2.4" - resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-2.2.4.tgz#6c658619becf14031d0d0b594b16042ce4dc063d" - integrity sha1-bGWGGb7PFAMdDQtZSxYELOTcBj0= +macos-release@^2.2.0: + version "2.2.0" + resolved "https://registry.yarnpkg.com/macos-release/-/macos-release-2.2.0.tgz#ab58d55dd4714f0a05ad4b0e90f4370fef5cdea8" + integrity sha512-iV2IDxZaX8dIcM7fG6cI46uNmHUxHE4yN+Z8tKHAW1TBPMZDIKHf/3L+YnOuj/FK9il14UaVdHmiQ1tsi90ltA== make-dir@^1.0.0: version "1.3.0" @@ -12165,13 +12165,6 @@ repeating@^2.0.0: dependencies: is-finite "^1.0.0" -request-ip@~2.0.1: - version "2.0.2" - resolved "https://registry.yarnpkg.com/request-ip/-/request-ip-2.0.2.tgz#deeae6d4af21768497db8cd05fa37143f8f1257e" - integrity sha1-3urm1K8hdoSX24zQX6NxQ/jxJX4= - dependencies: - is_js "^0.9.0" - [email protected]: version "0.4.0" resolved "https://registry.yarnpkg.com/request-progress/-/request-progress-0.4.0.tgz#c1954e39086aa85269c5660bcee0142a6a70d7e7" @@ -12357,22 +12350,6 @@ ripemd160@^2.0.0, ripemd160@^2.0.1: hash-base "^3.0.0" inherits "^2.0.1" -rollbar@^2.5.4: - version "2.6.1" - resolved "https://registry.yarnpkg.com/rollbar/-/rollbar-2.6.1.tgz#0a41e10bab82af81e852fd35ed8c9dd45ff0b2e1" - integrity sha512-tFO12aLXqGhIxjSCJmgruZT/TfJCLs1Ewb/QqSlmUDrKAhp0d3STRKSkIZWlcy5ogUXekJ1jciFBbo7PTMSMqA== - dependencies: - async "~1.2.1" - console-polyfill "0.3.0" - debug "2.6.9" - error-stack-parser "1.3.3" - json-stringify-safe "~5.0.0" - lru-cache "~2.2.1" - request-ip "~2.0.1" - uuid "3.0.x" - optionalDependencies: - decache "^3.0.5" - route-cache@^0.4.4: version "0.4.4" resolved "https://registry.yarnpkg.com/route-cache/-/route-cache-0.4.4.tgz#c7141fac4e44d1480dae1c1ba44458d91ad1a98a"
2e9d6af4fabaee724c112837f8cc224bd53939ea
2017-12-22 02:57:47
nekosaur
fix(date-picker): incorrect button styles
false
incorrect button styles
fix
diff --git a/src/components/VDatePicker/__snapshots__/VDatePicker.month.spec.js.snap b/src/components/VDatePicker/__snapshots__/VDatePicker.month.spec.js.snap index 638b92680cc..8a3ebb66303 100755 --- a/src/components/VDatePicker/__snapshots__/VDatePicker.month.spec.js.snap +++ b/src/components/VDatePicker/__snapshots__/VDatePicker.month.spec.js.snap @@ -44,7 +44,7 @@ exports[`VDatePicker.js should match snapshot with allowed dates as array 1`] = </td> <td> <button type="button" - class="btn btn--active accent" + class="btn btn--flat btn--active accent" > <span class="btn__content"> May @@ -167,7 +167,7 @@ exports[`VDatePicker.js should match snapshot with allowed dates as function 1`] </td> <td> <button type="button" - class="btn btn--active btn--disabled accent" + class="btn btn--flat btn--active btn--disabled accent" > <span class="btn__content"> May @@ -290,7 +290,7 @@ exports[`VDatePicker.js should match snapshot with allowed dates as object 1`] = </td> <td> <button type="button" - class="btn btn--active accent" + class="btn btn--flat btn--active accent" > <span class="btn__content"> May @@ -523,7 +523,7 @@ exports[`VDatePicker.js should match snapshot with colored picker 1`] = ` </td> <td> <button type="button" - class="btn btn--active primary" + class="btn btn--flat btn--active primary" > <span class="btn__content"> Nov @@ -702,7 +702,7 @@ exports[`VDatePicker.js should match snapshot with colored picker 2`] = ` </td> <td> <button type="button" - class="btn btn--active orange darken-1" + class="btn btn--flat btn--active orange darken-1" > <span class="btn__content"> Nov @@ -829,7 +829,7 @@ exports[`VDatePicker.js should match snapshot with month formatting functions 1` </td> <td> <button type="button" - class="btn btn--active accent" + class="btn btn--flat btn--active accent" > <span class="btn__content"> (11) @@ -946,7 +946,7 @@ exports[`VDatePicker.js should match snapshot with pick-month prop 1`] = ` </td> <td> <button type="button" - class="btn btn--active accent" + class="btn btn--flat btn--active accent" > <span class="btn__content"> May diff --git a/src/components/VDatePicker/mixins/date-table.js b/src/components/VDatePicker/mixins/date-table.js index c5e2cb3c507..8bfe5b74715 100644 --- a/src/components/VDatePicker/mixins/date-table.js +++ b/src/components/VDatePicker/mixins/date-table.js @@ -20,15 +20,14 @@ export default { const isCurrent = this.dateIsCurrent(day) const classes = Object.assign({ 'btn--active': isActive, - 'btn--outline': isCurrent && !isActive, 'btn--disabled': !this.isAllowed(date) }, this.themeClasses) const button = this.$createElement('button', { staticClass: 'btn btn--raised btn--icon', - 'class': (isActive || isCurrent) - ? this.addBackgroundColorClassChecks(classes) - : classes, + 'class': isActive && this.addBackgroundColorClassChecks(classes) || + isCurrent && this.addTextColorClassChecks(classes) || + classes, attrs: { type: 'button' }, diff --git a/src/components/VDatePicker/mixins/month-table.js b/src/components/VDatePicker/mixins/month-table.js index 5c3b48ea3db..59ea6de6b1b 100644 --- a/src/components/VDatePicker/mixins/month-table.js +++ b/src/components/VDatePicker/mixins/month-table.js @@ -29,9 +29,8 @@ export default { const isActive = this.monthIsActive(month) const isCurrent = this.monthIsCurrent(month) const classes = Object.assign({ - 'btn--flat': !isActive, + 'btn--flat': true, 'btn--active': isActive, - 'btn--outline': isCurrent && !isActive, 'btn--disabled': this.type === 'month' && !this.isAllowed(date) }, this.themeClasses) @@ -39,9 +38,9 @@ export default { key: month }, [this.$createElement('button', { staticClass: 'btn', - 'class': (isActive || isCurrent) - ? this.addBackgroundColorClassChecks(classes) - : classes, + 'class': isActive && this.addBackgroundColorClassChecks(classes) || + isCurrent && this.addTextColorClassChecks(classes) || + classes, attrs: { type: 'button' },
7df63160e65f18274ee4d54d30c60296404f1a2d
2018-07-10 01:10:57
Jacek Karczmarczyk
fix(index.d.ts): added footer to VuetifyApplication
false
added footer to VuetifyApplication
fix
diff --git a/types/index.d.ts b/types/index.d.ts index ebaa58981c4..e404bc1e5d6 100644 --- a/types/index.d.ts +++ b/types/index.d.ts @@ -88,6 +88,7 @@ export interface VuetifyIcons { export interface VuetifyApplication { bar: number bottom: number + footer: number left: number right: number top: number
969aba42229275bd1d703d8c51890674105ac6c2
2022-06-29 16:38:25
Kael
fix(VSelect): allow keyboard selection of items with value 0
false
allow keyboard selection of items with value 0
fix
diff --git a/packages/vuetify/src/components/VSelect/VSelect.ts b/packages/vuetify/src/components/VSelect/VSelect.ts index 7de1a702775..589de57df5a 100644 --- a/packages/vuetify/src/components/VSelect/VSelect.ts +++ b/packages/vuetify/src/components/VSelect/VSelect.ts @@ -157,7 +157,7 @@ export default baseMixins.extend<options>().extend({ computedCounterValue (): number { const value = this.multiple ? this.selectedItems - : (this.getText(this.selectedItems[0]) || '').toString() + : (this.getText(this.selectedItems[0]) ?? '').toString() if (typeof this.counterValue === 'function') { return this.counterValue(value) @@ -650,7 +650,7 @@ export default baseMixins.extend<options>().extend({ this.keyboardLookupLastTime = now const index = this.allItems.findIndex(item => { - const text = (this.getText(item) || '').toString() + const text = (this.getText(item) ?? '').toString() return text.toLowerCase().startsWith(this.keyboardLookupPrefix) })
9f0aab12eebb3250007e15857855bbeaf5f4d7e2
2020-06-16 03:33:27
John Leider
chore(nav.json): explicitly define code-of-conduct nav location
false
explicitly define code-of-conduct nav location
chore
diff --git a/packages/docs-next/src/data/nav.json b/packages/docs-next/src/data/nav.json index ec9071064a1..fb836332377 100644 --- a/packages/docs-next/src/data/nav.json +++ b/packages/docs-next/src/data/nav.json @@ -10,7 +10,8 @@ { "title": "sponsors-and-backers" }, { "title": "roadmap" }, { "title": "long-term-support" }, - { "title": "security-disclosure" } + { "title": "security-disclosure" }, + { "title": "code-of-conduct" } ] }, {
acf941f7c44ee64e0f09f19abb44c46f63fa1794
2020-05-17 12:26:58
Dmitry Sharshakov
test(VColorPickerCanvas): add more tests
false
add more tests
test
diff --git a/packages/vuetify/src/components/VColorPicker/__tests__/VColorPickerCanvas.spec.ts b/packages/vuetify/src/components/VColorPicker/__tests__/VColorPickerCanvas.spec.ts new file mode 100644 index 00000000000..c75d06fc8b2 --- /dev/null +++ b/packages/vuetify/src/components/VColorPicker/__tests__/VColorPickerCanvas.spec.ts @@ -0,0 +1,109 @@ +import VColorPickerCanvas from '../VColorPickerCanvas' +import { + mount, + MountOptions, + Wrapper, +} from '@vue/test-utils' +import { fromRGBA } from '../util' + +function createMouseEvent (x: number, y: number): MouseEvent { + return { + preventDefault: () => {}, + clientX: x, + clientY: y, + } as any +} + +const rectMock: DOMRect = { + bottom: 0, + height: 100, + width: 100, + left: 0, + right: 0, + top: 0, + x: 0, + y: 0, +} + +describe('VColorPickerCanvas.ts', () => { + type Instance = InstanceType<typeof VColorPickerCanvas> + let mountFunction: (options?: MountOptions<Instance>) => Wrapper<Instance> + beforeEach(() => { + mountFunction = (options?: MountOptions<Instance>) => { + return mount(VColorPickerCanvas, options) + } + }) + + it('should emit event on click', () => { + const update = jest.fn() + const wrapper = mountFunction({ + propsData: { + color: fromRGBA({ r: 0, g: 0, b: 0, a: 0 }), + width: 100, + height: 100, + }, + listeners: { + 'update:color': update, + }, + }) + wrapper.vm.$el.getBoundingClientRect = () => rectMock + + wrapper.vm.handleClick(createMouseEvent(10, 10)) + expect(update).toHaveBeenCalledTimes(1) + expect(update.mock.calls[0][0]).toMatchSnapshot() + }) + + it('should emit event on mouse move', () => { + const update = jest.fn() + const wrapper = mountFunction({ + propsData: { + color: fromRGBA({ r: 0, g: 0, b: 0, a: 0 }), + width: 100, + height: 100, + }, + listeners: { + 'update:color': update, + }, + }) + wrapper.vm.$el.getBoundingClientRect = () => rectMock + const addEventListener = jest.spyOn(window, 'addEventListener') + const removeEventListener = jest.spyOn(window, 'removeEventListener') + + wrapper.vm.handleMouseDown(createMouseEvent(0, 0)) + expect(update).toHaveBeenCalledTimes(0) + expect(addEventListener).toHaveBeenCalledTimes(2) + + wrapper.vm.handleMouseMove(createMouseEvent(10, 10)) + expect(update).toHaveBeenCalledTimes(1) + expect(update.mock.calls[0][0]).toMatchSnapshot() + + wrapper.vm.handleMouseMove(createMouseEvent(100, 100)) + expect(update).toHaveBeenCalledTimes(2) + expect(update.mock.calls[1][0]).toMatchSnapshot() + + wrapper.vm.handleMouseUp() + expect(removeEventListener).toHaveBeenCalledTimes(2) + }) + + it('should ignore mouse events when disabled', () => { + const update = jest.fn() + const wrapper = mountFunction({ + propsData: { + color: fromRGBA({ r: 0, g: 0, b: 0, a: 0 }), + width: 100, + height: 100, + disabled: true, + }, + listeners: { + 'update:color': update, + }, + }) + wrapper.vm.$el.getBoundingClientRect = () => rectMock + + wrapper.vm.handleClick(createMouseEvent(10, 10)) + wrapper.vm.handleMouseDown(createMouseEvent(0, 0)) + wrapper.vm.handleMouseMove(createMouseEvent(10, 10)) + wrapper.vm.handleMouseMove(createMouseEvent(100, 100)) + expect(update).toHaveBeenCalledTimes(0) + }) +}) diff --git a/packages/vuetify/src/components/VColorPicker/__tests__/__snapshots__/VColorPickerCanvas.spec.ts.snap b/packages/vuetify/src/components/VColorPicker/__tests__/__snapshots__/VColorPickerCanvas.spec.ts.snap new file mode 100644 index 00000000000..ae771f35987 --- /dev/null +++ b/packages/vuetify/src/components/VColorPicker/__tests__/__snapshots__/VColorPickerCanvas.spec.ts.snap @@ -0,0 +1,82 @@ +// Jest Snapshot v1, https://goo.gl/fbAQLP + +exports[`VColorPickerCanvas.ts should emit event on click 1`] = ` +Object { + "alpha": 0, + "hex": "#E6CFCF", + "hexa": "#E6CFCF00", + "hsla": Object { + "a": 0, + "h": 0, + "l": 0.855, + "s": 0.31034482758620713, + }, + "hsva": Object { + "a": 0, + "h": 0, + "s": 0.1, + "v": 0.9, + }, + "hue": 0, + "rgba": Object { + "a": 0, + "b": 207, + "g": 207, + "r": 230, + }, +} +`; + +exports[`VColorPickerCanvas.ts should emit event on mouse move 1`] = ` +Object { + "alpha": 0, + "hex": "#E6CFCF", + "hexa": "#E6CFCF00", + "hsla": Object { + "a": 0, + "h": 0, + "l": 0.855, + "s": 0.31034482758620713, + }, + "hsva": Object { + "a": 0, + "h": 0, + "s": 0.1, + "v": 0.9, + }, + "hue": 0, + "rgba": Object { + "a": 0, + "b": 207, + "g": 207, + "r": 230, + }, +} +`; + +exports[`VColorPickerCanvas.ts should emit event on mouse move 2`] = ` +Object { + "alpha": 0, + "hex": "#000000", + "hexa": "#00000000", + "hsla": Object { + "a": 0, + "h": 0, + "l": 0, + "s": 0, + }, + "hsva": Object { + "a": 0, + "h": 0, + "s": 1, + "v": 0, + }, + "hue": 0, + "rgba": Object { + "a": 0, + "b": 0, + "g": 0, + "r": 0, + }, +} +`;
b3d4d1d36051eee4b6eb3867f3d4a488a595e70a
2019-01-31 21:46:08
John Leider
docs(Themes): add new theme
false
add new theme
docs
diff --git a/packages/docs/src/components/themes/Premium.vue b/packages/docs/src/components/themes/Premium.vue index 65a1f91a9d1..fa32bb8102e 100644 --- a/packages/docs/src/components/themes/Premium.vue +++ b/packages/docs/src/components/themes/Premium.vue @@ -107,12 +107,20 @@ export default { data: vm => ({ templates: [ + { + title: vm.$t('Themes.Premium.templates.material-kit.title'), + description: vm.$t('Themes.Premium.templates.material-kit.description'), + src: 'https://cdn.vuetifyjs.com/images/starter/vuetify-material-kit.png', + free: false, + url: 'https://store.vuetifyjs.com/product/material-kit-theme', + demoUrl: ['https://material-kit.vuetifyjs.com'] + }, { title: vm.$t('Themes.Premium.templates.alpha.title'), description: vm.$t('Themes.Premium.templates.alpha.description'), - src: 'https://cdn.vuetifyjs.com/images/starter/vuetify-premium.jpg', + src: 'https://cdn.vuetifyjs.com/images/starter/vuetify-alpha-theme.png', free: false, - url: 'https://store.vuetifyjs.com/product/813199294506', + url: 'https://store.vuetifyjs.com/product/vuetify-alpha-theme', demoUrl: [ ['Construction', 'https://alpha-construction.vuetifyjs.com'], ['Creative', 'https://alpha-creative.vuetifyjs.com'], diff --git a/packages/docs/src/lang/en/themes/Premium.json b/packages/docs/src/lang/en/themes/Premium.json index d76dad33c0e..7b9603f8abb 100644 --- a/packages/docs/src/lang/en/themes/Premium.json +++ b/packages/docs/src/lang/en/themes/Premium.json @@ -20,6 +20,10 @@ "title": "Freelancer", "description": "A single page Material inspired theme for Freelancers." }, + "material-kit": { + "title": "Material Kit", + "description": "A complete set of Material Inspired themes built with Vuetify on top of vue-cli-3." + }, "parallax": { "title": "Parallax", "description": "This beautiful single page parallax is a great home page for any application."
d31c4e8ff969a34c5cf8f9c52ef7719887d35f36
2023-10-02 20:43:07
Andrew Henry
docs: fix lint error
false
fix lint error
docs
diff --git a/packages/docs/src/pages/en/getting-started/installation.md b/packages/docs/src/pages/en/getting-started/installation.md index 1b0afd37769..d981829d95a 100644 --- a/packages/docs/src/pages/en/getting-started/installation.md +++ b/packages/docs/src/pages/en/getting-started/installation.md @@ -257,6 +257,7 @@ app.use(vuetify).mount('#app') Follow these steps if for example you are adding Vuetify to an existing project, or simply do not want to use a scaffolding tool. ::: tabs + ```bash [yarn] yarn add vuetify ``` @@ -272,6 +273,7 @@ pnpm i vuetify ```bash [bun] bun add vuetify ``` + ::: ::: tip
91b44042123f2be43309652ea27442c027e44caf
2019-02-15 09:45:12
John Leider
test(VCalendar): disable bad tests
false
disable bad tests
test
diff --git a/packages/vuetify/test/unit/components/VCalendar/VCalendar.spec.js b/packages/vuetify/test/unit/components/VCalendar/VCalendar.spec.js index 62fd8a59960..48e6344dd90 100644 --- a/packages/vuetify/test/unit/components/VCalendar/VCalendar.spec.js +++ b/packages/vuetify/test/unit/components/VCalendar/VCalendar.spec.js @@ -64,7 +64,10 @@ test("VCalendar", ({ mount }) => { expect(wrapper.vm.parsedValue.date).toBe("2019-01-29") }) - it("should calculate end", async () => { + // TODO Create a test that doesn't fail when + // the day changes or ignore the code it + // covers + it.skip("should calculate end", async () => { const wrapper = mount(VCalendar, { propsData: { end: "2018-12-04" diff --git a/packages/vuetify/test/unit/components/VCalendar/util/timestamp.spec.js b/packages/vuetify/test/unit/components/VCalendar/util/timestamp.spec.js index 347d18a4136..1663f3a27fc 100644 --- a/packages/vuetify/test/unit/components/VCalendar/util/timestamp.spec.js +++ b/packages/vuetify/test/unit/components/VCalendar/util/timestamp.spec.js @@ -444,7 +444,10 @@ test('VCalendar/util/timestamp.ts', ({ mount }) => { expect(createIntervalList(parseTimestamp("2019-02-08"), 2, 5, 2)).toMatchSnapshot(); }) - it('should create native locale formatter', () => { + // TODO Create a test that doesn't fail when + // the day changes or ignore the code it + // covers + it.skip('should create native locale formatter', () => { expect(createNativeLocaleFormatter("en-US", () => {})(parseTimestamp("2019-02-08"))).toBe('2/8/2019'); expect(createNativeLocaleFormatter("en-UK", () => {})(parseTimestamp("2019-02-08"))).toBe('2/8/2019'); expect(createNativeLocaleFormatter("ru-RU", () => {})(parseTimestamp("2019-02-08"))).toBe('2019-2-8');
5724b120f39ff7665a7694e2b586015232d47e4c
2020-08-18 03:26:23
John Leider
docs(Home): update home page, other tweaks
false
update home page, other tweaks
docs
diff --git a/packages/docs-next/.markdownlintrc b/packages/docs-next/.markdownlintrc index 67498c3bcb7..c82e38d8a28 100644 --- a/packages/docs-next/.markdownlintrc +++ b/packages/docs-next/.markdownlintrc @@ -23,6 +23,8 @@ "example", "exit-ad", "highlighted-ad", + "home-action-btns", + "home-vuetify-logo", "inline-ad", "kbd", "whiteframe-examples", diff --git a/packages/docs-next/src/components/doc/VerticalDivider.vue b/packages/docs-next/src/components/doc/VerticalDivider.vue new file mode 100644 index 00000000000..8d4ac972fa3 --- /dev/null +++ b/packages/docs-next/src/components/doc/VerticalDivider.vue @@ -0,0 +1,12 @@ +<template> + <v-divider + class="mx-2 my-auto" + inset + vertical + style="max-height: 16px;" + /> +</template> + +<script> + export default { name: 'VerticalDivider' } +</script> diff --git a/packages/docs-next/src/components/home/ActionBtns.vue b/packages/docs-next/src/components/home/ActionBtns.vue new file mode 100644 index 00000000000..d7fb29a5722 --- /dev/null +++ b/packages/docs-next/src/components/home/ActionBtns.vue @@ -0,0 +1,78 @@ +<template> + <v-container> + <v-row justify="center"> + <v-col cols="auto"> + <v-btn + :min-width="btnWidth" + :to="{ + name: 'Documentation', + params: { + category: 'getting-started', + page: 'installation' + } + }" + color="primary" + depressed + x-large + > + <v-icon left> + $mdiSpeedometer + </v-icon> + + Get Started + </v-btn> + </v-col> + + <v-col cols="auto"> + <v-btn + :min-width="btnWidth" + :to="{ + name: 'Documentation', + params: { + category: 'introduction', + page: 'why-vuetify' + } + }" + color="primary" + outlined + x-large + > + <v-icon left> + $mdiVuetify + </v-icon> + + Why Vuetify? + </v-btn> + </v-col> + + <v-col cols="auto"> + <v-btn + :min-width="btnWidth" + color="#212121" + dark + depressed + href="https://github.com/vuetifyjs/vuetify" + rel="noopener" + target="_blank" + x-large + > + <v-icon left> + $mdiGithub + </v-icon> + + GitHub + </v-btn> + </v-col> + </v-row> + </v-container> +</template> + +<script> + export default { + name: 'HomeActionBtns', + + data: () => ({ + btnWidth: 228, + }), + } +</script> diff --git a/packages/docs-next/src/components/home/VuetifyLogo.vue b/packages/docs-next/src/components/home/VuetifyLogo.vue new file mode 100644 index 00000000000..a5502a5672d --- /dev/null +++ b/packages/docs-next/src/components/home/VuetifyLogo.vue @@ -0,0 +1,17 @@ +<template> + <v-img + :src="`https://cdn.vuetifyjs.com/docs/images/logos/vuetify-logo-${theme.isDark ? 'dark' : 'light'}-atom.svg`" + class="mx-auto" + height="400" + max-width="100%" + width="400" + /> +</template> + +<script> + export default { + name: 'HomeVuetifyLogo', + + inject: ['theme'], + } +</script> diff --git a/packages/docs-next/src/components/vuetify/Comparison.vue b/packages/docs-next/src/components/vuetify/Comparison.vue index bff3bdba4fc..3692482fda6 100644 --- a/packages/docs-next/src/components/vuetify/Comparison.vue +++ b/packages/docs-next/src/components/vuetify/Comparison.vue @@ -1,6 +1,7 @@ <template> <v-sheet - class="mb-12 text-body-2" + class="mb-12 text-body-2 mx-auto" + max-width="1024" outlined rounded > diff --git a/packages/docs-next/src/components/vuetify/LogoAlt.vue b/packages/docs-next/src/components/vuetify/LogoAlt.vue index d6a53e36700..82c20e82f48 100644 --- a/packages/docs-next/src/components/vuetify/LogoAlt.vue +++ b/packages/docs-next/src/components/vuetify/LogoAlt.vue @@ -4,27 +4,15 @@ name: 'Home', params: { locale } }" - :aria-label="$i18n.t('logo')" - class="d-none d-sm-flex align-center text--primary" - style="text-decoration: none;" - :title="$i18n.t('logo')" - @click.native="$vuetify.goTo(0)" + class="d-inline-block" > <v-img - :src="`https://cdn.vuetifyjs.com/images/logos/vuetify-logo-${theme.isDark ? 'dark' : 'light' }.png`" + :src="`https://cdn.vuetifyjs.com/docs/images/logos/vuetify-logo-${theme.isDark ? 'dark' : 'light' }.svg`" :alt="$i18n.t('logo')" - class="shrink mr-2" - contain + class="shrink" + max-width="40" transition="scale-transition" - width="40" /> - - <v-sheet - class="display-1 hidden-sm-and-down font-weight-medium mr-0 mr-md-4" - color="transparent" - > - Vuetify - </v-sheet> </router-link> </template> @@ -33,7 +21,7 @@ import { get } from 'vuex-pathify' export default { - name: 'VuetifyAltLogo', + name: 'VuetifyLogoAlt', inject: ['theme'], diff --git a/packages/docs-next/src/layouts/default/AppBar.vue b/packages/docs-next/src/layouts/default/AppBar.vue index 5dd93cd951e..3eb851b94ec 100644 --- a/packages/docs-next/src/layouts/default/AppBar.vue +++ b/packages/docs-next/src/layouts/default/AppBar.vue @@ -7,37 +7,25 @@ flat v-bind="{ [`clipped-${rtl ? 'left' : 'right'}`]: true }" > - <v-expand-x-transition> - <div - v-if="!search" - class="transition-swing" - > - <v-app-bar-nav-icon - class="hidden-md-and-up" - @click="drawer = !drawer" - /> - </div> - </v-expand-x-transition> - - <template v-if="$vuetify.breakpoint.mobile"> - <search-toggle /> - - <v-spacer /> - </template> + <vuetify-logo-alt v-if="$vuetify.breakpoint.mobile" /> - <default-search v-if="!$vuetify.breakpoint.mobile || search" /> + <v-spacer /> - <template v-if="!search"> - <template v-if="!$vuetify.breakpoint.mobile"> - <v-spacer /> + <template v-if="!$vuetify.breakpoint.mobile"> + <default-search /> + + <vertical-divider /> + </template> + <template v-if="!search"> + <template v-if="!$vuetify.breakpoint.xsOnly"> <learn-menu /> <team-link /> <support-menu /> - <app-bar-divider /> + <vertical-divider /> <store-link /> @@ -48,7 +36,7 @@ <notifications-menu /> - <app-bar-divider v-show="!$vuetify.breakpoint.mobile" /> + <vertical-divider v-show="!$vuetify.breakpoint.xsOnly" /> <language-menu /> </template> @@ -56,9 +44,6 @@ </template> <script> - // Components - import VDivider from 'vuetify/lib/components/VDivider' - // Utilities import { sync } from 'vuex-pathify' @@ -66,17 +51,6 @@ name: 'DefaultBar', components: { - AppBarDivider: { - functional: true, - - render (h) { - return h(VDivider, { - staticClass: 'mx-2 my-auto', - props: { inset: true, vertical: true }, - style: { maxHeight: '16px' }, - }) - }, - }, DefaultSearch: () => import( /* webpackChunkName: "default-search" */ '@/layouts/default/Search' diff --git a/packages/docs-next/src/layouts/home/AppBar.vue b/packages/docs-next/src/layouts/home/AppBar.vue index 973fef85130..a44df40964a 100644 --- a/packages/docs-next/src/layouts/home/AppBar.vue +++ b/packages/docs-next/src/layouts/home/AppBar.vue @@ -1,40 +1,66 @@ <template> <v-app-bar - absolute - class="shrink" - color="transparent" + id="home-app-bar" + :color="dark ? undefined : 'white'" + app + class="v-bar--underline" flat > + <vuetify-logo /> + <v-spacer /> - <v-btn - v-if="canInstall" - class="mx-1" - color="primary" - outlined - @click="promptInstaller" - > - Install - - <v-icon right> - $mdiPlusCircle - </v-icon> - </v-btn> - - <v-btn - v-if="updateAvailable" - class="mx-1" - color="primary" - outlined - @click="refreshContent" + <template v-if="!$vuetify.breakpoint.smAndDown || search"> + <default-search /> + + <vertical-divider /> + </template> + + <learn-menu /> + + <team-link /> + + <support-menu /> + + <vertical-divider /> + + <language-menu /> + + <template + v-if="canInstall || updateAvailable" + #extension > - Refresh Content + <v-spacer /> - <v-icon right> - $mdiRefreshCircle - </v-icon> - </v-btn> - <v-spacer /> + <v-btn + v-if="canInstall" + class="mx-1" + color="primary" + outlined + @click="promptInstaller" + > + Install + + <v-icon right> + $mdiPlusCircle + </v-icon> + </v-btn> + + <v-btn + v-if="updateAvailable" + class="mx-1" + color="primary" + outlined + @click="refreshContent" + > + Refresh Content + + <v-icon right> + $mdiRefreshCircle + </v-icon> + </v-btn> + <v-spacer /> + </template> </v-app-bar> </template> @@ -44,8 +70,22 @@ export default { name: 'HomeBar', + components: { + DefaultSearch: () => import('@/layouts/default/Search'), + }, + computed: { - ...sync('pwa', ['canInstall', 'updateAvailable']), + ...sync('app', [ + 'search', + ]), + ...sync('pwa', [ + 'canInstall', + 'updateAvailable', + ]), + ...sync('user', [ + 'theme@dark', + 'rtl', + ]), }, methods: { diff --git a/packages/docs-next/src/pages/en/home.md b/packages/docs-next/src/pages/en/home.md index 819e4a446fa..5d5a2790005 100644 --- a/packages/docs-next/src/pages/en/home.md +++ b/packages/docs-next/src/pages/en/home.md @@ -4,3 +4,15 @@ meta: description: Vuetify is a Material Design component framework for Vue.js. It aims to provide all the tools necessary to create beautiful content rich applications. keywords: vue, material design components, vue components, material design components, vuetify, vuetify.js, component framework --- + +<home-vuetify-logo /> + +<br> + +# Material Design Framework {.text-center .font-weight-light} + +Vuetify is a Vue UI Library with beautifully handcrafted Material Components. No design skills required — everything you need to create amazing applications is at your fingertips. {style="max-width: 768px" .mx-auto} + +<br> + +<home-action-btns /> diff --git a/packages/docs-next/src/views/Home.vue b/packages/docs-next/src/views/Home.vue index cea7a1fbf56..d44ad4d304b 100644 --- a/packages/docs-next/src/views/Home.vue +++ b/packages/docs-next/src/views/Home.vue @@ -1,44 +1,10 @@ <template> <v-container - class="fill-height justify-center text-center py-16" + class="fill-height align-start py-12" tag="section" > <v-row> <v-col cols="12"> - <h1 class="text-h2 text-md-h1 font-weight-regular mb-6"> - Vuetify - - <small class="d-block text-h5 text--secondary font-weight-light"> - 🔨 Under Construction - </small> - </h1> - - <v-img - :src="`https://cdn.vuetifyjs.com/docs/images/logos/vuetify-logo-${theme.isDark ? 'dark' : 'light'}-atom.svg`" - class="mx-auto mb-16" - max-width="100%" - width="400" - /> - - <v-btn - color="primary" - depressed - x-large - :to="{ - name: 'Documentation', - params: { - category: 'getting-started', - page: 'installation' - } - }" - > - Go to Documentation - - <v-icon right> - $mdiOpenInNew - </v-icon> - </v-btn> - <component :is="component" /> </v-col> </v-row> @@ -52,8 +18,6 @@ export default { name: 'HomeView', - inject: ['theme'], - extends: Documentation, methods: { @@ -66,3 +30,9 @@ }, } </script> + +<style lang="sass"> + #material-design-framework + > h1 > a + display: none +</style> diff --git a/packages/docs-next/src/vuetify/index.js b/packages/docs-next/src/vuetify/index.js index 981fb2ffe0d..eae502c17e6 100644 --- a/packages/docs-next/src/vuetify/index.js +++ b/packages/docs-next/src/vuetify/index.js @@ -18,7 +18,7 @@ export function useVuetify (app) { export function createVuetify (store) { return new Vuetify({ - breakpoint: { mobileBreakpoint: 'sm' }, + breakpoint: { mobileBreakpoint: 'md' }, icons, theme: { dark: store.state.user.theme.dark,
fc565c786dfd385f0bb49d838f1ddd9fdd63aca8
2019-01-08 00:46:47
sh7dm
docs(kitchen): fix headers
false
fix headers
docs
diff --git a/packages/kitchen/src/pan/Alerts.vue b/packages/kitchen/src/pan/Alerts.vue index 1babcc54876..594ed15ecdf 100644 --- a/packages/kitchen/src/pan/Alerts.vue +++ b/packages/kitchen/src/pan/Alerts.vue @@ -4,7 +4,7 @@ column variations> <v-flex> - <h3 class="display-2 mb-3">Colors</h3> + <h3 class="title grey--text mb-4 mt-5">Colors</h3> <v-alert :value="true" type="success" @@ -35,7 +35,7 @@ </v-flex> <v-flex> - <h3 class="display-2 mb-3">Closable</h3> + <h3 class="title grey--text mb-4 mt-5">Closable</h3> <v-alert v-model="alertDismissible" dismissible @@ -57,7 +57,7 @@ </v-flex> <v-flex> - <h3 class="display-2 mb-3">Custom icons</h3> + <h3 class="title grey--text mb-4 mt-5">Custom icons</h3> <v-alert :value="true" color="success" @@ -75,7 +75,7 @@ </v-flex> <v-flex> - <h3 class="display-2 mb-3">Custom transitions</h3> + <h3 class="title grey--text mb-4 mt-5">Custom transitions</h3> <div class="text-xs-center"> <v-btn color="primary" @@ -94,7 +94,7 @@ </v-flex> <v-flex> - <h3 class="display-2 mb-3">Outline</h3> + <h3 class="title grey--text mb-4 mt-5">Outline</h3> <v-alert :value="true" color="success" diff --git a/packages/kitchen/src/pan/Avatars.vue b/packages/kitchen/src/pan/Avatars.vue index 61a15255469..6a4ced7e69a 100644 --- a/packages/kitchen/src/pan/Avatars.vue +++ b/packages/kitchen/src/pan/Avatars.vue @@ -4,7 +4,7 @@ column variations> <v-flex> - <h3 class="display-2 mb-3">Round</h3> + <h3 class="title grey--text mb-4 mt-5">Round</h3> <v-layout justify-space-around align-center @@ -37,7 +37,7 @@ </v-layout> </v-flex> <v-flex> - <h3 class="display-2 mb-3">Tile</h3> + <h3 class="title grey--text mb-4 mt-5">Tile</h3> <v-layout justify-space-around align-center @@ -74,7 +74,7 @@ </v-layout> </v-flex> <v-flex> - <h3 class="display-2 mb-3">With icons</h3> + <h3 class="title grey--text mb-4 mt-5">With icons</h3> <v-layout align-center justify-space-around @@ -103,7 +103,7 @@ </v-layout> </v-flex> <v-flex> - <h3 class="display-2 mb-3">With images</h3> + <h3 class="title grey--text mb-4 mt-5">With images</h3> <v-layout align-center justify-space-around @@ -136,7 +136,7 @@ </v-layout> </v-flex> <v-flex> - <h3 class="display-2 mb-3">With badges</h3> + <h3 class="title grey--text mb-4 mt-5">With badges</h3> <v-layout align-center justify-space-around @@ -185,7 +185,7 @@ </v-layout> </v-flex> <v-flex> - <h3 class="display-2 mb-3">With letters</h3> + <h3 class="title grey--text mb-4 mt-5">With letters</h3> <v-layout align-center justify-space-around diff --git a/packages/kitchen/src/pan/Buttons.vue b/packages/kitchen/src/pan/Buttons.vue index ba14bdb374a..af2d7f8209b 100644 --- a/packages/kitchen/src/pan/Buttons.vue +++ b/packages/kitchen/src/pan/Buttons.vue @@ -3,7 +3,7 @@ <v-layout column variations> - <h3 class="display-2 mb-3">Normal</h3> + <h3 class="title grey--text mb-4 mt-5">Normal</h3> <v-flex> <v-btn small>Normal</v-btn> <v-btn @@ -36,7 +36,7 @@ large disabled>Disabled</v-btn> </v-flex> - <h3 class="display-2 mb-3">Flat</h3> + <h3 class="title grey--text mb-4 mt-5">Flat</h3> <v-flex> <v-btn flat @@ -85,7 +85,7 @@ large disabled>Disabled</v-btn> </v-flex> - <h3 class="display-2 mb-3">Depressed</h3> + <h3 class="title grey--text mb-4 mt-5">Depressed</h3> <v-flex> <v-btn depressed @@ -134,7 +134,7 @@ large disabled>Disabled</v-btn> </v-flex> - <h3 class="display-2 mb-3">Rounded</h3> + <h3 class="title grey--text mb-4 mt-5">Rounded</h3> <v-flex> <v-btn round @@ -183,7 +183,7 @@ large disabled>Disabled</v-btn> </v-flex> - <h3 class="display-2 mb-3">Outline</h3> + <h3 class="title grey--text mb-4 mt-5">Outline</h3> <v-flex> <v-btn outline @@ -232,7 +232,7 @@ large disabled>Disabled</v-btn> </v-flex> - <h3 class="display-2 mb-3">Rounded with Outline</h3> + <h3 class="title grey--text mb-4 mt-5">Rounded with Outline</h3> <v-flex> <v-btn outline @@ -294,7 +294,7 @@ large disabled>Disabled</v-btn> </v-flex> - <h3 class="display-2 mb-3">FAB</h3> + <h3 class="title grey--text mb-4 mt-5">FAB</h3> <v-flex> <v-btn icon @@ -392,7 +392,7 @@ large disabled><v-icon>mdi-pencil</v-icon></v-btn> </v-flex> - <h3 class="display-2 mb-3">Outline FAB</h3> + <h3 class="title grey--text mb-4 mt-5">Outline FAB</h3> <v-flex> <v-btn outline @@ -454,7 +454,7 @@ large disabled><v-icon>mdi-pencil</v-icon></v-btn> </v-flex> - <h3 class="display-2 mb-3">Left & right icons, loader</h3> + <h3 class="title grey--text mb-4 mt-5">Left & right icons, loader</h3> <v-flex> <v-btn :disabled="loading" @@ -492,7 +492,7 @@ dark>mdi-cloud-upload</v-icon> </v-btn> </v-flex> - <h3 class="display-2 mb-3">Left & right icons, loader with outline</h3> + <h3 class="title grey--text mb-4 mt-5">Left & right icons, loader with outline</h3> <v-flex> <v-btn :loading="loading" @@ -532,7 +532,7 @@ dark>mdi-cloud-upload</v-icon> </v-btn> </v-flex> - <h3 class="display-2 mb-3">Block</h3> + <h3 class="title grey--text mb-4 mt-5">Block</h3> <v-flex> <v-btn block @@ -581,7 +581,7 @@ large disabled>Disabled</v-btn> </v-flex> - <h3 class="display-2 mb-3">Block with Outline</h3> + <h3 class="title grey--text mb-4 mt-5">Block with Outline</h3> <v-flex> <v-btn outline @@ -643,7 +643,7 @@ large disabled>Disabled</v-btn> </v-flex> - <h3 class="display-2 mb-3">Elevation</h3> + <h3 class="title grey--text mb-4 mt-5">Elevation</h3> <v-flex> <v-btn elevation="6" @@ -743,7 +743,7 @@ </v-btn> </v-layout> - <h3 class="display-2 mb-3">Groups</h3> + <h3 class="title grey--text mb-4 mt-5">Groups</h3> <v-layout groups column> diff --git a/packages/kitchen/src/pan/Chips.vue b/packages/kitchen/src/pan/Chips.vue index 73e1f1d5325..12e5460b57d 100644 --- a/packages/kitchen/src/pan/Chips.vue +++ b/packages/kitchen/src/pan/Chips.vue @@ -4,7 +4,7 @@ column variations> <v-flex> - <h3 class="display-2 mb-3">Simple</h3> + <h3 class="title grey--text mb-4 mt-5">Simple</h3> <v-layout align-center justify-space-around @@ -28,7 +28,7 @@ </v-flex> <v-flex> - <h3 class="display-2 mb-3">Colors</h3> + <h3 class="title grey--text mb-4 mt-5">Colors</h3> <v-layout align-center justify-space-around @@ -53,7 +53,7 @@ </v-flex> <v-flex> - <h3 class="display-2 mb-3">With icons</h3> + <h3 class="title grey--text mb-4 mt-5">With icons</h3> <v-layout align-center justify-space-around @@ -102,7 +102,7 @@ </v-flex> <v-flex> - <h3 class="display-2 mb-3">Outline</h3> + <h3 class="title grey--text mb-4 mt-5">Outline</h3> <v-layout align-center justify-space-around @@ -125,7 +125,7 @@ </v-flex> <v-flex> - <h3 class="display-2 mb-3">Labels</h3> + <h3 class="title grey--text mb-4 mt-5">Labels</h3> <v-layout align-center justify-space-around @@ -148,7 +148,7 @@ </v-flex> <v-flex> - <h3 class="display-2 mb-3">Closable</h3> + <h3 class="title grey--text mb-4 mt-5">Closable</h3> <v-layout align-center justify-space-around diff --git a/packages/kitchen/src/pan/Icons.vue b/packages/kitchen/src/pan/Icons.vue index 72b9ff9d200..b3f4574e253 100644 --- a/packages/kitchen/src/pan/Icons.vue +++ b/packages/kitchen/src/pan/Icons.vue @@ -1,7 +1,7 @@ <template> <v-container> <v-layout column> - <h3 class="display-2 mb-3 center">Basic</h3> + <h3 class="title grey--text mb-4 mt-5 center">Basic</h3> <v-flex> <v-layout justify-space-around @@ -84,7 +84,7 @@ </v-layout> </v-flex> - <h3 class="display-2 mb-3 center">Colors</h3> + <h3 class="title grey--text mb-4 mt-5 center">Colors</h3> <v-flex> <v-layout justify-space-around diff --git a/packages/kitchen/src/pan/Parallaxes.vue b/packages/kitchen/src/pan/Parallaxes.vue index 90126eba396..7e39f73deed 100644 --- a/packages/kitchen/src/pan/Parallaxes.vue +++ b/packages/kitchen/src/pan/Parallaxes.vue @@ -1,12 +1,12 @@ <template> <v-container> <v-layout column> - <h3 class="display-2 center">Basic</h3> + <h3 class="title grey--text mb-4 mt-5 center">Basic</h3> <v-flex> <v-parallax src="https://cdn.vuetifyjs.com/images/parallax/material.jpg"/> </v-flex> - <h3 class="display-2 center">With content</h3> + <h3 class="title grey--text mb-4 mt-5 center">With content</h3> <v-flex> <v-parallax dark @@ -23,7 +23,7 @@ </v-parallax> </v-flex> - <h3 class="display-2 center">Custom height</h3> + <h3 class="title grey--text mb-4 mt-5 center">Custom height</h3> <v-flex> <v-parallax height="300" diff --git a/packages/kitchen/src/pan/Sparklines.vue b/packages/kitchen/src/pan/Sparklines.vue index 879975f1d3b..361b13d6f44 100644 --- a/packages/kitchen/src/pan/Sparklines.vue +++ b/packages/kitchen/src/pan/Sparklines.vue @@ -1,7 +1,7 @@ <template> <v-container> <v-layout column> - <h3 class="display-2 mb-3 center">Basic</h3> + <h3 class="title grey--text mb-4 mt-5 center">Basic</h3> <v-flex> <v-sparkline :value="value" @@ -9,7 +9,7 @@ /> </v-flex> - <h3 class="display-2 mb-3 center">Gradient</h3> + <h3 class="title grey--text mb-4 mt-5 center">Gradient</h3> <v-flex> <v-sparkline :value="value" @@ -22,7 +22,7 @@ /> </v-flex> - <h3 class="display-2 mb-3 center">With labels</h3> + <h3 class="title grey--text mb-4 mt-5 center">With labels</h3> <v-flex> <v-sparkline :labels="labels"
a1de3a67ca80ae21d3fbecffeb6765595cfe5d17
2021-03-23 01:51:35
John Leider
test(color.ts): convert to it.each and reduce code
false
convert to it.each and reduce code
test
diff --git a/packages/vuetify/src/composables/__tests__/color.spec.ts b/packages/vuetify/src/composables/__tests__/color.spec.ts index 863cdff9517..909552e2a96 100644 --- a/packages/vuetify/src/composables/__tests__/color.spec.ts +++ b/packages/vuetify/src/composables/__tests__/color.spec.ts @@ -2,106 +2,69 @@ import { useBackgroundColor, useColor, useTextColor } from '../color' // Utilities -import { reactive, ref, toRef } from 'vue' +import { reactive, toRef } from 'vue' -describe('color', () => { - describe('useColor', () => { - it('should return correct data', () => { - const colors = ref<{ background?: string | null, text?: string | null }>({ - background: 'primary', - text: 'secondary', - }) - - const data = useColor(colors) - expect(data.colorClasses.value).toEqual(['bg-primary', 'text-secondary']) - expect(data.colorStyles.value).toEqual({}) - - colors.value.text = null - expect(data.colorClasses.value).toEqual(['bg-primary']) - expect(data.colorStyles.value).toEqual({}) - - colors.value.background = '#ff00ff' - expect(data.colorClasses.value).toEqual([]) - expect(data.colorStyles.value).toEqual({ - backgroundColor: '#ff00ff', - }) +describe('color.ts', () => { + describe('useBackgroundColor', () => { + it('should allow ref argument or return null', () => { + const props = reactive({ color: 'primary' }) + const { backgroundColorClasses, backgroundColorStyles } = useBackgroundColor(toRef(props, 'color')) - colors.value.text = 'primary' - expect(data.colorClasses.value).toEqual(['text-primary']) - expect(data.colorStyles.value).toEqual({ - backgroundColor: '#ff00ff', - }) + expect(backgroundColorClasses.value).toEqual(['bg-primary']) + expect(backgroundColorStyles.value).toEqual({}) }) - }) - - describe('useTextColor', () => { - it('should return correct data', () => { - const props = reactive({ - color: null as string | null, - }) - const data = useTextColor(props, 'color') - expect(data.textColorClasses.value).toEqual([]) - expect(data.textColorStyles.value).toEqual({}) - - props.color = 'primary' - expect(data.textColorClasses.value).toEqual(['text-primary']) - expect(data.textColorStyles.value).toEqual({}) - props.color = '' - expect(data.textColorClasses.value).toEqual([]) - expect(data.textColorStyles.value).toEqual({}) - - props.color = '#ff00ff' - expect(data.textColorClasses.value).toEqual([]) - expect(data.textColorStyles.value).toEqual({ - caretColor: '#ff00ff', - color: '#ff00ff', - }) + it.each([ + [{ bg: null }, [[], {}]], + [{ bg: '' }, [[], {}]], + [{ bg: 'primary' }, [['bg-primary'], {}]], + [{ bg: '#FF00FF' }, [[], { backgroundColor: '#FF00FF' }]], + // [{ bg: '#FF00FF' }, [[], { backgroundColor: '#FF00FF' }]], + ])('should return correct color classes and styles', (value, [classes, styles]) => { + const { backgroundColorClasses, backgroundColorStyles } = useBackgroundColor(value as any, 'bg') + + expect(backgroundColorClasses.value).toEqual(classes) + expect(backgroundColorStyles.value).toEqual(styles) }) + }) - it('should allow ref argument', () => { - const props = reactive({ - color: 'primary', - }) - const data = useTextColor(toRef(props, 'color')) - - expect(data.textColorClasses.value).toEqual(['text-primary']) - expect(data.textColorStyles.value).toEqual({}) + describe('useColor', () => { + it.each([ + [{ background: null }, [[], {}]], + [{ background: '' }, [[], {}]], + [{ background: 'primary' }, [['bg-primary'], {}]], + [{ background: '#FF00FF' }, [[], { backgroundColor: '#FF00FF' }]], + [{ text: null }, [[], {}]], + [{ text: '' }, [[], {}]], + [{ text: 'primary' }, [['text-primary'], {}]], + [{ text: '#FF00FF' }, [[], { caretColor: '#FF00FF', color: '#FF00FF' }]], + ])('should return correct color classes and styles', (value, [classes, styles]) => { + const { colorClasses, colorStyles } = useColor({ value } as any) + + expect(colorClasses.value).toEqual(classes) + expect(colorStyles.value).toEqual(styles) }) }) - describe('useBackgroundColor', () => { - it('should return correct data', () => { - const props = reactive({ - bg: null as string | null, - }) - const data = useBackgroundColor(props, 'bg') - expect(data.backgroundColorClasses.value).toEqual([]) - expect(data.backgroundColorStyles.value).toEqual({}) - - props.bg = 'primary' - expect(data.backgroundColorClasses.value).toEqual(['bg-primary']) - expect(data.backgroundColorStyles.value).toEqual({}) - - props.bg = '' - expect(data.backgroundColorClasses.value).toEqual([]) - expect(data.backgroundColorStyles.value).toEqual({}) + describe('useTextColor', () => { + it('should allow ref argument or return null', () => { + const props = reactive({ color: 'primary' }) + const { textColorClasses, textColorStyles } = useTextColor(toRef(props, 'color')) - props.bg = '#ff00ff' - expect(data.backgroundColorClasses.value).toEqual([]) - expect(data.backgroundColorStyles.value).toEqual({ - backgroundColor: '#ff00ff', - }) + expect(textColorClasses.value).toEqual(['text-primary']) + expect(textColorStyles.value).toEqual({}) }) - it('should allow ref argument', () => { - const props = reactive({ - color: 'primary', - }) - const data = useBackgroundColor(toRef(props, 'color')) + it.each([ + [{ color: '' }, [[], {}]], + [{ color: null }, [[], {}]], + [{ color: 'primary' }, [['text-primary'], {}]], + [{ color: '#FF00FF' }, [[], { caretColor: '#FF00FF', color: '#FF00FF' }]], + ])('should return correct data', (value, [classes, styles]) => { + const { textColorClasses, textColorStyles } = useTextColor(value as any, 'color') - expect(data.backgroundColorClasses.value).toEqual(['bg-primary']) - expect(data.backgroundColorStyles.value).toEqual({}) + expect(textColorClasses.value).toEqual(classes) + expect(textColorStyles.value).toEqual(styles) }) }) })
2b567e132eb04c820a49b0af591209fb524a902b
2024-01-08 23:27:35
John Leider
fix(VSelects): disable menu when no items to display
false
disable menu when no items to display
fix
diff --git a/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx b/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx index ab4973a9122..4eccb4b42f5 100644 --- a/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx +++ b/packages/vuetify/src/components/VAutocomplete/VAutocomplete.tsx @@ -186,7 +186,7 @@ export const VAutocomplete = genericComponent<new < }) const menuDisabled = computed(() => ( - (props.hideNoData && !items.value.length) || + (props.hideNoData && !displayItems.value.length) || props.readonly || form?.isReadonly.value )) diff --git a/packages/vuetify/src/components/VCombobox/VCombobox.tsx b/packages/vuetify/src/components/VCombobox/VCombobox.tsx index 6bad6c959c8..1d8f498c541 100644 --- a/packages/vuetify/src/components/VCombobox/VCombobox.tsx +++ b/packages/vuetify/src/components/VCombobox/VCombobox.tsx @@ -231,7 +231,7 @@ export const VCombobox = genericComponent<new < }) const menuDisabled = computed(() => ( - (props.hideNoData && !items.value.length) || + (props.hideNoData && !displayItems.value.length) || props.readonly || form?.isReadonly.value )) diff --git a/packages/vuetify/src/components/VSelect/VSelect.tsx b/packages/vuetify/src/components/VSelect/VSelect.tsx index 3d994517336..32a7c31507c 100644 --- a/packages/vuetify/src/components/VSelect/VSelect.tsx +++ b/packages/vuetify/src/components/VSelect/VSelect.tsx @@ -179,7 +179,7 @@ export const VSelect = genericComponent<new < }) const menuDisabled = computed(() => ( - (props.hideNoData && !items.value.length) || + (props.hideNoData && !displayItems.value.length) || props.readonly || form?.isReadonly.value ))
33002fa1ad575d032333021e670368869151a4eb
2022-04-11 14:31:31
Grega Drofenik
fix(VCalendar): fix transparent header on category calendar (#14725)
false
fix transparent header on category calendar (#14725)
fix
diff --git a/packages/vuetify/src/components/VCalendar/VCalendarCategory.sass b/packages/vuetify/src/components/VCalendar/VCalendarCategory.sass index c01176d449e..5da2cf15028 100644 --- a/packages/vuetify/src/components/VCalendar/VCalendarCategory.sass +++ b/packages/vuetify/src/components/VCalendar/VCalendarCategory.sass @@ -6,15 +6,14 @@ .v-calendar-category__column-header border-right: map-deep-get($material, 'calendar', 'line-color') $calendar-line-width solid - .v-calendar-category - .v-calendar-daily__head - background: map-deep-get($material, 'calendar', 'background-color') + .v-calendar-daily__head + background: map-deep-get($material, 'calendar', 'background-color') - .v-calendar-daily__intervals-head - background: map-deep-get($material, 'calendar', 'background-color') + .v-calendar-daily__intervals-head + background: map-deep-get($material, 'calendar', 'background-color') - .v-calendar-daily__intervals-body - background: map-deep-get($material, 'calendar', 'background-color') + .v-calendar-daily__intervals-body + background: map-deep-get($material, 'calendar', 'background-color') .v-calendar-category overflow: auto
a346a7cd835a452bb1f07d7d79ad38eb07fbbec1
2020-06-22 05:44:40
John Leider
docs: fix ads text color
false
fix ads text color
docs
diff --git a/packages/docs-next/src/components/ad/Vuetify.vue b/packages/docs-next/src/components/ad/Vuetify.vue index 3330789bdef..24dca0f85fa 100644 --- a/packages/docs-next/src/components/ad/Vuetify.vue +++ b/packages/docs-next/src/components/ad/Vuetify.vue @@ -48,7 +48,7 @@ v-text="current.title" /> - <v-list-item-subtitle + <div :class="{ [color || 'text--secondary']: !entry, 'body-1 font-weight-medium': isSponsored, @@ -61,7 +61,7 @@ v-text="metadata.description" /> - </v-list-item-subtitle> + </div> </v-list-item-content> <i18n
307b1bc4232e64a976a755858b13ed75efbb298a
2019-10-09 06:47:44
MajesticPotatoe
docs(migration): update markdown styles and fix header goto
false
update markdown styles and fix header goto
docs
diff --git a/MIGRATION.md b/MIGRATION.md index 2e306ab49d2..2d82c1844c0 100644 --- a/MIGRATION.md +++ b/MIGRATION.md @@ -1,4 +1,4 @@ -## Migrating from v1.5.x to v2.0.x +### Migrating from v1.5.x to v2.0.x Version 2 contains non backwards compatible breaking changes. This includes previously deprecated functionality from v1.x.x. These breaking changes are noted in the console for the corresponding components. diff --git a/packages/docs/src/components/getting-started/ReleasesAndMigrations.vue b/packages/docs/src/components/getting-started/ReleasesAndMigrations.vue index 5cb39f4a2e7..39614a473db 100644 --- a/packages/docs/src/components/getting-started/ReleasesAndMigrations.vue +++ b/packages/docs/src/components/getting-started/ReleasesAndMigrations.vue @@ -1,53 +1,74 @@ <template> <v-layout wrap mb-12> - <doc-subheading>releaseHeader</doc-subheading> <v-flex xs12 mb-12 > - <v-autocomplete - v-model="releaseNotes" - :items="releases" - label="Select Release Version" - item-text="name" - solo - prepend-inner-icon="mdi-database-search" - clearable - chips - return-object - > - <template v-slot:selection="props"> - <v-chip - :value="props.selected" - color="primary" - class="white--text" - label + <section id="release-notes"> + <doc-heading id="release-notes">releaseHeader</doc-heading> + <v-autocomplete + v-model="releaseNotes" + :items="releases" + label="Select Release Version" + item-text="name" + solo + prepend-inner-icon="mdi-database-search" + clearable + chips + return-object + hide-details + > + <template v-slot:selection="props"> + <v-chip + :value="props.selected" + color="primary" + class="white--text" + label + > + <v-icon left> + mdi-tag + </v-icon> + <span v-text="props.item.name" /> + </v-chip> + </template> + <template v-slot:item="props"> + <v-list-item-action> + <v-icon>mdi-tag</v-icon> + </v-list-item-action> + <v-list-item-content> + <v-list-item-title + :id="props.attrs['aria-labelledby']" + v-text="props.item.name" + /> + <v-list-item-subtitle v-text="`Published: ${new Date(props.item.published_at).toDateString()}`" /> + </v-list-item-content> + </template> + </v-autocomplete> + <v-expand-transition> + <v-card + v-if="releaseNotes" + outlined + class="pa-4 mt-3" > - <v-icon left> - mdi-tag - </v-icon> - <span v-text="props.item.name" /> - </v-chip> - </template> - <template v-slot:item="props"> - <v-list-item-action> - <v-icon>mdi-tag</v-icon> - </v-list-item-action> - <v-list-item-content> - <v-list-item-title - :id="props.attrs['aria-labelledby']" - v-text="props.item.name" + <doc-markdown + class="migration-markdown" + :code="releaseNotes ? releaseNotes.body : ' '" /> - <v-list-item-subtitle v-text="`Published: ${new Date(props.item.published_at).toDateString()}`" /> - </v-list-item-content> - </template> - </v-autocomplete> - <doc-markdown :code="releaseNotes ? releaseNotes.body : ' '" /> + </v-card> + </v-expand-transition> + </section> </v-flex> - <v-flex> - <doc-subheading>migrationHeader</doc-subheading> - <doc-markdown class="migration-markdown" :code="migration || ' '" /> + <v-flex + xs12 + mb-12 + > + <section id="migration-guide"> + <doc-heading id="migration-guide">migrationHeader</doc-heading> + <v-card outlined class="pa-4"> + <doc-markdown class="migration-markdown" :code="migration || ' '" /> + </v-card> + </section> </v-flex> </v-layout> @@ -109,15 +130,22 @@ <style lang="sass" scoped> ::v-deep pre background: #2d2d2d !important - padding: 8px - margin: 8px + border-radius: 4px + margin: 16px + padding: 16px code - box-shadow: none !important + background: transparent background-color: unset !important + box-shadow: none !important color: #ccc !important + font-family: "Inconsolata", monospace + font-weight: 300 + font-size: 15px + line-height: 1.55 ::v-deep .migration-markdown - h4, h3, p, pre, ul + h1, h2, h3, h4, h5, p, pre, ul margin-bottom: 16px !important + </style>
ac50858421b9ba9cdd0cc53319b6c15e4d454583
2025-02-18 14:15:22
Kael
chore: update dependencies
false
update dependencies
chore
diff --git a/package.json b/package.json index b80b83615bd..6bf55fd48cb 100755 --- a/package.json +++ b/package.json @@ -41,16 +41,16 @@ "@typescript-eslint/eslint-plugin": "^7.18.0", "@typescript-eslint/parser": "^7.18.0", "@unhead/vue": "^1.9.4", - "@vue/compiler-sfc": "^3.4.27", + "@vue/compiler-sfc": "3.4.38", "@vue/language-server": "^2.0.29", - "@vue/runtime-core": "^3.4.27", - "@vue/runtime-dom": "^3.4.27", + "@vue/runtime-core": "3.4.38", + "@vue/runtime-dom": "3.4.38", "@vueuse/head": "^1.3.1", "babel-eslint": "^10.1.0", "conventional-changelog-cli": "^3.0.0", "conventional-changelog-vuetify": "^1.2.1", "conventional-github-releaser": "^3.1.5", - "cross-spawn": "^7.0.3", + "cross-spawn": "^7.0.6", "eslint": "^8.57.0", "eslint-config-standard": "^17.1.0", "eslint-formatter-codeframe": "^7.32.1", @@ -62,10 +62,10 @@ "eslint-plugin-sonarjs": "^0.25.1", "eslint-plugin-vue": "^9.24.1", "eslint-plugin-vuetify": "^2.3.0", - "glob": "^11.0.0", + "glob": "^11.0.1", "husky": "^3.1.0", "inquirer": "^6.5.2", - "lerna": "^8.1.7", + "lerna": "^8.1.9", "magic-string": "^0.30.9", "mkdirp": "^3.0.1", "moment": "^2.30.1", @@ -77,11 +77,11 @@ "stringify-object": "^5.0.0", "typescript": "~5.5.4", "upath": "^2.0.1", - "vite-plugin-inspect": "^0.8.3", + "vite-plugin-inspect": "10.2.1", "vite-plugin-warmup": "^0.1.0", - "vue": "^3.4.27", + "vue": "3.4.38", "vue-analytics": "^5.16.1", - "vue-router": "^4.3.0", + "vue-router": "^4.5.0", "vue-tsc": "^2.0.29", "yargs": "^17.7.2" }, @@ -89,12 +89,21 @@ "pnpm": { "patchedDependencies": { "@mdi/[email protected]": "patches/@[email protected]", - "@testing-library/vue": "patches/@testing-library__vue.patch" + "@testing-library/vue": "patches/@testing-library__vue.patch", + "vue-gtag-next": "patches/vue-gtag-next.patch" }, "overrides": { "@testing-library/dom": "npm:@vuetify/[email protected]", "@types/node": "22.5.4", "tough-cookie": "5.0.0-rc.4" + }, + "peerDependencyRules": { + "allowedVersions": { + "@sentry/vue>pinia": "3", + "@testing-library/user-event>@testing-library/dom": "*", + "pinia>vue": "3.4", + "vite-plugin-vue-layouts>vite": "6" + } } } } diff --git a/packages/api-generator/package.json b/packages/api-generator/package.json index 7e2ff3219a8..d0c7033f058 100755 --- a/packages/api-generator/package.json +++ b/packages/api-generator/package.json @@ -16,7 +16,7 @@ "prettier": "^3.2.5", "ts-morph": "^22.0.0", "tsx": "^4.7.2", - "vue": "^3.4.27", + "vue": "3.4.38", "vuetify": "workspace:*" }, "devDependencies": { diff --git a/packages/docs/auto-imports.d.ts b/packages/docs/auto-imports.d.ts index e6b6cfa4212..b2990674c12 100644 --- a/packages/docs/auto-imports.d.ts +++ b/packages/docs/auto-imports.d.ts @@ -3,6 +3,7 @@ // @ts-nocheck // noinspection JSUnusedGlobalSymbols // Generated by unplugin-auto-import +// biome-ignore lint: disable export {} declare global { const ComponentPublicInstance: typeof import('vue')['ComponentPublicInstance'] @@ -83,6 +84,7 @@ declare global { const onServerPrefetch: typeof import('vue')['onServerPrefetch'] const onUnmounted: typeof import('vue')['onUnmounted'] const onUpdated: typeof import('vue')['onUpdated'] + const onWatcherCleanup: typeof import('vue')['onWatcherCleanup'] const openCache: typeof import('./src/utils/pwa')['openCache'] const preferredLocale: typeof import('./src/utils/routes')['preferredLocale'] const propsToString: typeof import('./src/utils/helpers')['propsToString'] @@ -125,10 +127,12 @@ declare global { const useGtag: typeof import('vue-gtag-next')['useGtag'] const useHttpStore: typeof import('@vuetify/one')['useHttpStore'] const useI18n: typeof import('vue-i18n')['useI18n'] + const useId: typeof import('vue')['useId'] const useJobsStore: typeof import('./src/stores/jobs')['useJobsStore'] const useLink: typeof import('vue-router')['useLink'] const useLocaleStore: typeof import('./src/stores/locale')['useLocaleStore'] const useMadeWithVuetifyStore: typeof import('./src/stores/made-with-vuetify')['useMadeWithVuetifyStore'] + const useModel: typeof import('vue')['useModel'] const useOneStore: typeof import('@vuetify/one')['useOneStore'] const usePinsStore: typeof import('./src/stores/pins')['usePinsStore'] const usePlayground: typeof import('./src/composables/playground')['usePlayground'] @@ -146,6 +150,7 @@ declare global { const useSponsorsStore: typeof import('./src/stores/sponsors')['useSponsorsStore'] const useSpotStore: typeof import('./src/stores/spot')['useSpotStore'] const useTeamStore: typeof import('./src/stores/team')['useTeamStore'] + const useTemplateRef: typeof import('vue')['useTemplateRef'] const useTheme: typeof import('vuetify')['useTheme'] const useUserStore: typeof import('@vuetify/one')['useUserStore'] const wait: typeof import('./src/utils/helpers')['wait'] @@ -159,9 +164,31 @@ declare global { // for type re-export declare global { // @ts-ignore - export type { Component, ComponentPublicInstance, ComputedRef, ExtractDefaultPropTypes, ExtractPropTypes, ExtractPublicPropTypes, InjectionKey, PropType, Ref, VNode, WritableComputedRef } from 'vue' + export type { Component, ComponentPublicInstance, ComputedRef, DirectiveBinding, ExtractDefaultPropTypes, ExtractPropTypes, ExtractPublicPropTypes, InjectionKey, PropType, Ref, MaybeRef, MaybeRefOrGetter, VNode, WritableComputedRef } from 'vue' import('vue') + // @ts-ignore + export type { Category } from './src/stores/app' + import('./src/stores/app') + // @ts-ignore + export type { Commit } from './src/stores/commits' + import('./src/stores/commits') + // @ts-ignore + export type { Pin } from './src/stores/pins' + import('./src/stores/pins') + // @ts-ignore + export type { Release } from './src/stores/releases' + import('./src/stores/releases') + // @ts-ignore + export type { Sponsor } from './src/stores/sponsors' + import('./src/stores/sponsors') + // @ts-ignore + export type { Member, GithubMember } from './src/stores/team' + import('./src/stores/team') + // @ts-ignore + export type { Item } from './src/utils/api' + import('./src/utils/api') } + // for vue template auto import import { UnwrapRef } from 'vue' declare module 'vue' { @@ -239,6 +266,7 @@ declare module 'vue' { readonly onServerPrefetch: UnwrapRef<typeof import('vue')['onServerPrefetch']> readonly onUnmounted: UnwrapRef<typeof import('vue')['onUnmounted']> readonly onUpdated: UnwrapRef<typeof import('vue')['onUpdated']> + readonly onWatcherCleanup: UnwrapRef<typeof import('vue')['onWatcherCleanup']> readonly openCache: UnwrapRef<typeof import('./src/utils/pwa')['openCache']> readonly preferredLocale: UnwrapRef<typeof import('./src/utils/routes')['preferredLocale']> readonly propsToString: UnwrapRef<typeof import('./src/utils/helpers')['propsToString']> @@ -280,10 +308,12 @@ declare module 'vue' { readonly useGtag: UnwrapRef<typeof import('vue-gtag-next')['useGtag']> readonly useHttpStore: UnwrapRef<typeof import('@vuetify/one')['useHttpStore']> readonly useI18n: UnwrapRef<typeof import('vue-i18n')['useI18n']> + readonly useId: UnwrapRef<typeof import('vue')['useId']> readonly useJobsStore: UnwrapRef<typeof import('./src/stores/jobs')['useJobsStore']> readonly useLink: UnwrapRef<typeof import('vue-router')['useLink']> readonly useLocaleStore: UnwrapRef<typeof import('./src/stores/locale')['useLocaleStore']> readonly useMadeWithVuetifyStore: UnwrapRef<typeof import('./src/stores/made-with-vuetify')['useMadeWithVuetifyStore']> + readonly useModel: UnwrapRef<typeof import('vue')['useModel']> readonly useOneStore: UnwrapRef<typeof import('@vuetify/one')['useOneStore']> readonly usePinsStore: UnwrapRef<typeof import('./src/stores/pins')['usePinsStore']> readonly usePlayground: UnwrapRef<typeof import('./src/composables/playground')['usePlayground']> @@ -301,6 +331,7 @@ declare module 'vue' { readonly useSponsorsStore: UnwrapRef<typeof import('./src/stores/sponsors')['useSponsorsStore']> readonly useSpotStore: UnwrapRef<typeof import('./src/stores/spot')['useSpotStore']> readonly useTeamStore: UnwrapRef<typeof import('./src/stores/team')['useTeamStore']> + readonly useTemplateRef: UnwrapRef<typeof import('vue')['useTemplateRef']> readonly useTheme: UnwrapRef<typeof import('vuetify')['useTheme']> readonly useUserStore: UnwrapRef<typeof import('@vuetify/one')['useUserStore']> readonly wait: UnwrapRef<typeof import('./src/utils/helpers')['wait']> @@ -311,152 +342,4 @@ declare module 'vue' { readonly watchSyncEffect: UnwrapRef<typeof import('vue')['watchSyncEffect']> readonly wrapInArray: UnwrapRef<typeof import('./src/utils/helpers')['wrapInArray']> } -} -declare module '@vue/runtime-core' { - interface GlobalComponents {} - interface ComponentCustomProperties { - readonly EffectScope: UnwrapRef<typeof import('vue')['EffectScope']> - readonly IN_BROWSER: UnwrapRef<typeof import('./src/utils/globals')['IN_BROWSER']> - readonly IS_DEBUG: UnwrapRef<typeof import('./src/utils/globals')['IS_DEBUG']> - readonly IS_PROD: UnwrapRef<typeof import('./src/utils/globals')['IS_PROD']> - readonly IS_SERVER: UnwrapRef<typeof import('./src/utils/globals')['IS_SERVER']> - readonly acceptHMRUpdate: UnwrapRef<typeof import('pinia')['acceptHMRUpdate']> - readonly anyLanguagePattern: UnwrapRef<typeof import('./src/utils/routes')['anyLanguagePattern']> - readonly cacheManifestEntries: UnwrapRef<typeof import('./src/utils/pwa')['cacheManifestEntries']> - readonly camelCase: UnwrapRef<typeof import('lodash-es')['camelCase']> - readonly camelize: UnwrapRef<typeof import('vue')['camelize']> - readonly cleanCache: UnwrapRef<typeof import('./src/utils/pwa')['cleanCache']> - readonly computed: UnwrapRef<typeof import('vue')['computed']> - readonly configureMarkdown: UnwrapRef<typeof import('./src/utils/markdown-it')['configureMarkdown']> - readonly copyElementContent: UnwrapRef<typeof import('./src/utils/helpers')['copyElementContent']> - readonly createAdProps: UnwrapRef<typeof import('./src/composables/ad')['createAdProps']> - readonly createApp: UnwrapRef<typeof import('vue')['createApp']> - readonly createOne: UnwrapRef<typeof import('@vuetify/one')['createOne']> - readonly createPinia: UnwrapRef<typeof import('pinia')['createPinia']> - readonly customRef: UnwrapRef<typeof import('vue')['customRef']> - readonly defineAsyncComponent: UnwrapRef<typeof import('vue')['defineAsyncComponent']> - readonly defineComponent: UnwrapRef<typeof import('vue')['defineComponent']> - readonly defineStore: UnwrapRef<typeof import('pinia')['defineStore']> - readonly disabledLanguagePattern: UnwrapRef<typeof import('./src/utils/routes')['disabledLanguagePattern']> - readonly effectScope: UnwrapRef<typeof import('vue')['effectScope']> - readonly ensureCacheableResponse: UnwrapRef<typeof import('./src/utils/pwa')['ensureCacheableResponse']> - readonly eventName: UnwrapRef<typeof import('./src/utils/helpers')['eventName']> - readonly genAppMetaInfo: UnwrapRef<typeof import('./src/utils/metadata')['genAppMetaInfo']> - readonly genMetaInfo: UnwrapRef<typeof import('./src/utils/metadata')['genMetaInfo']> - readonly generatedRoutes: UnwrapRef<typeof import('./src/utils/routes')['generatedRoutes']> - readonly getActivePinia: UnwrapRef<typeof import('pinia')['getActivePinia']> - readonly getBranch: UnwrapRef<typeof import('./src/utils/helpers')['getBranch']> - readonly getCurrentInstance: UnwrapRef<typeof import('vue')['getCurrentInstance']> - readonly getCurrentScope: UnwrapRef<typeof import('vue')['getCurrentScope']> - readonly getDistance: UnwrapRef<typeof import('./src/utils/helpers')['getDistance']> - readonly getMatchMedia: UnwrapRef<typeof import('./src/utils/helpers')['getMatchMedia']> - readonly gtagClick: UnwrapRef<typeof import('./src/utils/analytics')['gtagClick']> - readonly h: UnwrapRef<typeof import('vue')['h']> - readonly inject: UnwrapRef<typeof import('vue')['inject']> - readonly insertLinks: UnwrapRef<typeof import('./src/utils/api')['insertLinks']> - readonly isOn: UnwrapRef<typeof import('./src/utils/helpers')['isOn']> - readonly isProxy: UnwrapRef<typeof import('vue')['isProxy']> - readonly isReactive: UnwrapRef<typeof import('vue')['isReactive']> - readonly isReadonly: UnwrapRef<typeof import('vue')['isReadonly']> - readonly isRef: UnwrapRef<typeof import('vue')['isRef']> - readonly kebabCase: UnwrapRef<typeof import('lodash-es')['kebabCase']> - readonly languagePattern: UnwrapRef<typeof import('./src/utils/routes')['languagePattern']> - readonly leadingSlash: UnwrapRef<typeof import('./src/utils/routes')['leadingSlash']> - readonly mapActions: UnwrapRef<typeof import('pinia')['mapActions']> - readonly mapGetters: UnwrapRef<typeof import('pinia')['mapGetters']> - readonly mapState: UnwrapRef<typeof import('pinia')['mapState']> - readonly mapStores: UnwrapRef<typeof import('pinia')['mapStores']> - readonly mapWritableState: UnwrapRef<typeof import('pinia')['mapWritableState']> - readonly markRaw: UnwrapRef<typeof import('vue')['markRaw']> - readonly markdownItRules: UnwrapRef<typeof import('./src/utils/markdown-it-rules')['default']> - readonly mergeProps: UnwrapRef<typeof import('vue')['mergeProps']> - readonly messageSW: UnwrapRef<typeof import('./src/utils/pwa')['messageSW']> - readonly nextTick: UnwrapRef<typeof import('vue')['nextTick']> - readonly onActivated: UnwrapRef<typeof import('vue')['onActivated']> - readonly onBeforeMount: UnwrapRef<typeof import('vue')['onBeforeMount']> - readonly onBeforeRouteLeave: UnwrapRef<typeof import('vue-router')['onBeforeRouteLeave']> - readonly onBeforeRouteUpdate: UnwrapRef<typeof import('vue-router')['onBeforeRouteUpdate']> - readonly onBeforeUnmount: UnwrapRef<typeof import('vue')['onBeforeUnmount']> - readonly onBeforeUpdate: UnwrapRef<typeof import('vue')['onBeforeUpdate']> - readonly onDeactivated: UnwrapRef<typeof import('vue')['onDeactivated']> - readonly onErrorCaptured: UnwrapRef<typeof import('vue')['onErrorCaptured']> - readonly onMounted: UnwrapRef<typeof import('vue')['onMounted']> - readonly onRenderTracked: UnwrapRef<typeof import('vue')['onRenderTracked']> - readonly onRenderTriggered: UnwrapRef<typeof import('vue')['onRenderTriggered']> - readonly onScopeDispose: UnwrapRef<typeof import('vue')['onScopeDispose']> - readonly onServerPrefetch: UnwrapRef<typeof import('vue')['onServerPrefetch']> - readonly onUnmounted: UnwrapRef<typeof import('vue')['onUnmounted']> - readonly onUpdated: UnwrapRef<typeof import('vue')['onUpdated']> - readonly openCache: UnwrapRef<typeof import('./src/utils/pwa')['openCache']> - readonly preferredLocale: UnwrapRef<typeof import('./src/utils/routes')['preferredLocale']> - readonly propsToString: UnwrapRef<typeof import('./src/utils/helpers')['propsToString']> - readonly provide: UnwrapRef<typeof import('vue')['provide']> - readonly reactive: UnwrapRef<typeof import('vue')['reactive']> - readonly readonly: UnwrapRef<typeof import('vue')['readonly']> - readonly redirectRoutes: UnwrapRef<typeof import('./src/utils/routes')['redirectRoutes']> - readonly ref: UnwrapRef<typeof import('vue')['ref']> - readonly resolveComponent: UnwrapRef<typeof import('vue')['resolveComponent']> - readonly rpath: UnwrapRef<typeof import('./src/utils/routes')['rpath']> - readonly setActivePinia: UnwrapRef<typeof import('pinia')['setActivePinia']> - readonly setMapStoreSuffix: UnwrapRef<typeof import('pinia')['setMapStoreSuffix']> - readonly shallowReactive: UnwrapRef<typeof import('vue')['shallowReactive']> - readonly shallowReadonly: UnwrapRef<typeof import('vue')['shallowReadonly']> - readonly shallowRef: UnwrapRef<typeof import('vue')['shallowRef']> - readonly storeToRefs: UnwrapRef<typeof import('pinia')['storeToRefs']> - readonly stripLinks: UnwrapRef<typeof import('./src/utils/api')['stripLinks']> - readonly toRaw: UnwrapRef<typeof import('vue')['toRaw']> - readonly toRef: UnwrapRef<typeof import('vue')['toRef']> - readonly toRefs: UnwrapRef<typeof import('vue')['toRefs']> - readonly toValue: UnwrapRef<typeof import('vue')['toValue']> - readonly trailingSlash: UnwrapRef<typeof import('./src/utils/routes')['trailingSlash']> - readonly triggerRef: UnwrapRef<typeof import('vue')['triggerRef']> - readonly unref: UnwrapRef<typeof import('vue')['unref']> - readonly upperFirst: UnwrapRef<typeof import('lodash-es')['upperFirst']> - readonly useAd: UnwrapRef<typeof import('./src/composables/ad')['useAd']> - readonly useAdsStore: UnwrapRef<typeof import('./src/stores/ads')['useAdsStore']> - readonly useAppStore: UnwrapRef<typeof import('./src/stores/app')['useAppStore']> - readonly useAttrs: UnwrapRef<typeof import('vue')['useAttrs']> - readonly useAuthStore: UnwrapRef<typeof import('@vuetify/one')['useAuthStore']> - readonly useCommitsStore: UnwrapRef<typeof import('./src/stores/commits')['useCommitsStore']> - readonly useCosmic: UnwrapRef<typeof import('./src/composables/cosmic')['useCosmic']> - readonly useCssModule: UnwrapRef<typeof import('vue')['useCssModule']> - readonly useCssVars: UnwrapRef<typeof import('vue')['useCssVars']> - readonly useDate: UnwrapRef<typeof import('vuetify')['useDate']> - readonly useDisplay: UnwrapRef<typeof import('vuetify')['useDisplay']> - readonly useFrontmatter: UnwrapRef<typeof import('./src/composables/frontmatter')['useFrontmatter']> - readonly useGoTo: UnwrapRef<typeof import('vuetify')['useGoTo']> - readonly useGtag: UnwrapRef<typeof import('vue-gtag-next')['useGtag']> - readonly useHttpStore: UnwrapRef<typeof import('@vuetify/one')['useHttpStore']> - readonly useI18n: UnwrapRef<typeof import('vue-i18n')['useI18n']> - readonly useJobsStore: UnwrapRef<typeof import('./src/stores/jobs')['useJobsStore']> - readonly useLink: UnwrapRef<typeof import('vue-router')['useLink']> - readonly useLocaleStore: UnwrapRef<typeof import('./src/stores/locale')['useLocaleStore']> - readonly useMadeWithVuetifyStore: UnwrapRef<typeof import('./src/stores/made-with-vuetify')['useMadeWithVuetifyStore']> - readonly useOneStore: UnwrapRef<typeof import('@vuetify/one')['useOneStore']> - readonly usePinsStore: UnwrapRef<typeof import('./src/stores/pins')['usePinsStore']> - readonly usePlayground: UnwrapRef<typeof import('./src/composables/playground')['usePlayground']> - readonly useProductsStore: UnwrapRef<typeof import('@vuetify/one')['useProductsStore']> - readonly usePromotionsStore: UnwrapRef<typeof import('./src/stores/promotions')['usePromotionsStore']> - readonly usePwaStore: UnwrapRef<typeof import('./src/stores/pwa')['usePwaStore']> - readonly useQueueStore: UnwrapRef<typeof import('@vuetify/one')['useQueueStore']> - readonly useReleasesStore: UnwrapRef<typeof import('./src/stores/releases')['useReleasesStore']> - readonly useRoute: UnwrapRef<typeof import('vue-router')['useRoute']> - readonly useRouter: UnwrapRef<typeof import('vue-router')['useRouter']> - readonly useRtl: UnwrapRef<typeof import('vuetify')['useRtl']> - readonly useSettingsStore: UnwrapRef<typeof import('@vuetify/one')['useSettingsStore']> - readonly useShopifyStore: UnwrapRef<typeof import('./src/stores/shopify')['useShopifyStore']> - readonly useSlots: UnwrapRef<typeof import('vue')['useSlots']> - readonly useSponsorsStore: UnwrapRef<typeof import('./src/stores/sponsors')['useSponsorsStore']> - readonly useSpotStore: UnwrapRef<typeof import('./src/stores/spot')['useSpotStore']> - readonly useTeamStore: UnwrapRef<typeof import('./src/stores/team')['useTeamStore']> - readonly useTheme: UnwrapRef<typeof import('vuetify')['useTheme']> - readonly useUserStore: UnwrapRef<typeof import('@vuetify/one')['useUserStore']> - readonly wait: UnwrapRef<typeof import('./src/utils/helpers')['wait']> - readonly waitForReadystate: UnwrapRef<typeof import('./src/utils/helpers')['waitForReadystate']> - readonly watch: UnwrapRef<typeof import('vue')['watch']> - readonly watchEffect: UnwrapRef<typeof import('vue')['watchEffect']> - readonly watchPostEffect: UnwrapRef<typeof import('vue')['watchPostEffect']> - readonly watchSyncEffect: UnwrapRef<typeof import('vue')['watchSyncEffect']> - readonly wrapInArray: UnwrapRef<typeof import('./src/utils/helpers')['wrapInArray']> - } -} +} \ No newline at end of file diff --git a/packages/docs/package.json b/packages/docs/package.json index e4a100d7928..1d20ddee405 100644 --- a/packages/docs/package.json +++ b/packages/docs/package.json @@ -22,7 +22,7 @@ "dependencies": { "@cosmicjs/sdk": "^1.0.11", "@sentry/vue": "^9.0.1", - "@vue/compiler-dom": "^3.4.27", + "@vue/compiler-dom": "3.4.38", "@vuelidate/core": "^2.0.3", "@vuelidate/validators": "^2.0.4", "@vuetify/one": "^1.9.5", @@ -30,15 +30,15 @@ "fflate": "^0.8.2", "isomorphic-fetch": "^3.0.0", "lodash-es": "^4.17.21", - "pinia": "^2.1.7", + "pinia": "^3.0.1", "prism-theme-vars": "^0.2.4", "prismjs": "^1.29.0", "roboto-fontface": "^0.10.0", "swetrix": "^3.5.0", "vee-validate": "^4.12.6", - "vue": "^3.4.27", + "vue": "3.4.38", "vue-gtag-next": "^1.14.0", - "vue-i18n": "^9.11.0", + "vue-i18n": "^11.1.1", "vue-instantsearch": "^4.16.1", "vue-prism-component": "^2.0.0", "vuetify": "workspace:*" @@ -47,7 +47,7 @@ "@babel/generator": "^7.25.0", "@babel/types": "^7.25.2", "@emailjs/browser": "^4.3.3", - "@intlify/unplugin-vue-i18n": "^4.0.0", + "@intlify/unplugin-vue-i18n": "^6.0.3", "@mdi/js": "7.4.47", "@mdi/svg": "7.4.47", "@octokit/openapi-types": "^22.2.0", @@ -56,9 +56,9 @@ "@types/markdown-it": "^14.0.0", "@types/markdown-it-container": "^2.0.10", "@types/prismjs": "^1.26.3", - "@vitejs/plugin-basic-ssl": "^1.1.0", - "@vitejs/plugin-vue": "^5.0.4", - "@vue/compiler-sfc": "^3.4.27", + "@vitejs/plugin-basic-ssl": "^1.2.0", + "@vitejs/plugin-vue": "^5.2.1", + "@vue/compiler-sfc": "3.4.38", "@vuetify/api-generator": "workspace:*", "@yankeeinlondon/builder-api": "^1.4.1", "ajv": "^8.12.0", @@ -80,13 +80,13 @@ "markdown-it-meta": "^0.0.1", "markdown-it-prism": "^2.3.0", "markdownlint-cli": "^0.39.0", - "unplugin-auto-import": "0.17.5", - "unplugin-fonts": "1.0.3", + "unplugin-auto-import": "19.1.0", + "unplugin-fonts": "1.3.1", "unplugin-vue-components": "^0.27.4", - "vite": "^5.4.3", + "vite": "^6.1.0", "vite-plugin-md": "^0.21.5", - "vite-plugin-pages": "^0.32.1", - "vite-plugin-pwa": "^0.17.4", + "vite-plugin-pages": "^0.32.4", + "vite-plugin-pwa": "^0.21.1", "vite-plugin-vue-layouts": "^0.11.0", "vite-plugin-vuetify": "^2.1.0", "vue-tsc": "^2.0.29" diff --git a/packages/docs/src/stores/app.ts b/packages/docs/src/stores/app.ts index 4b431132aae..23848b94f41 100644 --- a/packages/docs/src/stores/app.ts +++ b/packages/docs/src/stores/app.ts @@ -7,7 +7,7 @@ export type Category = { color: string } -export type RootState = { +type RootState = { apiSearch: string drawer: boolean | null toc: boolean | null @@ -27,8 +27,7 @@ type NavItem = { items?: NavItem[] } -export const useAppStore = defineStore({ - id: 'app', +export const useAppStore = defineStore('app', { state: () => ({ apiSearch: '', drawer: null, diff --git a/packages/docs/src/stores/commits.ts b/packages/docs/src/stores/commits.ts index e40af371bd0..3f1180d1a97 100644 --- a/packages/docs/src/stores/commits.ts +++ b/packages/docs/src/stores/commits.ts @@ -3,7 +3,7 @@ import type { components as octokitComponents } from '@octokit/openapi-types' export type Commit = octokitComponents['schemas']['commit'] -export type State = { +type State = { commits: Commit[] isLoading: boolean } diff --git a/packages/docs/src/stores/locale.ts b/packages/docs/src/stores/locale.ts index 42131fcea53..e13478c9dc8 100644 --- a/packages/docs/src/stores/locale.ts +++ b/packages/docs/src/stores/locale.ts @@ -1,10 +1,9 @@ // Types -export type RootState = { +type RootState = { locale: string } -export const useLocaleStore = defineStore({ - id: 'locale', +export const useLocaleStore = defineStore('locale', { state: () => ({ locale: preferredLocale(), } as RootState), diff --git a/packages/docs/src/stores/releases.ts b/packages/docs/src/stores/releases.ts index 68aa75b25ba..aeada4a0709 100644 --- a/packages/docs/src/stores/releases.ts +++ b/packages/docs/src/stores/releases.ts @@ -3,7 +3,7 @@ import type { components as octokitComponents } from '@octokit/openapi-types' export type Release = octokitComponents['schemas']['release'] -export type State = { +type State = { releases: Release[] isLoading: boolean page: number diff --git a/packages/docs/src/stores/shopify.ts b/packages/docs/src/stores/shopify.ts index 6760026e1bb..544225520c8 100644 --- a/packages/docs/src/stores/shopify.ts +++ b/packages/docs/src/stores/shopify.ts @@ -10,7 +10,7 @@ interface Vendor { products: Product[] } -export type State = { +type State = { vendors: Vendor[] } diff --git a/packages/docs/src/stores/sponsors.ts b/packages/docs/src/stores/sponsors.ts index e09a11f2a7b..efe2fbd911d 100644 --- a/packages/docs/src/stores/sponsors.ts +++ b/packages/docs/src/stores/sponsors.ts @@ -7,10 +7,6 @@ export interface Sponsor { title: string } -export type RootState = { - sponsors: Sponsor[] -} - export const useSponsorsStore = defineStore('sponsors', () => { const sponsors = ref<Sponsor[]>([]) diff --git a/packages/docs/vite.config.mts b/packages/docs/vite.config.mts index 3d35d4abdef..0708819f87a 100644 --- a/packages/docs/vite.config.mts +++ b/packages/docs/vite.config.mts @@ -45,7 +45,6 @@ export default defineConfig(({ command, mode, isSsrBuild }) => { { find: '@', replacement: `${resolve('src')}/` }, { find: 'node-fetch', replacement: 'isomorphic-fetch' }, { find: /^vue$/, replacement: isSsrBuild ? 'vue' : 'vue/dist/vue.runtime.esm-bundler.js' }, - { find: /^pinia$/, replacement: 'pinia/dist/pinia.mjs' }, ], }, define: { diff --git a/packages/vuetify/package.json b/packages/vuetify/package.json index af301bc90d5..0555810aeef 100755 --- a/packages/vuetify/package.json +++ b/packages/vuetify/package.json @@ -126,6 +126,7 @@ "@fortawesome/fontawesome-svg-core": "^6.5.2", "@fortawesome/free-solid-svg-icons": "^6.5.2", "@fortawesome/vue-fontawesome": "^3.0.6", + "@intlify/devtools-types": "^11.1.1", "@percy/cli": "^1.29.3", "@percy/sdk-utils": "^1.29.3", "@rollup/plugin-alias": "^5.1.0", @@ -137,14 +138,14 @@ "@testing-library/vue": "^8.1.0", "@types/node": "^22.5.4", "@types/resize-observer-browser": "^0.1.11", - "@vitejs/plugin-vue": "^5.0.4", - "@vitejs/plugin-vue-jsx": "^3.1.0", - "@vitest/browser": "^2.1.1", - "@vitest/coverage-v8": "^2.1.1", - "@vitest/ui": "^2.1.1", - "@vue/babel-plugin-jsx": "^1.2.2", - "@vue/shared": "^3.4.27", - "@vue/test-utils": "2.4.6", + "@vitejs/plugin-vue": "^5.2.1", + "@vitejs/plugin-vue-jsx": "^4.1.1", + "@vitest/browser": "^3.0.5", + "@vitest/coverage-v8": "^3.0.5", + "@vitest/ui": "^3.0.5", + "@vue/babel-plugin-jsx": "^1.2.5", + "@vue/shared": "3.4.38", + "@vue/test-utils": "^2.4.6", "acorn-walk": "^8.3.2", "autoprefixer": "^10.4.19", "babel-plugin-add-import-extension": "1.5.1", @@ -157,7 +158,6 @@ "cy-mobile-commands": "^0.3.0", "date-fns": "^3.6.0", "dotenv": "^16.4.5", - "eslint-plugin-jest": "^28.7.0", "eslint-plugin-vitest": "0.4.1", "expect": "^28.1.3", "fast-glob": "^3.3.2", @@ -166,19 +166,20 @@ "micromatch": "^4.0.5", "postcss": "^8.4.38", "roboto-fontface": "^0.10.0", - "rollup": "^3.20.7", + "rollup": "^4.34.8", "rollup-plugin-dts": "^6.1.0", "rollup-plugin-sass": "^1.12.21", "rollup-plugin-sourcemaps": "^0.6.3", "rollup-plugin-terser": "^7.0.2", "timezone-mock": "^1.3.6", - "unplugin-auto-import": "0.17.5", + "unplugin-auto-import": "19.1.0", "unplugin-vue-components": "^0.27.4", "upath": "^2.0.1", - "vite": "^5.4.3", + "vite": "^6.1.0", "vite-ssr": "^0.17.1", - "vitest": "^2.1.1", - "vue-i18n": "^9.7.1", + "vitest": "^3.0.5", + "vue": "3.4.38", + "vue-i18n": "^11.1.1", "vue-router": "^4.3.0", "webdriverio": "^8.40.5" }, diff --git a/packages/vuetify/src/__tests__/framework.spec.browser.ts b/packages/vuetify/src/__tests__/framework.spec.browser.tsx similarity index 90% rename from packages/vuetify/src/__tests__/framework.spec.browser.ts rename to packages/vuetify/src/__tests__/framework.spec.browser.tsx index 49835d33266..0e8b67fdc5a 100644 --- a/packages/vuetify/src/__tests__/framework.spec.browser.ts +++ b/packages/vuetify/src/__tests__/framework.spec.browser.tsx @@ -11,7 +11,7 @@ describe('framework', () => { }) it('should install provided components', () => { - const Foo = { name: 'Foo', template: '<div />' } + const Foo = { name: 'Foo', render: () => (<div />) } const vuetify = createVuetify({ components: { Foo, @@ -21,7 +21,7 @@ describe('framework', () => { const TestComponent = { name: 'TestComponent', props: {}, - template: '<foo />', + render: () => (<foo />), } mount(TestComponent, { @@ -44,7 +44,7 @@ describe('framework', () => { const TestComponent = { name: 'TestComponent', props: {}, - template: '<div v-foo />', + render: () => (<div v-foo />), } mount(TestComponent, { diff --git a/packages/vuetify/src/auto-imports.d.ts b/packages/vuetify/src/auto-imports.d.ts index 7e43e9a13f5..6f92e4eef36 100644 --- a/packages/vuetify/src/auto-imports.d.ts +++ b/packages/vuetify/src/auto-imports.d.ts @@ -3,6 +3,7 @@ // @ts-nocheck // noinspection JSUnusedGlobalSymbols // Generated by unplugin-auto-import +// biome-ignore lint: disable export {} declare global { const afterAll: typeof import('vitest')['afterAll'] diff --git a/packages/vuetify/src/components/VAppBar/__tests__/VAppBar.spec.browser.tsx b/packages/vuetify/src/components/VAppBar/__tests__/VAppBar.spec.browser.tsx index ad0b8616db1..a6c76f08c00 100644 --- a/packages/vuetify/src/components/VAppBar/__tests__/VAppBar.spec.browser.tsx +++ b/packages/vuetify/src/components/VAppBar/__tests__/VAppBar.spec.browser.tsx @@ -16,10 +16,10 @@ describe('VAppBar', () => { </VLayout> )) - expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '64px' }) + await expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '64px' }) height.value = 128 - expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '128px' }) + await expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '128px' }) }) it('supports density', async () => { @@ -30,21 +30,21 @@ describe('VAppBar', () => { </VLayout> )) - expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '64px' }) + await expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '64px' }) density.value = 'prominent' - expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '128px' }) + await expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '128px' }) density.value = 'comfortable' - expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '56px' }) + await expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '56px' }) density.value = 'compact' - expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '48px' }) + await expect.element(screen.getByCSS('.v-app-bar')).toHaveStyle({ height: '48px' }) }) describe('scroll behavior', () => { it('hides on scroll', async () => { - const scrollBehavior = ref() + const scrollBehavior = ref('hide') render(() => ( <VLayout> <VAppBar scrollBehavior={ scrollBehavior.value } /> @@ -52,14 +52,28 @@ describe('VAppBar', () => { </VLayout> )) - expect.element(screen.getByCSS('.v-app-bar')).toBeVisible() + await expect.element(screen.getByCSS('.v-app-bar')).toBeOnScreen() await scroll({ top: 500 }) + await expect.element(screen.getByCSS('.v-app-bar')).not.toBeOnScreen() + + await scroll({ top: 250 }) + await expect.element(screen.getByCSS('.v-app-bar')).toBeOnScreen() + + await scroll({ top: 0 }) + await expect.element(screen.getByCSS('.v-app-bar')).toBeOnScreen() + + scrollBehavior.value = 'hide inverted' + await expect.element(screen.getByCSS('.v-app-bar')).not.toBeOnScreen() + + await scroll({ top: 500 }) + await expect.element(screen.getByCSS('.v-app-bar')).toBeOnScreen() + await scroll({ top: 250 }) - expect.element(screen.getByCSS('.v-app-bar')).toBeVisible() + await expect.element(screen.getByCSS('.v-app-bar')).not.toBeOnScreen() await scroll({ top: 0 }) - expect.element(screen.getByCSS('.v-app-bar')).toBeVisible() + await expect.element(screen.getByCSS('.v-app-bar')).not.toBeOnScreen() }) it('should hide correctly when scroll to the bottom', async () => { @@ -74,10 +88,10 @@ describe('VAppBar', () => { </VLayout> )) - expect.element(screen.getByCSS('.v-app-bar')).toBeVisible() + await expect.element(screen.getByCSS('.v-app-bar')).toBeOnScreen() await scroll({ top: 1000 }) - expect.element(screen.getByCSS('.v-app-bar')).not.toBeVisible() + await expect.element(screen.getByCSS('.v-app-bar')).not.toBeOnScreen() }) it('collapses', async () => { @@ -88,11 +102,11 @@ describe('VAppBar', () => { </VLayout> )) - expect.element(screen.getByCSS('.v-app-bar')).toBeVisible() + await expect.element(screen.getByCSS('.v-app-bar')).toBeOnScreen() await scroll({ top: 500 }) await scroll({ top: 0 }) - expect.element(screen.getByCSS('.v-app-bar')).not.toHaveClass('v-toolbar--collapse') + await expect.element(screen.getByCSS('.v-app-bar')).not.toHaveClass('v-toolbar--collapse') }) }) }) diff --git a/packages/vuetify/src/components/VAutocomplete/__tests__/VAutocomplete.spec.browser.tsx b/packages/vuetify/src/components/VAutocomplete/__tests__/VAutocomplete.spec.browser.tsx index 043d0b6cc8d..c9771601700 100644 --- a/packages/vuetify/src/components/VAutocomplete/__tests__/VAutocomplete.spec.browser.tsx +++ b/packages/vuetify/src/components/VAutocomplete/__tests__/VAutocomplete.spec.browser.tsx @@ -583,7 +583,7 @@ describe('VAutocomplete', () => { expect(screen.queryByRole('listbox')).toBeNull() await rerender({ items: ['Foo', 'Bar'] }) - await expect(screen.findByRole('listbox')).resolves.toBeInTheDocument() + await expect(screen.findByRole('listbox')).resolves.toBeVisible() }) // https://github.com/vuetifyjs/vuetify/issues/19346 @@ -593,7 +593,7 @@ describe('VAutocomplete', () => { }) await userEvent.click(element) - await expect(screen.findByRole('listbox')).resolves.toBeInTheDocument() + await expect(screen.findByRole('listbox')).resolves.toBeVisible() await userEvent.click(screen.getAllByRole('option')[0]) await rerender({ items: ['Foo', 'Bar', 'test', 'test 2'] }) diff --git a/packages/vuetify/src/components/VBottomNavigation/__tests__/VBottomNavigation.spec.browser.tsx b/packages/vuetify/src/components/VBottomNavigation/__tests__/VBottomNavigation.spec.browser.tsx index 184c969cbeb..f8952246de7 100644 --- a/packages/vuetify/src/components/VBottomNavigation/__tests__/VBottomNavigation.spec.browser.tsx +++ b/packages/vuetify/src/components/VBottomNavigation/__tests__/VBottomNavigation.spec.browser.tsx @@ -15,9 +15,9 @@ describe('VBottomNavigation', () => { </VLayout> )) const navigation = screen.getByCSS('.v-bottom-navigation') - expect.element(navigation).toHaveStyle({ height: '200px' }) + await expect.element(navigation).toHaveStyle({ height: '200px' }) height.value = 150 - expect.element(navigation).toHaveStyle({ height: '150px' }) + await expect.element(navigation).toHaveStyle({ height: '150px' }) }) it('supports density', async () => { @@ -28,11 +28,11 @@ describe('VBottomNavigation', () => { </VLayout> )) const navigation = screen.getByCSS('.v-bottom-navigation') - expect.element(navigation).toHaveStyle({ height: '56px' }) + await expect.element(navigation).toHaveStyle({ height: '56px' }) density.value = 'comfortable' - expect.element(navigation).toHaveStyle({ height: '48px' }) - density.value = 'comfortable' - expect.element(navigation).toHaveStyle({ height: '40px' }) + await expect.element(navigation).toHaveStyle({ height: '48px' }) + density.value = 'compact' + await expect.element(navigation).toHaveStyle({ height: '40px' }) }) it('is not visible when inactive', async () => { @@ -43,8 +43,8 @@ describe('VBottomNavigation', () => { </VLayout> )) const navigation = screen.getByCSS('.v-bottom-navigation') - expect.element(navigation).toHaveClass('v-bottom-navigation--active') + await expect.element(navigation).toHaveClass('v-bottom-navigation--active') active.value = false - expect.element(navigation).not.toHaveClass('v-bottom-navigation--active') + await expect.element(navigation).not.toHaveClass('v-bottom-navigation--active') }) }) diff --git a/packages/vuetify/src/components/VBottomSheet/__tests__/VBottomSheet.spec.browser.tsx b/packages/vuetify/src/components/VBottomSheet/__tests__/VBottomSheet.spec.browser.tsx index 5f618e4095e..aecf20aef17 100644 --- a/packages/vuetify/src/components/VBottomSheet/__tests__/VBottomSheet.spec.browser.tsx +++ b/packages/vuetify/src/components/VBottomSheet/__tests__/VBottomSheet.spec.browser.tsx @@ -14,9 +14,9 @@ describe('VBottomSheet', () => { )) const bottomSheet = screen.getByCSS('.v-bottom-sheet') - expect.element(bottomSheet).toBeVisible() - expect.element(bottomSheet).not.toHaveClass('v-bottom-sheet--inset') - expect.element(bottomSheet).toHaveTextContent('Content inside bottom sheet') + await expect.element(bottomSheet).toBeOnScreen() + await expect.element(bottomSheet).not.toHaveClass('v-bottom-sheet--inset') + await expect.element(bottomSheet).toHaveTextContent('Content inside bottom sheet') }) it('applies inset class when inset prop is true', async () => { @@ -29,10 +29,10 @@ describe('VBottomSheet', () => { )) const bottomSheet = screen.getByCSS('.v-bottom-sheet') - expect.element(bottomSheet).not.toHaveClass('v-bottom-sheet--inset') + await expect.element(bottomSheet).not.toHaveClass('v-bottom-sheet--inset') inset.value = true - expect.element(bottomSheet).toHaveClass('v-bottom-sheet--inset') + await expect.element(bottomSheet).toHaveClass('v-bottom-sheet--inset') }) it('applies custom styles and classes', async () => { @@ -42,7 +42,7 @@ describe('VBottomSheet', () => { </VBottomSheet> )) const bottomSheet = screen.getByCSS('.v-bottom-sheet') - expect.element(bottomSheet).toHaveClass('custom-class') - expect.element(bottomSheet).toHaveStyle({ color: 'rgb(255, 0, 0)' }) + await expect.element(bottomSheet).toHaveClass('custom-class') + await expect.element(bottomSheet).toHaveStyle({ color: 'rgb(255, 0, 0)' }) }) }) diff --git a/packages/vuetify/src/components/VBreadcrumbs/__tests__/VBreadcrumbs.spec.browser.tsx b/packages/vuetify/src/components/VBreadcrumbs/__tests__/VBreadcrumbs.spec.browser.tsx index 6cbdf6147dc..6900564d7d7 100644 --- a/packages/vuetify/src/components/VBreadcrumbs/__tests__/VBreadcrumbs.spec.browser.tsx +++ b/packages/vuetify/src/components/VBreadcrumbs/__tests__/VBreadcrumbs.spec.browser.tsx @@ -7,7 +7,7 @@ import { VBreadcrumbsItem } from '../VBreadcrumbsItem' import { render, screen } from '@test' describe('VBreadcrumbs', () => { - it('should use item slot', () => { + it('should use item slot', async () => { render(() => ( <VBreadcrumbs items={['hello', 'world']}> {{ @@ -18,7 +18,7 @@ describe('VBreadcrumbs', () => { const items = screen.getAllByText(/hello!|world!/i) expect(items).toHaveLength(2) - expect.element(items[0]).toHaveTextContent('hello!') + await expect.element(items[0]).toHaveTextContent('hello!') }) it('should use divider slot', () => { @@ -71,21 +71,21 @@ describe('VBreadcrumbs', () => { </VBreadcrumbs> )) // Initial check for the active color class - expect(screen.getByCSS('.v-breadcrumbs-item.text-primary')).toBeInTheDocument() + expect(screen.getByCSS('.v-breadcrumbs-item.text-primary')).toBeVisible() const items = screen.getAllByCSS('.v-breadcrumbs-item') - expect.element(items[0]).toHaveClass('text-primary') + await expect.element(items[0]).toHaveClass('text-primary') }) - it('should disable last item by default if using items prop', () => { + it('should disable last item by default if using items prop', async () => { render(() => ( <VBreadcrumbs items={['foo', 'bar']}></VBreadcrumbs> )) const lastItem = screen.getByCSS('.v-breadcrumbs-item:last-child') - expect.element(lastItem).toHaveClass('v-breadcrumbs-item--disabled') + await expect.element(lastItem).toHaveClass('v-breadcrumbs-item--disabled') }) - it('should override last item disabled by default', () => { + it('should override last item disabled by default', async () => { render(() => ( <VBreadcrumbs items={['foo', { title: 'bar', disabled: false }]} @@ -93,7 +93,7 @@ describe('VBreadcrumbs', () => { )) const lastItem = screen.getByCSS('.v-breadcrumbs-item:last-child') - expect.element(lastItem).not.toHaveClass('v-breadcrumbs-item--disabled') + await expect.element(lastItem).not.toHaveClass('v-breadcrumbs-item--disabled') }) it('should provide default divider', () => { @@ -107,7 +107,7 @@ describe('VBreadcrumbs', () => { </VBreadcrumbs> )) - expect(screen.getByText('/')).toBeInTheDocument() - expect(screen.getByText('-')).toBeInTheDocument() + expect(screen.getByText('/')).toBeVisible() + expect(screen.getByText('-')).toBeVisible() }) }) diff --git a/packages/vuetify/src/components/VBtn/__tests__/VBtn.spec.browser.tsx b/packages/vuetify/src/components/VBtn/__tests__/VBtn.spec.browser.tsx index 3b82778a501..6a0d48c7bab 100644 --- a/packages/vuetify/src/components/VBtn/__tests__/VBtn.spec.browser.tsx +++ b/packages/vuetify/src/components/VBtn/__tests__/VBtn.spec.browser.tsx @@ -1,10 +1,13 @@ import { VBtn } from '../VBtn' // Utilities -import { generate, gridOn, render } from '@test' -import { userEvent } from '@vitest/browser/context' +import { generate, gridOn, render, userEvent } from '@test' +import { ref } from 'vue' import { createRouter, createWebHistory } from 'vue-router' +// Types +import type { Variant } from '@/composables/variant.tsx' + // TODO: generate these from types const colors = ['success', 'info', 'warning', 'error', 'invalid'] const sizes = ['x-small', 'small', 'default', 'large', 'x-large'] as const @@ -202,13 +205,14 @@ describe('VBtn', () => { describe('Reactivity', () => { it('disabled', async () => { + const disabled = ref(true) const { wrapper } = render(() => ( - <VBtn color="success" disabled></VBtn> + <VBtn color="success" disabled={ disabled.value }></VBtn> )) expect(wrapper.element).toHaveClass('v-btn--disabled') - await wrapper.setProps({ disabled: false }) - expect.poll(() => wrapper.element as HTMLElement).not.toHaveClass('v-btn--disabled') + disabled.value = false + await expect.element(wrapper.element).not.toHaveClass('v-btn--disabled') }) it.todo('activeClass', async () => { @@ -219,19 +223,19 @@ describe('VBtn', () => { await wrapper.setProps({ activeClass: 'different-class' }) const activeClassElement = container.querySelector('.different-class') - expect(activeClassElement).not.toBeInTheDocument() + expect(activeClassElement).not.toBeVisible() }) - it('plain', async () => { + it('variant', async () => { + const variant = ref<Variant>('plain') const { wrapper } = render(() => ( - <VBtn variant="plain">Plain</VBtn> + <VBtn variant={ variant.value }>Plain</VBtn> )) expect(wrapper.element).toHaveClass('v-btn--variant-plain') - await wrapper.setProps({ variant: 'default' }) - - expect.poll(() => wrapper.element as HTMLElement).not.toHaveClass('v-btn--variant-plain') + variant.value = 'elevated' + await expect.element(wrapper.element).not.toHaveClass('v-btn--variant-plain') }) }) diff --git a/packages/vuetify/src/components/VColorPicker/__tests__/VColorPicker.spec.browser.tsx b/packages/vuetify/src/components/VColorPicker/__tests__/VColorPicker.spec.browser.tsx index 677b750d134..04ad804d363 100644 --- a/packages/vuetify/src/components/VColorPicker/__tests__/VColorPicker.spec.browser.tsx +++ b/packages/vuetify/src/components/VColorPicker/__tests__/VColorPicker.spec.browser.tsx @@ -149,7 +149,7 @@ describe('VColorPicker', () => { }) await userEvent.click(screen.getByCSS('canvas')) - expect(screen.getByCSS('.v-color-picker-canvas__dot')).toBeInTheDocument() + expect(screen.getByCSS('.v-color-picker-canvas__dot')).toBeVisible() screen.getAllByCSS('.v-color-picker-edit__input input').forEach(el => { expect(el).toHaveValue() }) diff --git a/packages/vuetify/src/components/VCombobox/__tests__/VCombobox.spec.browser.tsx b/packages/vuetify/src/components/VCombobox/__tests__/VCombobox.spec.browser.tsx index c3240eda603..4ae29eaa947 100644 --- a/packages/vuetify/src/components/VCombobox/__tests__/VCombobox.spec.browser.tsx +++ b/packages/vuetify/src/components/VCombobox/__tests__/VCombobox.spec.browser.tsx @@ -260,7 +260,7 @@ describe('VCombobox', () => { expect(screen.getAllByCSS('.v-chip')).toHaveLength(2) await userEvent.click(screen.getAllByTestId('close-chip')[0]) - await expect(screen.findByRole('textbox')).resolves.toBeInTheDocument() + await expect(screen.findByRole('textbox')).resolves.toBeVisible() expect(screen.getAllByCSS('.v-chip')).toHaveLength(1) expect(selectedItems.value).toStrictEqual(['Colorado']) }) @@ -311,7 +311,7 @@ describe('VCombobox', () => { expect(screen.getAllByCSS('.v-chip')).toHaveLength(2) await userEvent.click(screen.getAllByTestId('close-chip')[0]) - await expect(screen.findByRole('textbox')).resolves.toBeInTheDocument() + await expect(screen.findByRole('textbox')).resolves.toBeVisible() expect(screen.getAllByCSS('.v-chip')).toHaveLength(1) expect(selectedItems.value).toStrictEqual([{ title: 'Item 2', @@ -479,25 +479,25 @@ describe('VCombobox', () => { }) const input = screen.getByRole('textbox') - await expect.poll(() => input).toHaveAttribute('placeholder', 'Placeholder') + await expect.element(input).toHaveAttribute('placeholder', 'Placeholder') await rerender({ label: 'Label' }) - await expect.poll(() => input).not.toBeVisible() + await expect.element(input).not.toBeVisible() await userEvent.click(input) - await expect.poll(() => input).toHaveAttribute('placeholder', 'Placeholder') + await expect.element(input).toHaveAttribute('placeholder', 'Placeholder') expect(input).toBeVisible() await userEvent.tab() await rerender({ persistentPlaceholder: true }) - await expect.poll(() => input).toHaveAttribute('placeholder', 'Placeholder') + await expect.element(input).toHaveAttribute('placeholder', 'Placeholder') expect(input).toBeVisible() await rerender({ modelValue: 'Foobar' }) - await expect.poll(() => input).not.toHaveAttribute('placeholder') + await expect.element(input).not.toHaveAttribute('placeholder') await rerender({ multiple: true, modelValue: ['Foobar'] }) - await expect.poll(() => input).not.toHaveAttribute('placeholder') + await expect.element(input).not.toHaveAttribute('placeholder') }) it('should keep TextField focused while selecting items from open menu', async () => { @@ -652,7 +652,7 @@ describe('VCombobox', () => { expect(screen.queryByRole('listbox')).toBeNull() await rerender({ items: ['Foo', 'Bar'] }) - await expect(screen.findByRole('listbox')).resolves.toBeInTheDocument() + await expect(screen.findByRole('listbox')).resolves.toBeVisible() }) // https://github.com/vuetifyjs/vuetify/issues/19346 @@ -662,7 +662,7 @@ describe('VCombobox', () => { }) await userEvent.click(element) - await expect(screen.findByRole('listbox')).resolves.toBeInTheDocument() + await expect(screen.findByRole('listbox')).resolves.toBeVisible() await userEvent.click(screen.getAllByRole('option')[0]) await rerender({ items: ['Foo', 'Bar', 'test'] }) diff --git a/packages/vuetify/src/components/VConfirmEdit/__test__/VConfirmEdit.spec.browser.tsx b/packages/vuetify/src/components/VConfirmEdit/__test__/VConfirmEdit.spec.browser.tsx index 5be730c0c61..2f556d932aa 100644 --- a/packages/vuetify/src/components/VConfirmEdit/__test__/VConfirmEdit.spec.browser.tsx +++ b/packages/vuetify/src/components/VConfirmEdit/__test__/VConfirmEdit.spec.browser.tsx @@ -17,11 +17,11 @@ describe('VConfirmEdit', () => { </VConfirmEdit> )) - expect(screen.getByText('foo')).toBeInTheDocument() + expect(screen.getByText('foo')).toBeVisible() externalModel.value = 'bar' await nextTick() - expect(screen.getByText('bar')).toBeInTheDocument() + expect(screen.getByText('bar')).toBeVisible() }) it("doesn't mutate the original value", async () => { @@ -38,10 +38,10 @@ describe('VConfirmEdit', () => { </VConfirmEdit> )) - expect(screen.getByText('foo')).toBeInTheDocument() + expect(screen.getByText('foo')).toBeVisible() await userEvent.click(screen.getByTestId('push')) - expect(screen.getByText('foo,bar')).toBeInTheDocument() + expect(screen.getByText('foo,bar')).toBeVisible() expect(externalModel.value).toEqual(['foo']) await userEvent.click(screen.getByText('OK')) diff --git a/packages/vuetify/src/components/VDataIterator/__tests__/VDataIterator.spec.browser.tsx b/packages/vuetify/src/components/VDataIterator/__tests__/VDataIterator.spec.browser.tsx index 829b3fcbad6..b6d383e1cbf 100644 --- a/packages/vuetify/src/components/VDataIterator/__tests__/VDataIterator.spec.browser.tsx +++ b/packages/vuetify/src/components/VDataIterator/__tests__/VDataIterator.spec.browser.tsx @@ -36,7 +36,7 @@ describe('VDataIterator', () => { const listItems = screen.getAllByRole('listitem') expect(listItems).toHaveLength(5) - expect.element(listItems[0]).toContain('Frozen Yogurt - 159 calories') - expect.element(listItems[4]).toContain('Gingerbread - 356 calories') + await expect.element(listItems[0]).toHaveTextContent('Frozen Yogurt - 159 calories') + await expect.element(listItems[4]).toHaveTextContent('Gingerbread - 356 calories') }) }) diff --git a/packages/vuetify/src/components/VDataTable/__tests__/VDataTableVirtual.spec.browser.tsx b/packages/vuetify/src/components/VDataTable/__tests__/VDataTableVirtual.spec.browser.tsx index 9d0c0e78509..dd06dcacb03 100644 --- a/packages/vuetify/src/components/VDataTable/__tests__/VDataTableVirtual.spec.browser.tsx +++ b/packages/vuetify/src/components/VDataTable/__tests__/VDataTableVirtual.spec.browser.tsx @@ -37,7 +37,7 @@ describe('VDataTableVirtual', () => { const rows = screen.getAllByRole('row') expect(rows.length).toBeLessThan(items.length) - expect.element(rows[0]).not.toHaveStyle({ height: '0px' }) - expect.element(rows[rows.length - 1]).toHaveStyle({ height: '0px' }) + await expect.element(rows[0]).not.toHaveStyle({ height: '0px' }) + await expect.element(rows[rows.length - 1]).toHaveStyle({ height: '0px' }) }) }) diff --git a/packages/vuetify/src/components/VIcon/__tests__/VIcon.spec.browser.tsx b/packages/vuetify/src/components/VIcon/__tests__/VIcon.spec.browser.tsx index 74c828e877b..698ee433745 100644 --- a/packages/vuetify/src/components/VIcon/__tests__/VIcon.spec.browser.tsx +++ b/packages/vuetify/src/components/VIcon/__tests__/VIcon.spec.browser.tsx @@ -37,7 +37,7 @@ describe('VIcon', () => { )) const svg = screen.getByText('', { selector: '.foo' }) - expect(svg).toBeInTheDocument() + expect(svg).toBeVisible() }) }) @@ -45,7 +45,7 @@ describe('VIcon', () => { render(() => <VIcon icon="svg:M7,10L12,15L17,10H7Z" />) const svg = screen.getByText('', { selector: 'svg' }) - expect(svg).toBeInTheDocument() + expect(svg).toBeVisible() const path = svg.querySelector('path') expect(path).toHaveAttribute('d', 'M7,10L12,15L17,10H7Z') }) diff --git a/packages/vuetify/src/components/VSelect/__tests__/VSelect.spec.browser.tsx b/packages/vuetify/src/components/VSelect/__tests__/VSelect.spec.browser.tsx index 1d07c697a90..479337cfa9c 100644 --- a/packages/vuetify/src/components/VSelect/__tests__/VSelect.spec.browser.tsx +++ b/packages/vuetify/src/components/VSelect/__tests__/VSelect.spec.browser.tsx @@ -4,8 +4,7 @@ import { VForm } from '@/components/VForm' import { VListItem } from '@/components/VList' // Utilities -import { generate, render, screen, userEvent } from '@test' -import { commands } from '@vitest/browser/context' +import { commands, generate, render, screen, userEvent } from '@test' import { cloneVNode, ref } from 'vue' const variants = ['underlined', 'outlined', 'filled', 'solo', 'plain'] as const @@ -525,7 +524,7 @@ describe('VSelect', () => { await userEvent.click(screen.getByTestId('close-chip')) await expect.poll(() => screen.queryByRole('listbox')).toBeNull() await userEvent.click(element) - await expect.poll(() => screen.queryByRole('listbox')).toBeInTheDocument() + await expect.poll(() => screen.queryByRole('listbox')).toBeVisible() await userEvent.keyboard('{Escape}') await expect.poll(() => screen.queryByRole('listbox')).toBeNull() }) @@ -574,7 +573,7 @@ describe('VSelect', () => { expect(screen.queryByRole('listbox')).toBeNull() await rerender({ items: ['Foo', 'Bar'] }) - await expect.poll(() => screen.queryByRole('listbox')).toBeInTheDocument() + await expect.poll(() => screen.queryByRole('listbox')).toBeVisible() }) // https://github.com/vuetifyjs/vuetify/issues/19346 @@ -584,7 +583,7 @@ describe('VSelect', () => { }) await userEvent.click(element) - await expect.poll(() => screen.queryByRole('listbox')).toBeInTheDocument() + await expect.poll(() => screen.queryByRole('listbox')).toBeVisible() await userEvent.click(screen.getAllByRole('option')[0]) await rerender({ items: ['Foo', 'Bar', 'test', 'test 2'] }) @@ -599,10 +598,10 @@ describe('VSelect', () => { )) await userEvent.click(element) - await expect.poll(() => screen.queryByRole('listbox')).toBeInTheDocument() + await expect.poll(() => screen.queryByRole('listbox')).toBeVisible() items.value.push('Bar') - await expect.poll(() => screen.getByText('Bar')).toBeInTheDocument() + await expect.poll(() => screen.getByText('Bar')).toBeVisible() }) it('removes an item', async () => { @@ -612,10 +611,10 @@ describe('VSelect', () => { )) await userEvent.click(element) - await expect.poll(() => screen.queryByRole('listbox')).toBeInTheDocument() + await expect.poll(() => screen.queryByRole('listbox')).toBeVisible() items.value.splice(1, 1) - await expect.element(screen.getByText('Bar')).not.toBeInTheDocument() + await expect.element(screen.getByText('Bar')).not.toBeVisible() }) it('updates an item title', async () => { @@ -625,10 +624,10 @@ describe('VSelect', () => { )) await userEvent.click(element) - await expect.poll(() => screen.queryByRole('listbox')).toBeInTheDocument() + await expect.poll(() => screen.queryByRole('listbox')).toBeVisible() items.value[0].title = 'Bar' - await expect.poll(() => screen.getByText('Bar')).toBeInTheDocument() + await expect.poll(() => screen.getByText('Bar')).toBeVisible() }) }) diff --git a/packages/vuetify/src/composables/__tests__/delay.spec.ts b/packages/vuetify/src/composables/__tests__/delay.spec.ts index adcd8787ff1..60e290028ac 100644 --- a/packages/vuetify/src/composables/__tests__/delay.spec.ts +++ b/packages/vuetify/src/composables/__tests__/delay.spec.ts @@ -2,8 +2,8 @@ import { makeDelayProps, useDelay } from '../delay' // Utilities +import { wait } from '@test' import { mount } from '@vue/test-utils' -import { wait } from '@/../test' describe('delayProps', () => { it('should allow setting default values', () => { diff --git a/packages/vuetify/src/composables/__tests__/display-components.spec.browser.tsx b/packages/vuetify/src/composables/__tests__/display-components.spec.browser.tsx index cea846c10f9..b81c31a3f86 100644 --- a/packages/vuetify/src/composables/__tests__/display-components.spec.browser.tsx +++ b/packages/vuetify/src/composables/__tests__/display-components.spec.browser.tsx @@ -8,8 +8,7 @@ import { VNavigationDrawer } from '@/components/VNavigationDrawer/VNavigationDra import { VSlideGroup } from '@/components/VSlideGroup/VSlideGroup' // Utilities -import { render } from '@test' -import { page } from '@vitest/browser/context' +import { page, render } from '@test' import { ref } from 'vue' // Types diff --git a/packages/vuetify/src/composables/__tests__/display.spec.browser.ts b/packages/vuetify/src/composables/__tests__/display.spec.browser.ts index 5dbc704668e..1023958f97e 100644 --- a/packages/vuetify/src/composables/__tests__/display.spec.browser.ts +++ b/packages/vuetify/src/composables/__tests__/display.spec.browser.ts @@ -2,7 +2,7 @@ import { createDisplay } from '../display' // Utilities -import { page } from '@vitest/browser/context' +import { page } from '@test' const breakpoints = [ 'xs', diff --git a/packages/vuetify/src/composables/__tests__/goto.spec.browser.tsx b/packages/vuetify/src/composables/__tests__/goto.spec.browser.tsx index 9d18526a152..f79b7963e82 100644 --- a/packages/vuetify/src/composables/__tests__/goto.spec.browser.tsx +++ b/packages/vuetify/src/composables/__tests__/goto.spec.browser.tsx @@ -1,6 +1,5 @@ // Utilities -import { render } from '@test' -import { userEvent } from '@testing-library/user-event' +import { render, userEvent } from '@test' import { defineComponent } from 'vue' import { useGoTo } from '../goto' diff --git a/packages/vuetify/src/composables/__tests__/resizeObserver.spec.browser.tsx b/packages/vuetify/src/composables/__tests__/resizeObserver.spec.browser.tsx index 0f04bdc6949..a8caae06b8f 100644 --- a/packages/vuetify/src/composables/__tests__/resizeObserver.spec.browser.tsx +++ b/packages/vuetify/src/composables/__tests__/resizeObserver.spec.browser.tsx @@ -2,8 +2,7 @@ import { useResizeObserver } from '../resizeObserver' // Utilities -import { waitIdle } from '@test' -import { render, screen } from '@testing-library/vue' +import { render, screen, waitIdle } from '@test' describe('resizeObserver', () => { it('calls the callback after mount', async () => { @@ -16,7 +15,7 @@ describe('resizeObserver', () => { }, }) - expect(screen.getByText('foo')).toBeInTheDocument() + expect(screen.getByText('foo')).toBeVisible() await waitIdle() diff --git a/packages/vuetify/src/directives/click-outside/__tests__/click-outside-shadow-dom.spec.ts b/packages/vuetify/src/directives/click-outside/__tests__/click-outside-shadow-dom.spec.ts index 26f6a796843..a07ad0ffc23 100644 --- a/packages/vuetify/src/directives/click-outside/__tests__/click-outside-shadow-dom.spec.ts +++ b/packages/vuetify/src/directives/click-outside/__tests__/click-outside-shadow-dom.spec.ts @@ -2,7 +2,7 @@ import ClickOutside from '../' // Utilities -import { wait } from '@/../test' +import { wait } from '@test' function bootstrap (args?: object) { const outsideEl = document.createElement('div') diff --git a/packages/vuetify/src/directives/click-outside/__tests__/click-outside.spec.ts b/packages/vuetify/src/directives/click-outside/__tests__/click-outside.spec.ts index f86e4fdea3b..96e0eff9f91 100644 --- a/packages/vuetify/src/directives/click-outside/__tests__/click-outside.spec.ts +++ b/packages/vuetify/src/directives/click-outside/__tests__/click-outside.spec.ts @@ -2,7 +2,7 @@ import ClickOutside from '../' // Utilities -import { wait } from '@/../test' +import { wait } from '@test' function bootstrap (args?: object) { const el = document.createElement('div') diff --git a/packages/vuetify/src/directives/touch/__tests__/touch.spec.browser.tsx b/packages/vuetify/src/directives/touch/__tests__/touch.spec.browser.tsx index 849abc0346e..17554b7e078 100644 --- a/packages/vuetify/src/directives/touch/__tests__/touch.spec.browser.tsx +++ b/packages/vuetify/src/directives/touch/__tests__/touch.spec.browser.tsx @@ -2,8 +2,7 @@ import Touch from '../' // Utilities -import { render } from '@testing-library/vue' -import { commands } from '@vitest/browser/context' +import { commands, render } from '@test' import { defineComponent } from 'vue' // Types diff --git a/packages/vuetify/src/labs/VNumberInput/__tests__/VNumberInput.spec.browser.tsx b/packages/vuetify/src/labs/VNumberInput/__tests__/VNumberInput.spec.browser.tsx index cd7a33c1f21..6f6cafaccd8 100644 --- a/packages/vuetify/src/labs/VNumberInput/__tests__/VNumberInput.spec.browser.tsx +++ b/packages/vuetify/src/labs/VNumberInput/__tests__/VNumberInput.spec.browser.tsx @@ -163,17 +163,17 @@ describe('VNumberInput', () => { <VNumberInput min={ 5 } max={ 15 } v-model={ model.value } /> ) - expect.element(screen.getByCSS('input')).toHaveValue('5') + await expect.element(screen.getByCSS('input')).toHaveValue('5') expect(model.value).toBe(5) }) - it('should not bypass max', () => { + it('should not bypass max', async () => { const model = ref(20) render(() => <VNumberInput min={ 5 } max={ 15 } v-model={ model.value } /> ) - expect.element(screen.getByCSS('input')).toHaveValue('15') + await expect.element(screen.getByCSS('input')).toHaveValue('15') expect(model.value).toBe(15) }) @@ -188,19 +188,19 @@ describe('VNumberInput', () => { )) await userEvent.click(screen.getByTestId('increment')) - expect.element(screen.getByCSS('input')).toHaveValue('0.03') + await expect.element(screen.getByCSS('input')).toHaveValue('0.03') expect(model.value).toBe(0.03) await userEvent.click(screen.getByTestId('increment')) - expect.element(screen.getByCSS('input')).toHaveValue('0.06') + await expect.element(screen.getByCSS('input')).toHaveValue('0.06') expect(model.value).toBe(0.06) await userEvent.click(screen.getByTestId('decrement')) - expect.element(screen.getByCSS('input')).toHaveValue('0.03') + await expect.element(screen.getByCSS('input')).toHaveValue('0.03') expect(model.value).toBe(0.03) await userEvent.click(screen.getByTestId('decrement')) - expect.element(screen.getByCSS('input')).toHaveValue('0') + await expect.element(screen.getByCSS('input')).toHaveValue('0.00') expect(model.value).toBe(0) }) }) diff --git a/packages/vuetify/src/labs/VTreeview/__tests__/VTreeview.spec.browser.tsx b/packages/vuetify/src/labs/VTreeview/__tests__/VTreeview.spec.browser.tsx index d2bee933f52..28d7e301df4 100644 --- a/packages/vuetify/src/labs/VTreeview/__tests__/VTreeview.spec.browser.tsx +++ b/packages/vuetify/src/labs/VTreeview/__tests__/VTreeview.spec.browser.tsx @@ -304,9 +304,9 @@ describe.each([ )) await userEvent.click(screen.getByText(/Vuetify/).parentElement!.previousElementSibling!) - expect.element(screen.getByText(/Core/)).toBeVisible() + await expect.element(screen.getByText(/Core/)).toBeVisible() await userEvent.click(screen.getByText(/Vuetify/).parentElement!.previousElementSibling!) - expect.element(screen.getByText(/Core/)).not.toBeVisible() + await expect.element(screen.getByText(/Core/)).not.toBeVisible() }) it('open-all should work', async () => { diff --git a/packages/vuetify/src/locale/adapters/vue-i18n.ts b/packages/vuetify/src/locale/adapters/vue-i18n.ts index 607e4fc61cb..8b25173dd1c 100644 --- a/packages/vuetify/src/locale/adapters/vue-i18n.ts +++ b/packages/vuetify/src/locale/adapters/vue-i18n.ts @@ -74,7 +74,6 @@ export function createVueI18nAdapter ({ i18n, useI18n }: VueI18nAdapterParams): current, fallback, messages, - // @ts-expect-error Type instantiation is excessively deep and possibly infinite t: (key: string, ...params: unknown[]) => i18n.global.t(key, params), n: i18n.global.n, provide: createProvideFunction({ current, fallback, messages, useI18n }), diff --git a/packages/vuetify/test/contextStub.ts b/packages/vuetify/test/contextStub.ts new file mode 100644 index 00000000000..8ebbb948470 --- /dev/null +++ b/packages/vuetify/test/contextStub.ts @@ -0,0 +1,6 @@ +// @vitest/browser/context stub for unit tests to suppress warning +export const page = null +export const server = null +export const userEvent = null +export const cdp = null +export const commands = null diff --git a/packages/vuetify/test/globals.d.ts b/packages/vuetify/test/globals.d.ts index 17b4cf6e93c..00eb7f9c233 100644 --- a/packages/vuetify/test/globals.d.ts +++ b/packages/vuetify/test/globals.d.ts @@ -3,6 +3,7 @@ import type { CustomCommands } from './setup/browser-commands.ts' interface CustomMatchers<R = unknown> { toHaveBeenTipped: () => R toHaveBeenWarned: () => R + toBeOnScreen: () => R } declare module 'vitest' { diff --git a/packages/vuetify/test/index.ts b/packages/vuetify/test/index.ts index 6718d8ccbea..f868242bc54 100644 --- a/packages/vuetify/test/index.ts +++ b/packages/vuetify/test/index.ts @@ -8,7 +8,7 @@ import { aliases } from '../src/iconsets/mdi-svg' import type { RenderOptions, RenderResult } from '@testing-library/vue' import type { VuetifyOptions } from '../src/framework' -export { userEvent } from '@vitest/browser/context' +export { userEvent, page, commands } from '@vitest/browser/context' export { screen } from '@testing-library/vue' export * from './templates' diff --git a/packages/vuetify/test/setup/browser-setup.ts b/packages/vuetify/test/setup/browser-setup.ts index ea3504db1b5..c0fc7bb18c8 100644 --- a/packages/vuetify/test/setup/browser-setup.ts +++ b/packages/vuetify/test/setup/browser-setup.ts @@ -1,6 +1,6 @@ import 'roboto-fontface' import '@/styles/main.sass' -import { beforeEach } from 'vitest' +import { beforeEach, expect } from 'vitest' import { cleanup } from '@testing-library/vue' import { page } from '@vitest/browser/context' @@ -10,3 +10,28 @@ beforeEach(async () => { cleanup() await page.viewport(1280, 800) }) + +expect.extend({ + async toBeOnScreen (received) { + const { isNot } = this + + let visible = true + if (isNot) { + try { + expect(received).not.toBeVisible() + visible = false + } catch (err) {} + } else { + expect(received).toBeVisible() + } + + const rect = visible && received.getBoundingClientRect() + + return { + pass: visible && rect.bottom > 0 && rect.right > 0 && + rect.x <= window.innerWidth && + rect.y <= window.innerHeight, + message: () => `Expected element${isNot ? ' not' : ''} to be visible on screen`, + } + }, +}) diff --git a/packages/vuetify/vitest.config.mts b/packages/vuetify/vitest.config.mts index 18aac633fc7..8d753b27d46 100644 --- a/packages/vuetify/vitest.config.mts +++ b/packages/vuetify/vitest.config.mts @@ -46,7 +46,9 @@ export default defineConfig(configEnv => { test: { watch: false, setupFiles: ['../test/setup/to-have-been-warned.ts'], - reporters: process.env.GITHUB_ACTIONS ? ['basic', 'github-actions'] : [IS_RUN ? 'dot' : 'basic'], + reporters: process.env.GITHUB_ACTIONS + ? [['default', { summary: false }], 'github-actions'] + : [IS_RUN ? 'dot' : ['default', { summary: false }]], coverage: { provider: 'v8', reporter: ['html'], diff --git a/packages/vuetify/vitest.workspace.mts b/packages/vuetify/vitest.workspace.mts index d2a5abc7394..de98fbcf77d 100644 --- a/packages/vuetify/vitest.workspace.mts +++ b/packages/vuetify/vitest.workspace.mts @@ -1,9 +1,16 @@ import { defineWorkspace } from 'vitest/config' import { commands } from './test/setup/browser-commands.ts' +import { fileURLToPath } from 'url' export default defineWorkspace([ { extends: './vitest.config.mts', + resolve: { + alias: { + // Vite logs a warning for this even if we just re-export it without using anything + '@vitest/browser/context': fileURLToPath(new URL('test/contextStub.ts', import.meta.url)), + }, + }, test: { name: 'unit', include: ['**/*.spec.{ts,tsx}'], @@ -18,24 +25,25 @@ export default defineWorkspace([ include: ['**/*.spec.browser.{ts,tsx}'], setupFiles: ['../test/setup/browser-setup.ts'], bail: process.env.TEST_BAIL ? 1 : undefined, + slowTestThreshold: Infinity, browser: { enabled: true, provider: 'webdriverio', - name: 'chrome', ui: false, headless: !process.env.TEST_BAIL, commands, - viewport: { - width: 1280, - height: 800, - }, - providerOptions: { + instances: [{ + browser: 'chrome', capabilities: { 'goog:chromeOptions': { // @ts-ignore args: ['--start-maximized', process.env.TEST_BAIL && '--auto-open-devtools-for-tabs'].filter(v => !!v), }, }, + }], + viewport: { + width: 1280, + height: 800, }, }, }, diff --git a/patches/vue-gtag-next.patch b/patches/vue-gtag-next.patch new file mode 100644 index 00000000000..10ccfc825f8 --- /dev/null +++ b/patches/vue-gtag-next.patch @@ -0,0 +1,13 @@ +diff --git a/vue-gtag-next.d.ts b/vue-gtag-next.d.ts +index 8953d7f756d7347f0c767c188d0aa49e17ec99e2..1d338c7610ee7646e0512964a5f2d8805dd6a544 100644 +--- a/vue-gtag-next.d.ts ++++ b/vue-gtag-next.d.ts +@@ -309,7 +309,7 @@ declare module 'vue-gtag-next' { + static install(app: App, options: Options): void; + } + +- module '@vue/runtime-core' { ++ module 'vue' { + interface ComponentCustomProperties { + $gtag: VueGtag; + } diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml index 1e38b53b906..c5b3bc03392 100644 --- a/pnpm-lock.yaml +++ b/pnpm-lock.yaml @@ -18,6 +18,9 @@ patchedDependencies: '@testing-library/vue': hash: 3limad3b7od6m3nrz2f3jnaixy path: patches/@testing-library__vue.patch + vue-gtag-next: + hash: mkgavjrgdsvimm3nsmkswaflk4 + path: patches/vue-gtag-next.patch importers: @@ -25,16 +28,16 @@ importers: devDependencies: '@babel/cli': specifier: ^7.24.8 - version: 7.24.8(@babel/[email protected]) + version: 7.24.8(@babel/[email protected]) '@babel/core': specifier: ^7.25.2 - version: 7.25.2 + version: 7.26.9 '@babel/preset-env': specifier: ^7.25.3 - version: 7.25.3(@babel/[email protected]) + version: 7.25.3(@babel/[email protected]) '@babel/preset-typescript': specifier: ^7.24.7 - version: 7.24.7(@babel/[email protected]) + version: 7.24.7(@babel/[email protected]) '@mdi/font': specifier: 7.4.47 version: 7.4.47 @@ -55,22 +58,22 @@ importers: version: 7.18.0([email protected])([email protected]) '@unhead/vue': specifier: ^1.9.4 - version: 1.9.4([email protected]([email protected])) + version: 1.9.4([email protected]([email protected])) '@vue/compiler-sfc': - specifier: ^3.4.27 - version: 3.4.27 + specifier: 3.4.38 + version: 3.4.38 '@vue/language-server': specifier: ^2.0.29 version: 2.0.29([email protected]) '@vue/runtime-core': - specifier: ^3.4.27 - version: 3.4.27 + specifier: 3.4.38 + version: 3.4.38 '@vue/runtime-dom': - specifier: ^3.4.27 - version: 3.4.27 + specifier: 3.4.38 + version: 3.4.38 '@vueuse/head': specifier: ^1.3.1 - version: 1.3.1([email protected]([email protected])) + version: 1.3.1([email protected]([email protected])) babel-eslint: specifier: ^10.1.0 version: 10.1.0([email protected]) @@ -84,8 +87,8 @@ importers: specifier: ^3.1.5 version: 3.1.5 cross-spawn: - specifier: ^7.0.3 - version: 7.0.3 + specifier: ^7.0.6 + version: 7.0.6 eslint: specifier: ^8.57.0 version: 8.57.0 @@ -118,10 +121,10 @@ importers: version: 9.24.1([email protected]) eslint-plugin-vuetify: specifier: ^2.3.0 - version: 2.3.0([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))) + version: 2.3.0([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))) glob: - specifier: ^11.0.0 - version: 11.0.0 + specifier: ^11.0.1 + version: 11.0.1 husky: specifier: ^3.1.0 version: 3.1.0 @@ -129,11 +132,11 @@ importers: specifier: ^6.5.2 version: 6.5.2 lerna: - specifier: ^8.1.7 - version: 8.1.7([email protected]) + specifier: ^8.1.9 + version: 8.1.9([email protected]) magic-string: specifier: ^0.30.9 - version: 0.30.11 + version: 0.30.17 mkdirp: specifier: ^3.0.1 version: 3.0.1 @@ -165,20 +168,20 @@ importers: specifier: ^2.0.1 version: 2.0.1 vite-plugin-inspect: - specifier: ^0.8.3 - version: 0.8.3([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + specifier: 10.2.1 + version: 10.2.1([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) vite-plugin-warmup: specifier: ^0.1.0 - version: 0.1.0([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + version: 0.1.0([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) vue: - specifier: ^3.4.27 - version: 3.4.27([email protected]) + specifier: 3.4.38 + version: 3.4.38([email protected]) vue-analytics: specifier: ^5.16.1 version: 5.22.1 vue-router: - specifier: ^4.3.0 - version: 4.3.0([email protected]([email protected])) + specifier: ^4.5.0 + version: 4.5.0([email protected]([email protected])) vue-tsc: specifier: ^2.0.29 version: 2.0.29([email protected]) @@ -204,8 +207,8 @@ importers: specifier: ^4.7.2 version: 4.7.2 vue: - specifier: ^3.4.27 - version: 3.4.27([email protected]) + specifier: 3.4.38 + version: 3.4.38([email protected]) vuetify: specifier: workspace:* version: link:../vuetify @@ -233,19 +236,19 @@ importers: version: 1.0.11 '@sentry/vue': specifier: ^9.0.1 - version: 9.0.1([email protected]([email protected])([email protected]([email protected])))([email protected]([email protected])) + version: 9.0.1([email protected]([email protected])([email protected]([email protected])))([email protected]([email protected])) '@vue/compiler-dom': - specifier: ^3.4.27 - version: 3.4.27 + specifier: 3.4.38 + version: 3.4.38 '@vuelidate/core': specifier: ^2.0.3 - version: 2.0.3([email protected]([email protected])) + version: 2.0.3([email protected]([email protected])) '@vuelidate/validators': specifier: ^2.0.4 - version: 2.0.4([email protected]([email protected])) + version: 2.0.4([email protected]([email protected])) '@vuetify/one': specifier: ^1.9.5 - version: 1.9.5(@mdi/[email protected](patch_hash=wt4lkgr52gphla2wb445bnli3i))([email protected])([email protected]([email protected]))(vuetify@packages+vuetify) + version: 1.9.5(@mdi/[email protected](patch_hash=wt4lkgr52gphla2wb445bnli3i))([email protected])([email protected]([email protected]))(vuetify@packages+vuetify) algoliasearch: specifier: ^4.23.3 version: 4.23.3 @@ -259,8 +262,8 @@ importers: specifier: ^4.17.21 version: 4.17.21 pinia: - specifier: ^2.1.7 - version: 2.1.7([email protected])([email protected]([email protected])) + specifier: ^3.0.1 + version: 3.0.1([email protected])([email protected]([email protected])) prism-theme-vars: specifier: ^0.2.4 version: 0.2.4 @@ -275,19 +278,19 @@ importers: version: 3.5.0 vee-validate: specifier: ^4.12.6 - version: 4.12.6([email protected]([email protected])) + version: 4.12.6([email protected]([email protected])) vue: - specifier: ^3.4.27 - version: 3.4.27([email protected]) + specifier: 3.4.38 + version: 3.4.38([email protected]) vue-gtag-next: specifier: ^1.14.0 - version: 1.14.0([email protected]([email protected])) + version: 1.14.0(patch_hash=mkgavjrgdsvimm3nsmkswaflk4)([email protected]([email protected])) vue-i18n: - specifier: ^9.11.0 - version: 9.11.1([email protected]([email protected])) + specifier: ^11.1.1 + version: 11.1.1([email protected]([email protected])) vue-instantsearch: specifier: ^4.16.1 - version: 4.16.1(@vue/[email protected]([email protected]([email protected])))([email protected])([email protected]([email protected])) + version: 4.16.1(@vue/[email protected]([email protected]([email protected])))([email protected])([email protected]([email protected])) vue-prism-component: specifier: ^2.0.0 version: 2.0.0 @@ -297,16 +300,16 @@ importers: devDependencies: '@babel/generator': specifier: ^7.25.0 - version: 7.25.0 + version: 7.26.9 '@babel/types': specifier: ^7.25.2 - version: 7.25.6 + version: 7.26.9 '@emailjs/browser': specifier: ^4.3.3 version: 4.3.3 '@intlify/unplugin-vue-i18n': - specifier: ^4.0.0 - version: 4.0.0([email protected])([email protected]([email protected]([email protected]))) + specifier: ^6.0.3 + version: 6.0.3(@vue/[email protected])([email protected])([email protected])([email protected])([email protected]([email protected]([email protected])))([email protected]([email protected])) '@mdi/js': specifier: 7.4.47 version: 7.4.47(patch_hash=wt4lkgr52gphla2wb445bnli3i) @@ -332,20 +335,20 @@ importers: specifier: ^1.26.3 version: 1.26.3 '@vitejs/plugin-basic-ssl': - specifier: ^1.1.0 - version: 1.1.0([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + specifier: ^1.2.0 + version: 1.2.0([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) '@vitejs/plugin-vue': - specifier: ^5.0.4 - version: 5.0.4([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])) + specifier: ^5.2.1 + version: 5.2.1([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])) '@vue/compiler-sfc': - specifier: ^3.4.27 - version: 3.4.27 + specifier: 3.4.38 + version: 3.4.38 '@vuetify/api-generator': specifier: workspace:* version: link:../api-generator '@yankeeinlondon/builder-api': specifier: ^1.4.1 - version: 1.4.1(@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + version: 1.4.1(@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) ajv: specifier: ^8.12.0 version: 8.17.1 @@ -404,32 +407,32 @@ importers: specifier: ^0.39.0 version: 0.39.0 unplugin-auto-import: - specifier: 0.17.5 - version: 0.17.5([email protected]) + specifier: 19.1.0 + version: 19.1.0 unplugin-fonts: - specifier: 1.0.3 - version: 1.0.3([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + specifier: 1.3.1 + version: 1.3.1([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) unplugin-vue-components: specifier: ^0.27.4 - version: 0.27.4(@babel/[email protected])([email protected])([email protected]([email protected])) + version: 0.27.4(@babel/[email protected])([email protected])([email protected]([email protected])) vite: - specifier: ^5.4.3 - version: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + specifier: ^6.1.0 + version: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) vite-plugin-md: specifier: ^0.21.5 - version: 0.21.5([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + version: 0.21.5([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) vite-plugin-pages: - specifier: ^0.32.1 - version: 0.32.1(@vue/[email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + specifier: ^0.32.4 + version: 0.32.4(@vue/[email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]([email protected]))) vite-plugin-pwa: - specifier: ^0.17.4 - version: 0.17.5(@types/[email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + specifier: ^0.21.1 + version: 0.21.1(@types/[email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) vite-plugin-vue-layouts: specifier: ^0.11.0 - version: 0.11.0([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]([email protected])))([email protected]([email protected])) + version: 0.11.0([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]([email protected])))([email protected]([email protected])) vite-plugin-vuetify: specifier: ^2.1.0 - version: 2.1.0([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))(vuetify@packages+vuetify) + version: 2.1.0([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))(vuetify@packages+vuetify) vue-tsc: specifier: ^2.0.29 version: 2.0.29([email protected]) @@ -456,7 +459,10 @@ importers: version: 6.5.2 '@fortawesome/vue-fontawesome': specifier: ^3.0.6 - version: 3.0.6(@fortawesome/[email protected])([email protected]([email protected])) + version: 3.0.6(@fortawesome/[email protected])([email protected]([email protected])) + '@intlify/devtools-types': + specifier: ^11.1.1 + version: 11.1.1 '@percy/cli': specifier: ^1.29.3 version: 1.29.3([email protected]) @@ -465,25 +471,25 @@ importers: version: 1.29.3 '@rollup/plugin-alias': specifier: ^5.1.0 - version: 5.1.0([email protected]) + version: 5.1.0([email protected]) '@rollup/plugin-babel': specifier: ^6.0.4 - version: 6.0.4(@babel/[email protected])(@types/[email protected])([email protected]) + version: 6.0.4(@babel/[email protected])(@types/[email protected])([email protected]) '@rollup/plugin-node-resolve': specifier: ^15.2.3 - version: 15.2.3([email protected]) + version: 15.2.3([email protected]) '@rollup/plugin-typescript': specifier: ^11.1.6 - version: 11.1.6([email protected])([email protected])([email protected]) + version: 11.1.6([email protected])([email protected])([email protected]) '@testing-library/dom': specifier: npm:@vuetify/[email protected] version: '@vuetify/[email protected]' '@testing-library/user-event': specifier: ^14.5.2 - version: 14.5.2(@vuetify/[email protected]) + version: 14.6.1(@vuetify/[email protected]) '@testing-library/vue': specifier: ^8.1.0 - version: 8.1.0(patch_hash=3limad3b7od6m3nrz2f3jnaixy)(@vue/[email protected])([email protected]([email protected])) + version: 8.1.0(patch_hash=3limad3b7od6m3nrz2f3jnaixy)(@vue/[email protected])([email protected]([email protected])) '@types/node': specifier: 22.5.4 version: 22.5.4 @@ -491,38 +497,38 @@ importers: specifier: ^0.1.11 version: 0.1.11 '@vitejs/plugin-vue': - specifier: ^5.0.4 - version: 5.0.4([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])) + specifier: ^5.2.1 + version: 5.2.1([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])) '@vitejs/plugin-vue-jsx': - specifier: ^3.1.0 - version: 3.1.0([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])) + specifier: ^4.1.1 + version: 4.1.1([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])) '@vitest/browser': - specifier: ^2.1.1 - version: 2.1.1([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected])) + specifier: ^3.0.5 + version: 3.0.5(@types/[email protected])([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected])) '@vitest/coverage-v8': - specifier: ^2.1.1 - version: 2.1.1(@vitest/[email protected]([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected])))([email protected](@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected]([email protected]))([email protected])([email protected])([email protected])) + specifier: ^3.0.5 + version: 3.0.5(@vitest/[email protected](@types/[email protected])([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected])))([email protected](@types/[email protected])(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected](@types/[email protected])([email protected]))([email protected])([email protected])([email protected])([email protected])) '@vitest/ui': - specifier: ^2.1.1 - version: 2.1.1([email protected]) + specifier: ^3.0.5 + version: 3.0.5([email protected]) '@vue/babel-plugin-jsx': - specifier: ^1.2.2 - version: 1.2.2(@babel/[email protected]) + specifier: ^1.2.5 + version: 1.2.5(@babel/[email protected]) '@vue/shared': - specifier: ^3.4.27 - version: 3.4.27 + specifier: 3.4.38 + version: 3.4.38 '@vue/test-utils': - specifier: 2.4.6 + specifier: ^2.4.6 version: 2.4.6 acorn-walk: specifier: ^8.3.2 version: 8.3.2 autoprefixer: specifier: ^10.4.19 - version: 10.4.19([email protected]) + version: 10.4.19([email protected]) babel-plugin-add-import-extension: specifier: 1.5.1 - version: 1.5.1(@babel/[email protected]) + version: 1.5.1(@babel/[email protected]) babel-plugin-module-resolver: specifier: ^5.0.0 version: 5.0.0 @@ -537,7 +543,7 @@ importers: version: 8.2.2 cssnano: specifier: ^6.1.2 - version: 6.1.2([email protected]) + version: 6.1.2([email protected]) csstype: specifier: ^3.1.3 version: 3.1.3 @@ -550,12 +556,9 @@ importers: dotenv: specifier: ^16.4.5 version: 16.4.5 - eslint-plugin-jest: - specifier: ^28.7.0 - version: 28.7.0(@typescript-eslint/[email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected]))([email protected])([email protected](@types/[email protected]))([email protected]) eslint-plugin-vitest: specifier: 0.4.1 - version: 0.4.1(@typescript-eslint/[email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected]))([email protected])([email protected])([email protected](@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected]([email protected]))([email protected])([email protected])([email protected])) + version: 0.4.1(@typescript-eslint/[email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected]))([email protected])([email protected])([email protected](@types/[email protected])(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected](@types/[email protected])([email protected]))([email protected])([email protected])([email protected])([email protected])) expect: specifier: ^28.1.3 version: 28.1.3 @@ -573,52 +576,55 @@ importers: version: 4.0.8 postcss: specifier: ^8.4.38 - version: 8.4.45 + version: 8.5.2 roboto-fontface: specifier: ^0.10.0 version: 0.10.0 rollup: - specifier: ^3.20.7 - version: 3.29.4 + specifier: ^4.34.8 + version: 4.34.8 rollup-plugin-dts: specifier: ^6.1.0 - version: 6.1.0([email protected])([email protected]) + version: 6.1.0([email protected])([email protected]) rollup-plugin-sass: specifier: ^1.12.21 - version: 1.12.21([email protected]) + version: 1.12.21([email protected]) rollup-plugin-sourcemaps: specifier: ^0.6.3 - version: 0.6.3(@types/[email protected])([email protected]) + version: 0.6.3(@types/[email protected])([email protected]) rollup-plugin-terser: specifier: ^7.0.2 - version: 7.0.2([email protected]) + version: 7.0.2([email protected]) timezone-mock: specifier: ^1.3.6 version: 1.3.6 unplugin-auto-import: - specifier: 0.17.5 - version: 0.17.5([email protected]) + specifier: 19.1.0 + version: 19.1.0 unplugin-vue-components: specifier: ^0.27.4 - version: 0.27.4(@babel/[email protected])([email protected])([email protected]([email protected])) + version: 0.27.4(@babel/[email protected])([email protected])([email protected]([email protected])) upath: specifier: ^2.0.1 version: 2.0.1 vite: - specifier: ^5.4.3 - version: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + specifier: ^6.1.0 + version: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) vite-ssr: specifier: ^0.17.1 - version: 0.17.1(@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))(@vueuse/[email protected]([email protected]([email protected])))([email protected])([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]([email protected])))([email protected]([email protected])) + version: 0.17.1(@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))(@vueuse/[email protected]([email protected]([email protected])))([email protected])([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]([email protected])))([email protected]([email protected])) vitest: - specifier: ^2.1.1 - version: 2.1.1(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected]([email protected]))([email protected])([email protected])([email protected]) + specifier: ^3.0.5 + version: 3.0.5(@types/[email protected])(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected](@types/[email protected])([email protected]))([email protected])([email protected])([email protected])([email protected]) + vue: + specifier: 3.4.38 + version: 3.4.38([email protected]) vue-i18n: - specifier: ^9.7.1 - version: 9.11.1([email protected]([email protected])) + specifier: ^11.1.1 + version: 11.1.1([email protected]([email protected])) vue-router: specifier: ^4.3.0 - version: 4.3.0([email protected]([email protected])) + version: 4.5.0([email protected]([email protected])) webdriverio: specifier: ^8.40.5 version: 8.40.5([email protected]) @@ -700,36 +706,36 @@ packages: '@babel/[email protected]': resolution: {integrity: sha512-Zt1yodBx1UcyiePMSkWnU4hPqhwq7hGi2nFL1LeA3EUl+q2LQx16MISgJ0+z7dnmgvP9QtIleuETGOiOH1RcIw==} - '@babel/[email protected]': - resolution: {integrity: sha512-BcYH1CVJBO9tvyIZ2jVeXgSIMvGZ2FDRvDdOIVQyuklNKSsx+eppDEBq/g47Ayw+RqNFE+URvOShmf+f/qwAlA==} + '@babel/[email protected]': + resolution: {integrity: sha512-RJlIHRueQgwWitWgF8OdFYGZX328Ax5BCemNGlqHfplnRT9ESi8JkFlvaVYbS+UubVY6dpv87Fs2u5M29iNFVQ==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-bYcppcpKBvX4znYaPEeFau03bp89ShqNMLs+rmdptMw+heSZh9+z84d2YG+K7cYLbWwzdjtDoW/uqZmPjulClQ==} + '@babel/[email protected]': + resolution: {integrity: sha512-oH5UPLMWR3L2wEFLnFJ1TZXqHufiTKAiLfqw5zkhS4dKXLJ10yVztfil/twG8EDTA4F/tvVNw9nOl4ZMslB8rQ==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-BBt3opiCOxUr9euZ5/ro/Xv8/V7yJ5bjYMqG/C1YAo8MIKAnumZalCN+msbci3Pigy4lIQfPUpfMM27HMGaYEA==} + '@babel/[email protected]': + resolution: {integrity: sha512-lWBYIrF7qK5+GjY5Uy+/hEgp8OJWOD/rpy74GplYRhEauvbHDeFB8t5hPOZxCZ0Oxf4Cc36tK51/l3ymJysrKw==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-3LEEcj3PVW8pW2R1SR1M89g/qrYk/m/mB/tLqn7dn4sbBUQyTqnlod+II2U4dqiGtUmkcnAmkMDralTFZttRiw==} + '@babel/[email protected]': + resolution: {integrity: sha512-kEWdzjOAUMW4hAyrzJ0ZaTOu9OmpyDIQicIh0zg0EEcEkYXZb2TjtBhnHi2ViX7PKwZqF4xwqfAm299/QMP3lg==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-BaDeOonYvhdKw+JoMVkAixAAJzG2jVPIwWoKBPdYuY9b452e2rPuI9QPYh3KpofZ3pW2akOmwZLOiOsHMiqRAg==} + '@babel/[email protected]': + resolution: {integrity: sha512-gv7320KBUFJz1RnylIg5WWYPRXKZ884AGkYpgpWW02TH66Dl+HaC1t1CKd0z3R4b6hdYEcmrNZHUmfCP+1u3/g==} engines: {node: '>=6.9.0'} '@babel/[email protected]': resolution: {integrity: sha512-xZeCVVdwb4MsDBkkyZ64tReWYrLRHlMN72vP7Bdm3OUOuyFZExhsHUUnuWnm2/XOlAJzR0LfPpB56WXZn0X/lA==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-U2U5LsSaZ7TAt3cfaymQ8WHh0pxvdHoEk6HVpaexxixjyEquMh0L0YNJNM6CTGKMXV1iksi0iZkGw4AcFkPaaw==} + '@babel/[email protected]': + resolution: {integrity: sha512-IXuyn5EkouFJscIDuFF5EsiSolseme1s0CZB+QxVugqJLYmKdxI1VfIBOst0SUu4rnk2Z7kqTwmoO1lp3HIfnA==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-GYM6BxeQsETc9mnct+nIIpf63SAyzvyYN7UB/IlTyd+MBg06afFGp0mIeUqGyWgS2mxad6vqbMrHVlaL3m70sQ==} + '@babel/[email protected]': + resolution: {integrity: sha512-ubbUqCofvxPRurw5L8WTsCLSkQiVpov4Qx0WMA+jUN+nXBK8ADPlJO1grkFw5CWKC5+sZSOfuGMdX1aI1iT9Sg==} engines: {node: '>=6.9.0'} peerDependencies: '@babel/core': ^7.0.0 @@ -745,30 +751,26 @@ packages: peerDependencies: '@babel/core': ^7.4.0 || ^8.0.0-0 <8.0.0 - '@babel/[email protected]': - resolution: {integrity: sha512-LABppdt+Lp/RlBxqrh4qgf1oEH/WxdzQNDJIu5gC/W1GyvPVrOBiItmmM8wan2fm4oYqFuFfkXmlGpLQhPY8CA==} - engines: {node: '>=6.9.0'} - - '@babel/[email protected]': - resolution: {integrity: sha512-0pYVBnDKZO2fnSPCrgM/6WMc7eS20Fbok+0r88fp+YtWVLZrp4CkafFGIp+W0VKw4a22sgebPT99y+FDNMdP4w==} + '@babel/[email protected]': + resolution: {integrity: sha512-wbfdZ9w5vk0C0oyHqAJbc62+vet5prjj01jjJ8sKn3j9h3MQQlflEdXYvuqRWjHnM12coDEqiC1IRCi0U/EKwQ==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-8AyH3C+74cgCVVXow/myrynrAGv+nTVg5vKu2nZph9x7RcRwzmh0VFallJuFTZ9mx6u4eSdXZfcOzSqTUm0HCA==} + '@babel/[email protected]': + resolution: {integrity: sha512-tnUA4RsrmflIM6W6RFTLFSXITtl0wKjgpnLgXyowocVPrbYrLUXSBXDgTs8BlbmIzIdlBySRQjINYs2BAkiLtw==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-BjyRAbix6j/wv83ftcVJmBt72QtHI56C7JXZoG2xATiLpmoC7dpd8WnkikExHDVPpi/3qCmO6WY1EaXOluiecQ==} + '@babel/[email protected]': + resolution: {integrity: sha512-xO+xu6B5K2czEnQye6BHA7DolFFmS3LB7stHZFaOLb1pAwO1HWLS8fXA+eh0A2yIvltPVmx3eNNDBJA2SLHXFw==} engines: {node: '>=6.9.0'} peerDependencies: '@babel/core': ^7.0.0 - '@babel/[email protected]': - resolution: {integrity: sha512-jKiTsW2xmWwxT1ixIdfXUZp+P5yURx2suzLZr5Hi64rURpDYdMW0pv+Uf17EYk2Rd428Lx4tLsnjGJzYKDM/6A==} + '@babel/[email protected]': + resolution: {integrity: sha512-FIpuNaz5ow8VyrYcnXQTDRGvV6tTjkNtCK/RYNDXGSLlUD6cBuQTSw43CShGxjvfBTfcUA/r6UhUCbtYqkhcuQ==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-FFWx5142D8h2Mgr/iPVGH5G7w6jDn4jUSpZTyDnQO0Yn7Ks2Kuz6Pci8H6MPCoUJegd/UZQ3tAvfLCxQSnWWwg==} + '@babel/[email protected]': + resolution: {integrity: sha512-RS+jZcRdZdRFzMyr+wcsaqOmld1/EqTghfaBGQQd/WnRdzdlvSZ//kF7U8VQTxf1ynZ4cjUcYgjVGx13ewNPMg==} engines: {node: '>=6.9.0'} '@babel/[email protected]': @@ -777,8 +779,8 @@ packages: peerDependencies: '@babel/core': ^7.0.0 - '@babel/[email protected]': - resolution: {integrity: sha512-q688zIvQVYtZu+i2PsdIu/uWGRpfxzr5WESsfpShfZECkO+d2o+WROWezCi/Q6kJ0tfPa5+pUGUlfx2HhrA3Bg==} + '@babel/[email protected]': + resolution: {integrity: sha512-bJ6iIVdYX1YooY2X7w1q6VITt+LnUILtNk7zT78ykuwStx8BauCzxvFqFaHjOpW1bVnSUM1PN1f0p5P21wHxvg==} engines: {node: '>=6.9.0'} peerDependencies: '@babel/core': ^7.0.0 @@ -787,36 +789,36 @@ packages: resolution: {integrity: sha512-zBAIvbCMh5Ts+b86r/CjU+4XGYIs+R1j951gxI3KmmxBMhCg4oQMsv6ZXQ64XOm/cvzfU1FmoCyt6+owc5QMYg==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-IO+DLT3LQUElMbpzlatRASEyQtfhSE0+m465v++3jyyXeBTBUjtVZg28/gHeV5mrTJqvEKhKroBGAvhW+qPHiQ==} + '@babel/[email protected]': + resolution: {integrity: sha512-K4Du3BFa3gvyhzgPcntrkDgZzQaq6uozzcpGbOO1OEJaI+EJdqWIMTLgFgQf6lrfiDFo5FU+BxKepI9RmZqahA==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-pO9KhhRcuUyGnJWwyEgnRJTSIZHiT+vMD0kPeD+so0l7mxkMT19g3pjY9GTnHySck/hDzq+dtW/4VgnMkippsQ==} + '@babel/[email protected]': + resolution: {integrity: sha512-4A/SCr/2KLd5jrtOMFzaKjVtAei3+2r/NChoBNoZ3EyP/+GlhoaEGoWOZUmFmoITP7zOJyHIMm+DYRd8o3PvHA==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-rR+PBcQ1SMQDDyF6X0wxtG8QyLCgUB0eRAGguqRLfkCA87l7yAP7ehq8SNj96OOGTO8OBV70KhuFYcIkHXOg0w==} + '@babel/[email protected]': + resolution: {integrity: sha512-Ed61U6XJc3CVRfkERJWDz4dJwKe7iLmmJsbOGu9wSloNSFttHV0I8g6UAgb7qnK5ly5bGLPd4oXZlxCdANBOWQ==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-xb8t9tD1MHLungh/AIoWYN+gVHaB9kwlu8gffXGSt3FFEIT7RjS+xWbc2vUD1UTZdIpKj/ab3rdqJ7ufngyi2Q==} + '@babel/[email protected]': + resolution: {integrity: sha512-e/zv1co8pp55dNdEcCynfj9X7nyUKUXoUEwfXqaZt0omVOmDe9oOTdKStH4GmAw6zxMFs50ZayuMfHDKlO7Tfw==} engines: {node: '>=6.9.0'} '@babel/[email protected]': resolution: {integrity: sha512-s6Q1ebqutSiZnEjaofc/UKDyC4SbzV5n5SrA2Gq8UawLycr3i04f1dX4OzoQVnexm6aOCh37SQNYlJ/8Ku+PMQ==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-MjgLZ42aCm0oGjJj8CtSM3DB8NOOf8h2l7DCTePJs29u+v7yO/RBX9nShlKMgFnRks/Q4tBAe7Hxnov9VkGwLw==} + '@babel/[email protected]': + resolution: {integrity: sha512-Mz/4+y8udxBKdmzt/UjPACs4G3j5SshJJEFFKxlCGPydG4JAHXxjWjAwjd09tf6oINvl1VfMJo+nB7H2YKQ0dA==} engines: {node: '>=6.9.0'} '@babel/[email protected]': resolution: {integrity: sha512-EStJpq4OuY8xYfhGVXngigBJRWxftKX9ksiGDnmlY3o7B/V7KIAc9X4oiK87uPJSc/vs5L869bem5fhZa8caZw==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-trGdfBdbD0l1ZPmcJ83eNxB9rbEax4ALFTF7fN386TMYbeCQbyme5cOEXQhbGXKebwGaB/J52w1mrklMcbgy6Q==} + '@babel/[email protected]': + resolution: {integrity: sha512-81NWa1njQblgZbQHxWHpxxCzNsa3ZwvFqpUg7P+NNUU6f3UU2jBEg4OlF/J6rl8+PQGh1q6/zWScd001YwcA5A==} engines: {node: '>=6.0.0'} hasBin: true @@ -957,8 +959,8 @@ packages: peerDependencies: '@babel/core': ^7.0.0-0 - '@babel/[email protected]': - resolution: {integrity: sha512-c/+fVeJBB0FeKsFvwytYiUD+LBvhHjGSI0g446PRGdSVGZLRNArBUno2PETbAly3tpiNAQR5XaZ+JslxkotsbA==} + '@babel/[email protected]': + resolution: {integrity: sha512-hjMgRy5hb8uJJjUcdWunWVcoi9bGpJp8p5Ol1229PoN6aytsLwNMgmdftO23wnCLMfVmTwZDWMPNq/D1SY60JQ==} engines: {node: '>=6.9.0'} peerDependencies: '@babel/core': ^7.0.0-0 @@ -1239,8 +1241,8 @@ packages: peerDependencies: '@babel/core': ^7.0.0-0 - '@babel/[email protected]': - resolution: {integrity: sha512-lBwRvjSmqiMYe/pS0+1gggjJleUJi7NzjvQ1Fkqtt69hBa/0t1YuW/MLQMAPixfwaQOHUXsd6jeU3Z+vdGv3+A==} + '@babel/[email protected]': + resolution: {integrity: sha512-bME5J9AC8ChwA7aEPJ6zym3w7aObZULHhbNLU0bKUhKsAkylkzUdq+0kdymh9rzi8nlNFl2bmldFBCKNJBUpuw==} engines: {node: '>=6.9.0'} peerDependencies: '@babel/core': ^7.0.0-0 @@ -1293,26 +1295,30 @@ packages: resolution: {integrity: sha512-dkxf7+hn8mFBwKjs9bvBlArzLVxVbS8usaPUDd5p2a9JCL9tB8OaOVN1isD4+Xyk4ns89/xeOmbQvgdK7IIVdA==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-aOOgh1/5XzKvg1jvVz7AVrx2piJ2XBi227DHmbY6y+bM9H2FlN+IfecYu4Xl0cNiiVejlsCri89LUsbj8vJD9Q==} + '@babel/[email protected]': + resolution: {integrity: sha512-qyRplbeIpNZhmzOysF/wFMuP9sctmh2cFzRAZOn1YapxBsE1i9bJIY586R/WBLfLcmcBlM8ROBiQURnnNy+zfA==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-HefgyP1x754oGCsKmV5reSmtV7IXj/kpaE1XYY+D9G5PvKKoFfSbiS4M77MdjuwlZKDIKFCffq9rPU+H/s3ZdQ==} + '@babel/[email protected]': + resolution: {integrity: sha512-ZYW7L+pL8ahU5fXmNbPF+iZFHCv5scFak7MZ9bwaRPLUhHh7QQEMjZUg0HevihoqCM5iSYHN61EyCoZvqC+bxg==} engines: {node: '>=6.9.0'} - '@babel/[email protected]': - resolution: {integrity: sha512-/l42B1qxpG6RdfYf343Uw1vmDjeNhneUXtzhojE7pDgfpEypmRhI6j1kr17XCVv4Cgl9HdAiQY2x0GwKm7rWCw==} + '@babel/[email protected]': + resolution: {integrity: sha512-Y3IR1cRnOxOCDvMmNiym7XpXQ93iGDDPHx+Zj+NM+rg0fBaShfQLkg+hKPaZCEvg5N/LeCo4+Rj/i3FuJsIQaw==} engines: {node: '>=6.9.0'} '@bcoe/[email protected]': resolution: {integrity: sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw==} + '@bcoe/[email protected]': + resolution: {integrity: sha512-6zABk/ECA/QYSCQ1NGiVwwbQerUCZ+TQbp64Q3AgmfNvurHH0j8TtXa1qbShXA6qqkpAj4V5W8pP6mLe1mcMqA==} + engines: {node: '>=18'} + '@bufbuild/[email protected]': resolution: {integrity: sha512-+imAQkHf7U/Rwvu0wk1XWgsP3WnpCWmK7B48f0XqSNzgk64+grljTKC7pnO/xBiEMUziF7vKRfbBnOQhg126qQ==} - '@bundled-es-modules/[email protected]': - resolution: {integrity: sha512-Or6YHg/kamKHpxULAdSqhGqnWFneIXu1NKvvfBBzKGwpVsYuFIQ5aBPHDnnoR3ghW1nvSkALd+EF9iMtY7Vjxw==} + '@bundled-es-modules/[email protected]': + resolution: {integrity: sha512-8o+5fRPLNbjbdGRRmJj3h6Hh1AQJf2dk3qQ/5ZFb+PXkRNiSoMGGUKlsgLfrxneb72axVJyIYji64E2+nNfYyw==} '@bundled-es-modules/[email protected]': resolution: {integrity: sha512-yn7BklA5acgcBr+7w064fGV+SGIFySjCKpqjcWgBAIfrAkY+4GQTJJHQMeT3V/sgz23VTEVV8TtOmkvJAhFVfg==} @@ -1382,9 +1388,9 @@ packages: cpu: [ppc64] os: [aix] - '@esbuild/[email protected]': - resolution: {integrity: sha512-1SDgH6ZSPTlggy1yI6+Dbkiz8xzpHJEVAlF/AM1tHPLsf5STom9rwtjE4hKAF20FfXXNTFqEYXyJNWh1GiZedQ==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-thpVCb/rhxE/BnMLQ7GReQLLN8q9qbHmI55F4489/ByVg2aQaQ6kbcLb6FHkocZzQhxc4gx0sCk0tJkKBFzDhA==} + engines: {node: '>=18'} cpu: [ppc64] os: [aix] @@ -1394,9 +1400,9 @@ packages: cpu: [arm64] os: [android] - '@esbuild/[email protected]': - resolution: {integrity: sha512-c0uX9VAUBQ7dTDCjq+wdyGLowMdtR/GoC2U5IYk/7D1H1JYC0qseD7+11iMP2mRLN9RcCMRcjC4YMclCzGwS/A==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-cNLgeqCqV8WxfcTIOeL4OAtSmL8JjcN6m09XIgro1Wi7cF4t/THaWEa7eL5CMoMBdjoHOTh/vwTO/o2TRXIyzg==} + engines: {node: '>=18'} cpu: [arm64] os: [android] @@ -1406,9 +1412,9 @@ packages: cpu: [arm] os: [android] - '@esbuild/[email protected]': - resolution: {integrity: sha512-vCPvzSjpPHEi1siZdlvAlsPxXl7WbOVUBBAowWug4rJHb68Ox8KualB+1ocNvT5fjv6wpkX6o/iEpbDrf68zcg==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-tmwl4hJkCfNHwFB3nBa8z1Uy3ypZpxqxfTQOcHX+xRByyYgunVbZ9MzUUfb0RxaHIMnbHagwAxuTL+tnNM+1/Q==} + engines: {node: '>=18'} cpu: [arm] os: [android] @@ -1418,9 +1424,9 @@ packages: cpu: [x64] os: [android] - '@esbuild/[email protected]': - resolution: {integrity: sha512-D7aPRUUNHRBwHxzxRvp856rjUHRFW1SdQATKXH2hqA0kAZb1hKmi02OpYRacl0TxIGz/ZmXWlbZgjwWYaCakTA==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-B6Q0YQDqMx9D7rvIcsXfmJfvUYLoP722bgfBlO5cGvNVb5V/+Y7nhBE3mHV9OpxBf4eAS2S68KZztiPaWq4XYw==} + engines: {node: '>=18'} cpu: [x64] os: [android] @@ -1430,9 +1436,9 @@ packages: cpu: [arm64] os: [darwin] - '@esbuild/[email protected]': - resolution: {integrity: sha512-DwqXqZyuk5AiWWf3UfLiRDJ5EDd49zg6O9wclZ7kUMv2WRFr4HKjXp/5t8JZ11QbQfUS6/cRCKGwYhtNAY88kQ==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-kj3AnYWc+CekmZnS5IPu9D+HWtUI49hbnyqk0FLEJDbzCIQt7hg7ucF1SQAilhtYpIujfaHr6O0UHlzzSPdOeA==} + engines: {node: '>=18'} cpu: [arm64] os: [darwin] @@ -1442,9 +1448,9 @@ packages: cpu: [x64] os: [darwin] - '@esbuild/[email protected]': - resolution: {integrity: sha512-se/JjF8NlmKVG4kNIuyWMV/22ZaerB+qaSi5MdrXtd6R08kvs2qCN4C09miupktDitvh8jRFflwGFBQcxZRjbw==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-WeSrmwwHaPkNR5H3yYfowhZcbriGqooyu3zI/3GGpF8AyUdsrrP0X6KumITGA9WOyiJavnGZUwPGvxvwfWPHIA==} + engines: {node: '>=18'} cpu: [x64] os: [darwin] @@ -1454,9 +1460,9 @@ packages: cpu: [arm64] os: [freebsd] - '@esbuild/[email protected]': - resolution: {integrity: sha512-5JcRxxRDUJLX8JXp/wcBCy3pENnCgBR9bN6JsY4OmhfUtIHe3ZW0mawA7+RDAcMLrMIZaf03NlQiX9DGyB8h4g==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-UN8HXjtJ0k/Mj6a9+5u6+2eZ2ERD7Edt1Q9IZiB5UZAIdPnVKDoG7mdTVGhHJIeEml60JteamR3qhsr1r8gXvg==} + engines: {node: '>=18'} cpu: [arm64] os: [freebsd] @@ -1466,9 +1472,9 @@ packages: cpu: [x64] os: [freebsd] - '@esbuild/[email protected]': - resolution: {integrity: sha512-J95kNBj1zkbMXtHVH29bBriQygMXqoVQOQYA+ISs0/2l3T9/kj42ow2mpqerRBxDJnmkUDCaQT/dfNXWX/ZZCQ==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-TvW7wE/89PYW+IevEJXZ5sF6gJRDY/14hyIGFXdIucxCsbRmLUcjseQu1SyTko+2idmCw94TgyaEZi9HUSOe3Q==} + engines: {node: '>=18'} cpu: [x64] os: [freebsd] @@ -1478,9 +1484,9 @@ packages: cpu: [arm64] os: [linux] - '@esbuild/[email protected]': - resolution: {integrity: sha512-ibKvmyYzKsBeX8d8I7MH/TMfWDXBF3db4qM6sy+7re0YXya+K1cem3on9XgdT2EQGMu4hQyZhan7TeQ8XkGp4Q==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-7HnAD6074BW43YvvUmE/35Id9/NB7BeX5EoNkK9obndmZBUk8xmJJeU7DwmUeN7tkysslb2eSl6CTrYz6oEMQg==} + engines: {node: '>=18'} cpu: [arm64] os: [linux] @@ -1490,9 +1496,9 @@ packages: cpu: [arm] os: [linux] - '@esbuild/[email protected]': - resolution: {integrity: sha512-bPb5AHZtbeNGjCKVZ9UGqGwo8EUu4cLq68E95A53KlxAPRmUyYv2D6F0uUI65XisGOL1hBP5mTronbgo+0bFcA==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-n0WRM/gWIdU29J57hJyUdIsk0WarGd6To0s+Y+LwvlC55wt+GT/OgkwoXCXvIue1i1sSNWblHEig00GBWiJgfA==} + engines: {node: '>=18'} cpu: [arm] os: [linux] @@ -1502,9 +1508,9 @@ packages: cpu: [ia32] os: [linux] - '@esbuild/[email protected]': - resolution: {integrity: sha512-YvjXDqLRqPDl2dvRODYmmhz4rPeVKYvppfGYKSNGdyZkA01046pLWyRKKI3ax8fbJoK5QbxblURkwK/MWY18Tg==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-sfv0tGPQhcZOgTKO3oBE9xpHuUqguHvSo4jl+wjnKwFpapx+vUDcawbwPNuBIAYdRAvIDBfZVvXprIj3HA+Ugw==} + engines: {node: '>=18'} cpu: [ia32] os: [linux] @@ -1514,9 +1520,9 @@ packages: cpu: [loong64] os: [linux] - '@esbuild/[email protected]': - resolution: {integrity: sha512-uHf1BmMG8qEvzdrzAqg2SIG/02+4/DHB6a9Kbya0XDvwDEKCoC8ZRWI5JJvNdUjtciBGFQ5PuBlpEOXQj+JQSg==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-CN9AZr8kEndGooS35ntToZLTQLHEjtVB5n7dl8ZcTZMonJ7CCfStrYhrzF97eAecqVbVJ7APOEe18RPI4KLhwQ==} + engines: {node: '>=18'} cpu: [loong64] os: [linux] @@ -1526,9 +1532,9 @@ packages: cpu: [mips64el] os: [linux] - '@esbuild/[email protected]': - resolution: {integrity: sha512-IajOmO+KJK23bj52dFSNCMsz1QP1DqM6cwLUv3W1QwyxkyIWecfafnI555fvSGqEKwjMXVLokcV5ygHW5b3Jbg==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-iMkk7qr/wl3exJATwkISxI7kTcmHKE+BlymIAbHO8xanq/TjHaaVThFF6ipWzPHryoFsesNQJPE/3wFJw4+huw==} + engines: {node: '>=18'} cpu: [mips64el] os: [linux] @@ -1538,9 +1544,9 @@ packages: cpu: [ppc64] os: [linux] - '@esbuild/[email protected]': - resolution: {integrity: sha512-1hHV/Z4OEfMwpLO8rp7CvlhBDnjsC3CttJXIhBi+5Aj5r+MBvy4egg7wCbe//hSsT+RvDAG7s81tAvpL2XAE4w==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-shsVrgCZ57Vr2L8mm39kO5PPIb+843FStGt7sGGoqiiWYconSxwTiuswC1VJZLCjNiMLAMh34jg4VSEQb+iEbw==} + engines: {node: '>=18'} cpu: [ppc64] os: [linux] @@ -1550,9 +1556,9 @@ packages: cpu: [riscv64] os: [linux] - '@esbuild/[email protected]': - resolution: {integrity: sha512-2HdXDMd9GMgTGrPWnJzP2ALSokE/0O5HhTUvWIbD3YdjME8JwvSCnNGBnTThKGEB91OZhzrJ4qIIxk/SBmyDDA==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-4eSFWnU9Hhd68fW16GD0TINewo1L6dRrB+oLNNbYyMUAeOD2yCK5KXGK1GH4qD/kT+bTEXjsyTCiJGHPZ3eM9Q==} + engines: {node: '>=18'} cpu: [riscv64] os: [linux] @@ -1562,9 +1568,9 @@ packages: cpu: [s390x] os: [linux] - '@esbuild/[email protected]': - resolution: {integrity: sha512-zus5sxzqBJD3eXxwvjN1yQkRepANgxE9lgOW2qLnmr8ikMTphkjgXu1HR01K4FJg8h1kEEDAqDcZQtbrRnB41A==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-S0Bh0A53b0YHL2XEXC20bHLuGMOhFDO6GN4b3YjRLK//Ep3ql3erpNcPlEFed93hsQAjAQDNsvcK+hV90FubSw==} + engines: {node: '>=18'} cpu: [s390x] os: [linux] @@ -1574,33 +1580,45 @@ packages: cpu: [x64] os: [linux] - '@esbuild/[email protected]': - resolution: {integrity: sha512-1rYdTpyv03iycF1+BhzrzQJCdOuAOtaqHTWJZCWvijKD2N5Xu0TtVC8/+1faWqcP9iBCWOmjmhoH94dH82BxPQ==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-8Qi4nQcCTbLnK9WoMjdC9NiTG6/E38RNICU6sUNqK0QFxCYgoARqVqxdFmWkdonVsvGqWhmm7MO0jyTqLqwj0Q==} + engines: {node: '>=18'} cpu: [x64] os: [linux] + '@esbuild/[email protected]': + resolution: {integrity: sha512-wuLK/VztRRpMt9zyHSazyCVdCXlpHkKm34WUyinD2lzK07FAHTq0KQvZZlXikNWkDGoT6x3TD51jKQ7gMVpopw==} + engines: {node: '>=18'} + cpu: [arm64] + os: [netbsd] + '@esbuild/[email protected]': resolution: {integrity: sha512-13jvrQZJc3P230OhU8xgwUnDeuC/9egsjTkXN49b3GcS5BKvJqZn86aGM8W9pd14Kd+u7HuFBMVtrNGhh6fHEQ==} engines: {node: '>=12'} cpu: [x64] os: [netbsd] - '@esbuild/[email protected]': - resolution: {integrity: sha512-Woi2MXzXjMULccIwMnLciyZH4nCIMpWQAs049KEeMvOcNADVxo0UBIQPfSmxB3CWKedngg7sWZdLvLczpe0tLg==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-VefFaQUc4FMmJuAxmIHgUmfNiLXY438XrL4GDNV1Y1H/RW3qow68xTwjZKfj/+Plp9NANmzbH5R40Meudu8mmw==} + engines: {node: '>=18'} cpu: [x64] os: [netbsd] + '@esbuild/[email protected]': + resolution: {integrity: sha512-YQbi46SBct6iKnszhSvdluqDmxCJA+Pu280Av9WICNwQmMxV7nLRHZfjQzwbPs3jeWnuAhE9Jy0NrnJ12Oz+0A==} + engines: {node: '>=18'} + cpu: [arm64] + os: [openbsd] + '@esbuild/[email protected]': resolution: {integrity: sha512-ysyOGZuTp6SNKPE11INDUeFVVQFrhcNDVUgSQVDzqsqX38DjhPEPATpid04LCoUr2WXhQTEZ8ct/EgJCUDpyNw==} engines: {node: '>=12'} cpu: [x64] os: [openbsd] - '@esbuild/[email protected]': - resolution: {integrity: sha512-HLNNw99xsvx12lFBUwoT8EVCsSvRNDVxNpjZ7bPn947b8gJPzeHWyNVhFsaerc0n3TsbOINvRP2byTZ5LKezow==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-+iDS6zpNM6EnJyWv0bMGLWSWeXGN/HTaF/LXHXHwejGsVi+ooqDfMCCTerNFxEkM3wYVcExkeGXNqshc9iMaOA==} + engines: {node: '>=18'} cpu: [x64] os: [openbsd] @@ -1610,9 +1628,9 @@ packages: cpu: [x64] os: [sunos] - '@esbuild/[email protected]': - resolution: {integrity: sha512-6+gjmFpfy0BHU5Tpptkuh8+uw3mnrvgs+dSPQXQOv3ekbordwnzTVEb4qnIvQcYXq6gzkyTnoZ9dZG+D4garKg==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-hTdsW27jcktEvpwNHJU4ZwWFGkz2zRJUz8pvddmXPtXDzVKTTINmlmga3ZzwcuMpUvLw7JkLy9QLKyGpD2Yxig==} + engines: {node: '>=18'} cpu: [x64] os: [sunos] @@ -1622,9 +1640,9 @@ packages: cpu: [arm64] os: [win32] - '@esbuild/[email protected]': - resolution: {integrity: sha512-Z0gOTd75VvXqyq7nsl93zwahcTROgqvuAcYDUr+vOv8uHhNSKROyU961kgtCD1e95IqPKSQKH7tBTslnS3tA8A==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-LihEQ2BBKVFLOC9ZItT9iFprsE9tqjDjnbulhHoFxYQtQfai7qfluVODIYxt1PgdoyQkz23+01rzwNwYfutxUQ==} + engines: {node: '>=18'} cpu: [arm64] os: [win32] @@ -1634,9 +1652,9 @@ packages: cpu: [ia32] os: [win32] - '@esbuild/[email protected]': - resolution: {integrity: sha512-SWXFF1CL2RVNMaVs+BBClwtfZSvDgtL//G/smwAc5oVK/UPu2Gu9tIaRgFmYFFKrmg3SyAjSrElf0TiJ1v8fYA==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-q+iGUwfs8tncmFC9pcnD5IvRHAzmbwQ3GPS5/ceCyHdjXubwQWI12MKWSNSMYLJMq23/IUCvJMS76PDqXe1fxA==} + engines: {node: '>=18'} cpu: [ia32] os: [win32] @@ -1646,9 +1664,9 @@ packages: cpu: [x64] os: [win32] - '@esbuild/[email protected]': - resolution: {integrity: sha512-tQd/1efJuzPC6rCFwEvLtci/xNFcTZknmXs98FYDfGE4wP9ClFV98nyKrzJKVPMhdDnjzLhdUyMX4PsQAPjwIw==} - engines: {node: '>=12'} + '@esbuild/[email protected]': + resolution: {integrity: sha512-7VTgWzgMGvup6aSqDPLiW5zHaxYJGTO4OokMjIlrCtf+VpEL+cXKtCvg723iguPYI5oaUNdS+/V7OU2gvXVWEg==} + engines: {node: '>=18'} cpu: [x64] os: [win32] @@ -1734,25 +1752,40 @@ packages: resolution: {integrity: sha512-H9XAx3hc0BQHY6l+IFSWHDySypcXsvsuLhgYLUGywmJ5pswRVQJUHpOsobnLYp2ZUaUlKiKDrgWWhosOwAEM8Q==} engines: {node: '>=6.9.0'} - '@inquirer/[email protected]': - resolution: {integrity: sha512-oOIwPs0Dvq5220Z8lGL/6LHRTEr9TgLHmiI99Rj1PJ1p1czTys+olrgBqZk4E2qC0YTzeHprxSQmoHioVdJ7Lw==} + '@inquirer/[email protected]': + resolution: {integrity: sha512-6ZXYK3M1XmaVBZX6FCfChgtponnL0R6I7k8Nu+kaoNkT828FVZTcca1MqmWQipaW2oNREQl5AaPCUOOCVNdRMw==} engines: {node: '>=18'} + peerDependencies: + '@types/node': 22.5.4 + peerDependenciesMeta: + '@types/node': + optional: true - '@inquirer/[email protected]': - resolution: {integrity: sha512-RZVfH//2ytTjmaBIzeKT1zefcQZzuruwkpTwwbe/i2jTl4o9M+iML5ChULzz6iw1Ok8iUBBsRCjY2IEbD8Ft4w==} + '@inquirer/[email protected]': + resolution: {integrity: sha512-AA9CQhlrt6ZgiSy6qoAigiA1izOa751ugX6ioSjqgJ+/Gd+tEN/TORk5sUYNjXuHWfW0r1n/a6ak4u/NqHHrtA==} engines: {node: '>=18'} + peerDependencies: + '@types/node': 22.5.4 + peerDependenciesMeta: + '@types/node': + optional: true - '@inquirer/[email protected]': - resolution: {integrity: sha512-79hP/VWdZ2UVc9bFGJnoQ/lQMpL74mGgzSYX1xUqCVk7/v73vJCMw1VuyWN1jGkZ9B3z7THAbySqGbCNefcjfA==} + '@inquirer/[email protected]': + resolution: {integrity: sha512-Ey6176gZmeqZuY/W/nZiUyvmb1/qInjcpiZjXWi6nON+nxJpD1bxtSoBxNliGISae32n6OwbY+TSXPZ1CfS4bw==} engines: {node: '>=18'} - '@inquirer/[email protected]': - resolution: {integrity: sha512-xUQ14WQGR/HK5ei+2CvgcwoH9fQ4PgPGmVFSN0pc1+fVyDL3MREhyAY7nxEErSu6CkllBM3D7e3e+kOvtu+eIg==} + '@inquirer/[email protected]': + resolution: {integrity: sha512-2MNFrDY8jkFYc9Il9DgLsHhMzuHnOYM1+CUYVWbzu9oT0hC7V7EcYvdCKeoll/Fcci04A+ERZ9wcc7cQ8lTkIA==} engines: {node: '>=18'} + peerDependencies: + '@types/node': 22.5.4 + peerDependenciesMeta: + '@types/node': + optional: true - '@intlify/[email protected]': - resolution: {integrity: sha512-1B++zykRnMwQ+20SpsZI1JCnV/YJt9Oq7AGlEurzkWJOFtFAVqaGc/oV36PBRYeiKnTbY9VYfjBimr2Vt42wLQ==} - engines: {node: '>= 14.16'} + '@intlify/[email protected]': + resolution: {integrity: sha512-BR5yLOkF2dzrARTbAg7RGAIPcx9Aark7p1K/0O285F7rfzso9j2dsa+S4dA67clZ0rToZ10NSSTfbyUptVu7Bg==} + engines: {node: '>= 18'} peerDependencies: petite-vue-i18n: '*' vue-i18n: '*' @@ -1762,31 +1795,60 @@ packages: vue-i18n: optional: true - '@intlify/[email protected]': - resolution: {integrity: sha512-qWXBBlEA+DC0CsHkfJiQK9ELm11c9I6lDpodY4FoOf99eMas1R6JR4woPhrfAcrtxFHp1UmXWdrQNKDegSW9IA==} + '@intlify/[email protected]': + resolution: {integrity: sha512-bb8gZvoeKExCI2r/NVCK9E4YyOkvYGaSCPxVZe8T0jz8aX+dHEOZWxK06Z/Y9mWRkJfBiCH4aOhDF1yr1t5J8Q==} engines: {node: '>= 16'} - '@intlify/[email protected]': - resolution: {integrity: sha512-y/aWx7DkaTKK2qWUw0hVbJpon8+urWXngeqh15DuIXZh6n/V/oPQiO/Ho1hUKbwap6MVMuz0OcnAJvqh3p9YPg==} + '@intlify/[email protected]': + resolution: {integrity: sha512-5XcnzTa1r2DZw1h7bnrLnWJTjpkhKWezjGOv56jZfkkzboRAU/lOGkAiJjYjVnWKD3OPSgPe/e0CA6UkPQibqw==} engines: {node: '>= 16'} - '@intlify/[email protected]': - resolution: {integrity: sha512-yuDG82vjgId2oasNRgZ0PKJrF65zlL33MNyITP5itbLcP4AYOR/NcIuD+/DiI+GHXdxASMKJU0ZiITLc6RC+qw==} + '@intlify/[email protected]': + resolution: {integrity: sha512-TGw2uBfuTFTegZf/BHtUQBEKxl7Q/dVGLoqRIdw8lFsp9g/53sYn5iD+0HxIzdYjbWL6BTJMXCPUHp9PxDTRPw==} engines: {node: '>= 16'} - '@intlify/[email protected]': - resolution: {integrity: sha512-q2Mhqa/mLi0tulfLFO4fMXXvEbkSZpI5yGhNNsLTNJJ41icEGUuyDe+j5zRZIKSkOJRgX6YbCyibTDJdRsukmw==} - engines: {node: '>= 14.16'} + '@intlify/[email protected]': + resolution: {integrity: sha512-4iEsUZ3aF7jXY19CJFN5VP+pPyLITD9FVsjB13z9TU1UxaZLlFsmNhvRxlPDSOfHAP5RpNF2QKKdZ3DHVf4Yzw==} + engines: {node: '>= 16'} + + '@intlify/[email protected]': + resolution: {integrity: sha512-bmsP4L2HqBF6i6uaMqJMcFBONVjKt+siGluRq4Ca4C0q7W2eMaVZr8iCgF9dKbcVXutftkC7D6z2SaSMmLiDyA==} + engines: {node: '>= 16'} + + '@intlify/[email protected]': + resolution: {integrity: sha512-8tR1xe7ZEbkabTuE/tNhzpolygUn9OaYp9yuYAF4MgDNZg06C3Qny80bes2/e9/Wm3aVkPUlCw6WgU7mQd0yEg==} + engines: {node: '>= 16'} + + '@intlify/[email protected]': + resolution: {integrity: sha512-2kGiWoXaeV8HZlhU/Nml12oTbhv7j2ufsJ5vQaa0VTjzUmZVdd/nmKFRAOJ/FtjO90Qba5AnZDwsrY7ZND5udA==} + engines: {node: '>= 16'} + + '@intlify/[email protected]': + resolution: {integrity: sha512-9ZDjBlhUHtgjRl23TVcgfJttgu8cNepwVhWvOv3mUMRDAhjW0pur1mWKEUKr1I8PNwE4Gvv2IQ1xcl4RL0nG0g==} + engines: {node: '>= 18'} peerDependencies: petite-vue-i18n: '*' + vue: ^3.2.25 vue-i18n: '*' - vue-i18n-bridge: '*' peerDependenciesMeta: petite-vue-i18n: optional: true vue-i18n: optional: true - vue-i18n-bridge: + + '@intlify/[email protected]': + resolution: {integrity: sha512-w0+70CvTmuqbskWfzeYhn0IXxllr6mU+IeM2MU0M+j9OW64jkrvqY+pYFWrUnIIC9bEdij3NICruicwd5EgUuQ==} + engines: {node: '>= 18'} + peerDependencies: + '@vue/compiler-dom': ^3.0.0 + vue: ^3.0.0 + vue-i18n: ^9.0.0 || ^10.0.0 || ^11.0.0 + peerDependenciesMeta: + '@vue/compiler-dom': + optional: true + vue: + optional: true + vue-i18n: optional: true '@isaacs/[email protected]': @@ -1902,8 +1964,8 @@ packages: '@jridgewell/[email protected]': resolution: {integrity: sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==} - '@lerna/[email protected]': - resolution: {integrity: sha512-ch81CgU5pBNOiUCQx44F/ZtN4DxxJjUQtuytYRBFWJSHAJ+XPJtiC/yQ9zjr1I1yaUlmNYYblkopoOyziOdJ1w==} + '@lerna/[email protected]': + resolution: {integrity: sha512-DPnl5lPX4v49eVxEbJnAizrpMdMTBz1qykZrAbBul9rfgk531v8oAt+Pm6O/rpAleRombNM7FJb5rYGzBJatOQ==} engines: {node: '>=18.0.0'} '@mdi/[email protected]': @@ -1915,8 +1977,8 @@ packages: '@mdi/[email protected]': resolution: {integrity: sha512-WQ2gDll12T9WD34fdRFgQVgO8bag3gavrAgJ0frN4phlwdJARpE6gO1YvLEMJR0KKgoc+/Ea/A0Pp11I00xBvw==} - '@mswjs/[email protected]': - resolution: {integrity: sha512-3rDakgJZ77+RiQUuSK69t1F0m8BQKA8Vh5DCS5V0DWvNY67zob2JhhQrhCO0AKLGINTRSFd1tBaHcJTkhefoSw==} + '@mswjs/[email protected]': + resolution: {integrity: sha512-wK+5pLK5XFmgtH3aQ2YVvA3HohS3xqV/OxuVOdNx9Wpnz7VE/fnC+e1A7ln6LFYeck7gOJ/dsZV6OLplOtAJ2w==} engines: {node: '>=18'} '@napi-rs/[email protected]': @@ -1941,8 +2003,8 @@ packages: resolution: {integrity: sha512-OrcNPXdpSl9UX7qPVRWbmWMCSXrcDa2M9DvrbOTj7ao1S4PlqVFYv9/yLKMkrJKZ/V5A/kDBC690or307i26Og==} engines: {node: ^16.14.0 || >=18.0.0} - '@npmcli/[email protected]': - resolution: {integrity: sha512-7gbMdDNSYUzi0j2mpb6FoXRg3BxXWplMQZH1MZlvNjSdWFObaUz2Ssvo0Nlh2xmWks1OPo+gpsE6qxpT/5M7lQ==} + '@npmcli/[email protected]': + resolution: {integrity: sha512-nWtIc6QwwoUORCRNzKx4ypHqCk3drI+5aeYdMTQQiRCcn4lOOgfQh7WyZobGYTxXPSq1VwV53lkpN/BRlRk08g==} engines: {node: ^16.14.0 || >=18.0.0} hasBin: true @@ -2358,12 +2420,6 @@ packages: rollup: optional: true - '@rollup/[email protected]': - resolution: {integrity: sha512-yc2n43jcqVyGE2sqV5/YCmocy9ArjVAP/BeXyTtADTBBX6V0e5UMqwO8CdQ0kzjb6zu5P1qMzsScCMRvE9OlVg==} - engines: {node: '>= 10.0.0'} - peerDependencies: - rollup: ^1.20.0||^2.0.0 - '@rollup/[email protected]': resolution: {integrity: sha512-j/lym8nf5E21LwBT4Df1VD6hRO2L2iwUeUmP7litikRsVp1H6NWx20NEp0Y7su+7XGc476GnXXc4kFeZNGmaSQ==} engines: {node: '>=14.0.0'} @@ -2383,6 +2439,15 @@ packages: peerDependencies: rollup: '*' + '@rollup/[email protected]': + resolution: {integrity: sha512-XHeJC5Bgvs8LfukDwWZp7yeqin6ns8RTl2B9avbejt6tZqsqvVoWI7ZTQrcNsfKEDWBTnTxM8nMDkO2IFFbd0A==} + engines: {node: '>=14.0.0'} + peerDependencies: + rollup: ^2.0.0||^3.0.0||^4.0.0 + peerDependenciesMeta: + rollup: + optional: true + '@rollup/[email protected]': resolution: {integrity: sha512-R92yOmIACgYdJ7dJ97p4K69I8gg6IEHt8M7dUBxN3W6nrO8uUxX5ixl0yU/N3aZTi8WhPuICvOHXQvF6FaykAA==} engines: {node: '>=14.0.0'} @@ -2411,83 +2476,98 @@ packages: rollup: optional: true - '@rollup/[email protected]': - resolution: {integrity: sha512-fSuPrt0ZO8uXeS+xP3b+yYTCBUd05MoSp2N/MFOgjhhUhMmchXlpTQrTpI8T+YAwAQuK7MafsCOxW7VrPMrJcg==} + '@rollup/[email protected]': + resolution: {integrity: sha512-q217OSE8DTp8AFHuNHXo0Y86e1wtlfVrXiAlwkIvGRQv9zbc6mE3sjIVfwI8sYUyNxwOg0j/Vm1RKM04JcWLJw==} cpu: [arm] os: [android] - '@rollup/[email protected]': - resolution: {integrity: sha512-xGU5ZQmPlsjQS6tzTTGwMsnKUtu0WVbl0hYpTPauvbRAnmIvpInhJtgjj3mcuJpEiuUw4v1s4BimkdfDWlh7gA==} + '@rollup/[email protected]': + resolution: {integrity: sha512-Gigjz7mNWaOL9wCggvoK3jEIUUbGul656opstjaUSGC3eT0BM7PofdAJaBfPFWWkXNVAXbaQtC99OCg4sJv70Q==} cpu: [arm64] os: [android] - '@rollup/[email protected]': - resolution: {integrity: sha512-99AhQ3/ZMxU7jw34Sq8brzXqWH/bMnf7ZVhvLk9QU2cOepbQSVTns6qoErJmSiAvU3InRqC2RRZ5ovh1KN0d0Q==} + '@rollup/[email protected]': + resolution: {integrity: sha512-02rVdZ5tgdUNRxIUrFdcMBZQoaPMrxtwSb+/hOfBdqkatYHR3lZ2A2EGyHq2sGOd0Owk80oV3snlDASC24He3Q==} cpu: [arm64] os: [darwin] - '@rollup/[email protected]': - resolution: {integrity: sha512-ZbRaUvw2iN/y37x6dY50D8m2BnDbBjlnMPotDi/qITMJ4sIxNY33HArjikDyakhSv0+ybdUxhWxE6kTI4oX26w==} + '@rollup/[email protected]': + resolution: {integrity: sha512-qIP/elwR/tq/dYRx3lgwK31jkZvMiD6qUtOycLhTzCvrjbZ3LjQnEM9rNhSGpbLXVJYQ3rq39A6Re0h9tU2ynw==} cpu: [x64] os: [darwin] - '@rollup/[email protected]': - resolution: {integrity: sha512-ztRJJMiE8nnU1YFcdbd9BcH6bGWG1z+jP+IPW2oDUAPxPjo9dverIOyXz76m6IPA6udEL12reYeLojzW2cYL7w==} + '@rollup/[email protected]': + resolution: {integrity: sha512-IQNVXL9iY6NniYbTaOKdrlVP3XIqazBgJOVkddzJlqnCpRi/yAeSOa8PLcECFSQochzqApIOE1GHNu3pCz+BDA==} + cpu: [arm64] + os: [freebsd] + + '@rollup/[email protected]': + resolution: {integrity: sha512-TYXcHghgnCqYFiE3FT5QwXtOZqDj5GmaFNTNt3jNC+vh22dc/ukG2cG+pi75QO4kACohZzidsq7yKTKwq/Jq7Q==} + cpu: [x64] + os: [freebsd] + + '@rollup/[email protected]': + resolution: {integrity: sha512-A4iphFGNkWRd+5m3VIGuqHnG3MVnqKe7Al57u9mwgbyZ2/xF9Jio72MaY7xxh+Y87VAHmGQr73qoKL9HPbXj1g==} cpu: [arm] os: [linux] - '@rollup/[email protected]': - resolution: {integrity: sha512-flOcGHDZajGKYpLV0JNc0VFH361M7rnV1ee+NTeC/BQQ1/0pllYcFmxpagltANYt8FYf9+kL6RSk80Ziwyhr7w==} + '@rollup/[email protected]': + resolution: {integrity: sha512-S0lqKLfTm5u+QTxlFiAnb2J/2dgQqRy/XvziPtDd1rKZFXHTyYLoVL58M/XFwDI01AQCDIevGLbQrMAtdyanpA==} cpu: [arm] os: [linux] - '@rollup/[email protected]': - resolution: {integrity: sha512-69CF19Kp3TdMopyteO/LJbWufOzqqXzkrv4L2sP8kfMaAQ6iwky7NoXTp7bD6/irKgknDKM0P9E/1l5XxVQAhw==} + '@rollup/[email protected]': + resolution: {integrity: sha512-jpz9YOuPiSkL4G4pqKrus0pn9aYwpImGkosRKwNi+sJSkz+WU3anZe6hi73StLOQdfXYXC7hUfsQlTnjMd3s1A==} cpu: [arm64] os: [linux] - '@rollup/[email protected]': - resolution: {integrity: sha512-48pD/fJkTiHAZTnZwR0VzHrao70/4MlzJrq0ZsILjLW/Ab/1XlVUStYyGt7tdyIiVSlGZbnliqmult/QGA2O2w==} + '@rollup/[email protected]': + resolution: {integrity: sha512-KdSfaROOUJXgTVxJNAZ3KwkRc5nggDk+06P6lgi1HLv1hskgvxHUKZ4xtwHkVYJ1Rep4GNo+uEfycCRRxht7+Q==} cpu: [arm64] os: [linux] - '@rollup/[email protected]': - resolution: {integrity: sha512-cZdyuInj0ofc7mAQpKcPR2a2iu4YM4FQfuUzCVA2u4HI95lCwzjoPtdWjdpDKyHxI0UO82bLDoOaLfpZ/wviyQ==} + '@rollup/[email protected]': + resolution: {integrity: sha512-NyF4gcxwkMFRjgXBM6g2lkT58OWztZvw5KkV2K0qqSnUEqCVcqdh2jN4gQrTn/YUpAcNKyFHfoOZEer9nwo6uQ==} + cpu: [loong64] + os: [linux] + + '@rollup/[email protected]': + resolution: {integrity: sha512-LMJc999GkhGvktHU85zNTDImZVUCJ1z/MbAJTnviiWmmjyckP5aQsHtcujMjpNdMZPT2rQEDBlJfubhs3jsMfw==} cpu: [ppc64] os: [linux] - '@rollup/[email protected]': - resolution: {integrity: sha512-RL56JMT6NwQ0lXIQmMIWr1SW28z4E4pOhRRNqwWZeXpRlykRIlEpSWdsgNWJbYBEWD84eocjSGDu/XxbYeCmwg==} + '@rollup/[email protected]': + resolution: {integrity: sha512-xAQCAHPj8nJq1PI3z8CIZzXuXCstquz7cIOL73HHdXiRcKk8Ywwqtx2wrIy23EcTn4aZ2fLJNBB8d0tQENPCmw==} cpu: [riscv64] os: [linux] - '@rollup/[email protected]': - resolution: {integrity: sha512-PMxkrWS9z38bCr3rWvDFVGD6sFeZJw4iQlhrup7ReGmfn7Oukrr/zweLhYX6v2/8J6Cep9IEA/SmjXjCmSbrMQ==} + '@rollup/[email protected]': + resolution: {integrity: sha512-DdePVk1NDEuc3fOe3dPPTb+rjMtuFw89gw6gVWxQFAuEqqSdDKnrwzZHrUYdac7A7dXl9Q2Vflxpme15gUWQFA==} cpu: [s390x] os: [linux] - '@rollup/[email protected]': - resolution: {integrity: sha512-B90tYAUoLhU22olrafY3JQCFLnT3NglazdwkHyxNDYF/zAxJt5fJUB/yBoWFoIQ7SQj+KLe3iL4BhOMa9fzgpw==} + '@rollup/[email protected]': + resolution: {integrity: sha512-8y7ED8gjxITUltTUEJLQdgpbPh1sUQ0kMTmufRF/Ns5tI9TNMNlhWtmPKKHCU0SilX+3MJkZ0zERYYGIVBYHIA==} cpu: [x64] os: [linux] - '@rollup/[email protected]': - resolution: {integrity: sha512-7twFizNXudESmC9oneLGIUmoHiiLppz/Xs5uJQ4ShvE6234K0VB1/aJYU3f/4g7PhssLGKBVCC37uRkkOi8wjg==} + '@rollup/[email protected]': + resolution: {integrity: sha512-SCXcP0ZpGFIe7Ge+McxY5zKxiEI5ra+GT3QRxL0pMMtxPfpyLAKleZODi1zdRHkz5/BhueUrYtYVgubqe9JBNQ==} cpu: [x64] os: [linux] - '@rollup/[email protected]': - resolution: {integrity: sha512-9rRero0E7qTeYf6+rFh3AErTNU1VCQg2mn7CQcI44vNUWM9Ze7MSRS/9RFuSsox+vstRt97+x3sOhEey024FRQ==} + '@rollup/[email protected]': + resolution: {integrity: sha512-YHYsgzZgFJzTRbth4h7Or0m5O74Yda+hLin0irAIobkLQFRQd1qWmnoVfwmKm9TXIZVAD0nZ+GEb2ICicLyCnQ==} cpu: [arm64] os: [win32] - '@rollup/[email protected]': - resolution: {integrity: sha512-5rA4vjlqgrpbFVVHX3qkrCo/fZTj1q0Xxpg+Z7yIo3J2AilW7t2+n6Q8Jrx+4MrYpAnjttTYF8rr7bP46BPzRw==} + '@rollup/[email protected]': + resolution: {integrity: sha512-r3NRQrXkHr4uWy5TOjTpTYojR9XmF0j/RYgKCef+Ag46FWUTltm5ziticv8LdNsDMehjJ543x/+TJAek/xBA2w==} cpu: [ia32] os: [win32] - '@rollup/[email protected]': - resolution: {integrity: sha512-6UUxd0+SKomjdzuAcp+HAmxw1FlGBnl1v2yEPSabtx4lBfdXHDVsW7+lQkgz9cNFJGY3AWR7+V8P5BqkD9L9nA==} + '@rollup/[email protected]': + resolution: {integrity: sha512-U0FaE5O1BCpZSeE6gBl3c5ObhePQSfk9vDRToMmTkbhCOgW4jqvtS5LGyQ76L1fH8sM0keRp4uDTsbjiUyjk0g==} cpu: [x64] os: [win32] @@ -2576,8 +2656,8 @@ packages: resolution: {integrity: sha512-+PmQX0PiAYPMeVYe237LJAYvOMYW1j2rH5YROyS3b4CTVJum34HfRvKvAzozHAQG0TnHNdUfY9nCeUyRAs//cw==} engines: {node: '>=14.16'} - '@testing-library/[email protected]': - resolution: {integrity: sha512-YAh82Wh4TIrxYLmfGcixwD18oIjyC1pFQC2Y01F2lzV2HTMiYrI0nze0FD0ocB//CKS/7jIUgae+adPqxK5yCQ==} + '@testing-library/[email protected]': + resolution: {integrity: sha512-vq7fv0rnt+QTXgPxr5Hjc210p6YKq2kmdziLgnsZGgLJ9e6VAShx1pACLuRjd/AS/sr7phAR58OIIpf0LlmQNw==} engines: {node: '>=12', npm: '>=6'} peerDependencies: '@testing-library/dom': npm:@vuetify/[email protected] @@ -2643,8 +2723,8 @@ packages: '@types/[email protected]': resolution: {integrity: sha512-EYNwp3bU+98cpU4lAWYYL7Zz+2gryWH1qbdDTidVd6hkiR6weksdbMadyXKXNPEkQFhXM+hVO9ZygomHXp+AIw==} - '@types/[email protected]': - resolution: {integrity: sha512-/kYRxGDLWzHOB7q+wtSUQlFrtcdUccpfy+X+9iMBpHK8QLLhx2wIPYuS5DYtR9Wa/YlZAbIovy7qVdB1Aq6Lyw==} + '@types/[email protected]': + resolution: {integrity: sha512-AYnb1nQyY49te+VRAVgmzfcgjYS91mY5P0TKUDCLEM+gNnA+3T6rWITXRLYCpahpqSQbN5cE+gHpnPyXjHWxcw==} '@types/[email protected]': resolution: {integrity: sha512-44/oQYjc5D6kxBcI3Qk9rk3IIOMwnlEMWDV7pwPJ2YI89s5Q1OzDrFvR7QJ3LFrpVXEhig+gyagFg54+foinFg==} @@ -2703,9 +2783,6 @@ packages: '@types/[email protected]': resolution: {integrity: sha512-iiUgKzV9AuaEkZqkOLDIvlQiL6ltuZd9tGcW3gwpnX8JbuiuhFlEGmmFXEXkN50Cvq7Os88IY2v0dkDqXYWVgA==} - '@types/[email protected]': - resolution: {integrity: sha512-CPM9nzrCPPJHQNA9keH9CVkVI+WR5kMa+7XEs5jcGQ0VoAGnLv242w8lIVgwAEfmE4oufJRaTc9PNLQl0ioAow==} - '@types/[email protected]': resolution: {integrity: sha512-FDuKUJQm/ju9fT/SeX/6+gBzoPzlVCzfzmGkwKvRHQVxi4BntVbyIwf6a4Xn62mrvndLiml6z/UBXIdEVjQLXg==} @@ -2727,9 +2804,6 @@ packages: '@types/[email protected]': resolution: {integrity: sha512-cNw5iH8JkMkb3QkCoe7DaZiawbDQEUX8t7iuQaRTyLOyQCR2h+ibBD4GJt7p5yhUHrlOeL7ZtbxNHeipqNsBzQ==} - '@types/[email protected]': - resolution: {integrity: sha512-yy7HuzQhj0dhGpD8RLXSZWEkLsV9ibvxvi6EiJ3bkqLAO1RGo0WbkWQiwpRlSFymTJRz0d3k5LM3kkx8ArDbLw==} - '@types/[email protected]': resolution: {integrity: sha512-60BCwRFOZCQhDncwQdxxeOEEkbc5dIMccYLwbxsS4TUNeVECQ/pBJ0j09mrHOl/JJvpRPGwO9SvE4nR2Nb/a4Q==} @@ -2754,9 +2828,6 @@ packages: '@types/[email protected]': resolution: {integrity: sha512-113D3mDkZDjo+EeUEHCFy0qniNc1ZpecGiAU7WSo7YDoSzolZIQKpYFHrPpjkB2nuyahcKfrmLXeQlh7gqJYdw==} - '@types/[email protected]': - resolution: {integrity: sha512-ltIpx+kM7g/MLRZfkbL7EsCEjfzCcScLpkg37eXEtx5kmrAKBkTJwd1GIAjDSL8wTpM6Hzn5YO4pSb91BEwu1g==} - '@types/[email protected]': resolution: {integrity: sha512-3tPRkv1EtkDpzlgyKyI8pGsGZAGPEaXeu0DOj5DI25Ja91bdAYddYHbADRYVrZMRbfW+1l5YwXVDKohDJNQxkQ==} @@ -2797,8 +2868,8 @@ packages: resolution: {integrity: sha512-jjhdIE/FPF2B7Z1uzc6i3oWKbGcHb87Qw7AWj6jmEqNOfDFbJWtjt/XfwCpvNkpGWlcJaog5vTR+VV8+w9JflA==} engines: {node: ^18.18.0 || >=20.0.0} - '@typescript-eslint/[email protected]': - resolution: {integrity: sha512-NpixInP5dm7uukMiRyiHjRKkom5RIFA4dfiHvalanD2cF0CLUuQqxfg8PtEUo9yqJI2bBhF+pcSafqnG3UBnRQ==} + '@typescript-eslint/[email protected]': + resolution: {integrity: sha512-OdQr6BNBzwRjNEXMQyaGyZzgg7wzjYKfX2ZBV3E04hUCBDv3GQCHiz9RpqdUIiVrMgJGkXm3tcEh4vFSHreS2Q==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} '@typescript-eslint/[email protected]': @@ -2815,8 +2886,8 @@ packages: resolution: {integrity: sha512-iZqi+Ds1y4EDYUtlOOC+aUmxnE9xS/yCigkjA7XpTKV6nCBd3Hp/PRGGmdwnfkV2ThMyYldP1wRpm/id99spTQ==} engines: {node: ^18.18.0 || >=20.0.0} - '@typescript-eslint/[email protected]': - resolution: {integrity: sha512-PpqTVT3yCA/bIgJ12czBuE3iBlM3g4inRSC5J0QOdQFAn07TYrYEQBBKgXH1lQpglup+Zy6c1fxuwTk4MTNKIw==} + '@typescript-eslint/[email protected]': + resolution: {integrity: sha512-9kqJ+2DkUXiuhoiYIUvIYjGcwle8pcPpdlfkemGvTObzgmYfJ5d0Qm6jwb4NBXP9W1I5tss0VIAnWFumz3mC5A==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} '@typescript-eslint/[email protected]': @@ -2828,14 +2899,11 @@ packages: typescript: optional: true - '@typescript-eslint/[email protected]': - resolution: {integrity: sha512-8V9hriRvZQXPWU3bbiUV4Epo7EvgM6RTs+sUmxp5G//dBGy402S7Fx0W0QkB2fb4obCF8SInoUzvTYtc3bkb5w==} + '@typescript-eslint/[email protected]': + resolution: {integrity: sha512-UPyy4MJ/0RE648DSKQe9g0VDSehPINiejjA6ElqnFaFIhI6ZEiZAkUI0D5MCk0bQcTf/LVqZStvQ6K4lPn/BRg==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} peerDependencies: - typescript: '*' - peerDependenciesMeta: - typescript: - optional: true + typescript: '>=4.8.4 <5.8.0' '@typescript-eslint/[email protected]': resolution: {integrity: sha512-kK0/rNa2j74XuHVcoCZxdFBMF+aq/vH83CXAOHieC+2Gis4mF8jJXT5eAfyD3K0sAxtPuwxaIOIOvhwzVDt/kw==} @@ -2843,18 +2911,12 @@ packages: peerDependencies: eslint: ^8.56.0 - '@typescript-eslint/[email protected]': - resolution: {integrity: sha512-CBFR0G0sCt0+fzfnKaciu9IBsKvEKYwN9UZ+eeogK1fYHg4Qxk1yf/wLQkLXlq8wbU2dFlgAesxt8Gi76E8RTA==} - engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} - peerDependencies: - eslint: ^8.57.0 || ^9.0.0 - '@typescript-eslint/[email protected]': resolution: {integrity: sha512-cDF0/Gf81QpY3xYyJKDV14Zwdmid5+uuENhjH2EqFaF0ni+yAyq/LzMaIJdhNJXZI7uLzwIlA+V7oWoyn6Curg==} engines: {node: ^18.18.0 || >=20.0.0} - '@typescript-eslint/[email protected]': - resolution: {integrity: sha512-W5E+o0UfUcK5EgchLZsyVWqARmsM7v54/qEq6PY3YI5arkgmCzHiuk0zKSJJbm71V0xdRna4BGomkCTXz2/LkQ==} + '@typescript-eslint/[email protected]': + resolution: {integrity: sha512-EwVHlp5l+2vp8CoqJm9KikPZgi3gbdZAtabKT9KPShGeOcJhsv4Zdo3oc8T8I0uKEmYoU4ItyxbptjF08enaxg==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} '@ungap/[email protected]': @@ -2883,32 +2945,32 @@ packages: peerDependencies: vue: '>=2.7 || >=3' - '@vitejs/[email protected]': - resolution: {integrity: sha512-wO4Dk/rm8u7RNhOf95ZzcEmC9rYOncYgvq4z3duaJrCgjN8BxAnDVyndanfcJZ0O6XZzHz6Q0hTimxTg8Y9g/A==} - engines: {node: '>=14.6.0'} + '@vitejs/[email protected]': + resolution: {integrity: sha512-mkQnxTkcldAzIsomk1UuLfAu9n+kpQ3JbHcpCp7d2Oo6ITtji8pHS3QToOWjhPFvNQSnhlkAjmGbhv2QvwO/7Q==} + engines: {node: '>=14.21.3'} peerDependencies: - vite: ^3.0.0 || ^4.0.0 || ^5.0.0 + vite: ^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 - '@vitejs/[email protected]': - resolution: {integrity: sha512-w9M6F3LSEU5kszVb9An2/MmXNxocAnUb3WhRr8bHlimhDrXNt6n6D2nJQR3UXpGlZHh/EsgouOHCsM8V3Ln+WA==} - engines: {node: ^14.18.0 || >=16.0.0} + '@vitejs/[email protected]': + resolution: {integrity: sha512-uMJqv/7u1zz/9NbWAD3XdjaY20tKTf17XVfQ9zq4wY1BjsB/PjpJPMe2xiG39QpP4ZdhYNhm4Hvo66uJrykNLA==} + engines: {node: ^18.0.0 || >=20.0.0} peerDependencies: - vite: ^4.0.0 || ^5.0.0 + vite: ^5.0.0 || ^6.0.0 vue: ^3.0.0 - '@vitejs/[email protected]': - resolution: {integrity: sha512-WS3hevEszI6CEVEx28F8RjTX97k3KsrcY6kvTg7+Whm5y3oYvcqzVeGCU3hxSAn4uY2CLCkeokkGKpoctccilQ==} + '@vitejs/[email protected]': + resolution: {integrity: sha512-cxh314tzaWwOLqVes2gnnCtvBDcM1UMdn+iFR+UjAn411dPT3tOmqrJjbMd7koZpMAmBM/GqeV4n9ge7JSiJJQ==} engines: {node: ^18.0.0 || >=20.0.0} peerDependencies: - vite: ^5.0.0 + vite: ^5.0.0 || ^6.0.0 vue: ^3.2.25 - '@vitest/[email protected]': - resolution: {integrity: sha512-wLKqohwlZI24xMIEZAPwv9SVliv1avaIBeE0ou471D++BRPhiw2mubKBczFFIDHXuSL7UXb8/JQK9Ui6ttW9bQ==} + '@vitest/[email protected]': + resolution: {integrity: sha512-5WAWJoucuWcGYU5t0HPBY03k9uogbUEIu4pDmZHoB4Dt+6pXqzDbzEmxGjejZSitSYA3k/udYfuotKNxETVA3A==} peerDependencies: playwright: '*' safaridriver: '*' - vitest: 2.1.1 + vitest: 3.0.5 webdriverio: '*' peerDependenciesMeta: playwright: @@ -2918,48 +2980,48 @@ packages: webdriverio: optional: true - '@vitest/[email protected]': - resolution: {integrity: sha512-md/A7A3c42oTT8JUHSqjP5uKTWJejzUW4jalpvs+rZ27gsURsMU8DEb+8Jf8C6Kj2gwfSHJqobDNBuoqlm0cFw==} + '@vitest/[email protected]': + resolution: {integrity: sha512-zOOWIsj5fHh3jjGwQg+P+J1FW3s4jBu1Zqga0qW60yutsBtqEqNEJKWYh7cYn1yGD+1bdPsPdC/eL4eVK56xMg==} peerDependencies: - '@vitest/browser': 2.1.1 - vitest: 2.1.1 + '@vitest/browser': 3.0.5 + vitest: 3.0.5 peerDependenciesMeta: '@vitest/browser': optional: true - '@vitest/[email protected]': - resolution: {integrity: sha512-YeueunS0HiHiQxk+KEOnq/QMzlUuOzbU1Go+PgAsHvvv3tUkJPm9xWt+6ITNTlzsMXUjmgm5T+U7KBPK2qQV6w==} + '@vitest/[email protected]': + resolution: {integrity: sha512-nNIOqupgZ4v5jWuQx2DSlHLEs7Q4Oh/7AYwNyE+k0UQzG7tSmjPXShUikn1mpNGzYEN2jJbTvLejwShMitovBA==} - '@vitest/[email protected]': - resolution: {integrity: sha512-LNN5VwOEdJqCmJ/2XJBywB11DLlkbY0ooDJW3uRX5cZyYCrc4PI/ePX0iQhE3BiEGiQmK4GE7Q/PqCkkaiPnrA==} + '@vitest/[email protected]': + resolution: {integrity: sha512-CLPNBFBIE7x6aEGbIjaQAX03ZZlBMaWwAjBdMkIf/cAn6xzLTiM3zYqO/WAbieEjsAZir6tO71mzeHZoodThvw==} peerDependencies: - msw: ^2.3.5 - vite: ^5.0.0 + msw: ^2.4.9 + vite: ^5.0.0 || ^6.0.0 peerDependenciesMeta: msw: optional: true vite: optional: true - '@vitest/[email protected]': - resolution: {integrity: sha512-SjxPFOtuINDUW8/UkElJYQSFtnWX7tMksSGW0vfjxMneFqxVr8YJ979QpMbDW7g+BIiq88RAGDjf7en6rvLPPQ==} + '@vitest/[email protected]': + resolution: {integrity: sha512-CjUtdmpOcm4RVtB+up8r2vVDLR16Mgm/bYdkGFe3Yj/scRfCpbSi2W/BDSDcFK7ohw8UXvjMbOp9H4fByd/cOA==} - '@vitest/[email protected]': - resolution: {integrity: sha512-uTPuY6PWOYitIkLPidaY5L3t0JJITdGTSwBtwMjKzo5O6RCOEncz9PUN+0pDidX8kTHYjO0EwUIvhlGpnGpxmA==} + '@vitest/[email protected]': + resolution: {integrity: sha512-BAiZFityFexZQi2yN4OX3OkJC6scwRo8EhRB0Z5HIGGgd2q+Nq29LgHU/+ovCtd0fOfXj5ZI6pwdlUmC5bpi8A==} - '@vitest/[email protected]': - resolution: {integrity: sha512-BnSku1WFy7r4mm96ha2FzN99AZJgpZOWrAhtQfoxjUU5YMRpq1zmHRq7a5K9/NjqonebO7iVDla+VvZS8BOWMw==} + '@vitest/[email protected]': + resolution: {integrity: sha512-GJPZYcd7v8QNUJ7vRvLDmRwl+a1fGg4T/54lZXe+UOGy47F9yUfE18hRCtXL5aHN/AONu29NGzIXSVFh9K0feA==} - '@vitest/[email protected]': - resolution: {integrity: sha512-ZM39BnZ9t/xZ/nF4UwRH5il0Sw93QnZXd9NAZGRpIgj0yvVwPpLd702s/Cx955rGaMlyBQkZJ2Ir7qyY48VZ+g==} + '@vitest/[email protected]': + resolution: {integrity: sha512-5fOzHj0WbUNqPK6blI/8VzZdkBlQLnT25knX0r4dbZI9qoZDf3qAdjoMmDcLG5A83W6oUUFJgUd0EYBc2P5xqg==} - '@vitest/[email protected]': - resolution: {integrity: sha512-IIxo2LkQDA+1TZdPLYPclzsXukBWd5dX2CKpGqH8CCt8Wh0ZuDn4+vuQ9qlppEju6/igDGzjWF/zyorfsf+nHg==} + '@vitest/[email protected]': + resolution: {integrity: sha512-gw2noso6WI+2PeMVCZFntdATS6xl9qhQcbhkPQ9sOmx/Xn0f4Bx4KDSbD90jpJPF0l5wOzSoGCmKyVR3W612mg==} peerDependencies: - vitest: 2.1.1 + vitest: 3.0.5 - '@vitest/[email protected]': - resolution: {integrity: sha512-Y6Q9TsI+qJ2CC0ZKj6VBb+T8UPz593N113nnUykqwANqhgf3QkZeHFlusgKLTqrnVHbj/XDKZcDHol+dxVT+rQ==} + '@vitest/[email protected]': + resolution: {integrity: sha512-N9AX0NUoUtVwKwy21JtwzaqR5L5R5A99GAbrHfCCXK1lp593i/3AZAXhSP43wRQuxYsflrdzEfXZFo1reR1Nkg==} '@volar/[email protected]': resolution: {integrity: sha512-JAYeJvYQQROmVRtSBIczaPjP3DX4QW1fOqW1Ebs0d3Y3EwSNRglz03dSv0Dm61dzd0Yx3WgTW3hndDnTQqgmyg==} @@ -2985,39 +3047,60 @@ packages: '@vscode/[email protected]': resolution: {integrity: sha512-KYSIHVmslkaCDyw013pphY+d7x1qV8IZupYfeIfzNA+nsaWHbn5uPuQRvdRFsa9zFzGeudPuoGoZ1Op4jrJXIQ==} - '@vue/[email protected]': - resolution: {integrity: sha512-nOttamHUR3YzdEqdM/XXDyCSdxMA9VizUKoroLX6yTyRtggzQMHXcmwh8a7ZErcJttIBIc9s68a1B8GZ+Dmvsw==} + '@vue/[email protected]': + resolution: {integrity: sha512-lOz4t39ZdmU4DJAa2hwPYmKc8EsuGa2U0L9KaZaOJUt0UwQNjNA3AZTq6uEivhOKhhG1Wvy96SvYBoFmCg3uuw==} - '@vue/[email protected]': - resolution: {integrity: sha512-nYTkZUVTu4nhP199UoORePsql0l+wj7v/oyQjtThUVhJl1U+6qHuoVhIvR3bf7eVKjbCK+Cs2AWd7mi9Mpz9rA==} + '@vue/[email protected]': + resolution: {integrity: sha512-zTrNmOd4939H9KsRIGmmzn3q2zvv1mjxkYZHgqHZgDrXz5B1Q3WyGEjO2f+JrmKghvl1JIRcvo63LgM1kH5zFg==} peerDependencies: '@babel/core': ^7.0.0-0 peerDependenciesMeta: '@babel/core': optional: true - '@vue/[email protected]': - resolution: {integrity: sha512-EntyroPwNg5IPVdUJupqs0CFzuf6lUrVvCspmv2J1FITLeGnUCuoGNNk78dgCusxEiYj6RMkTJflGSxk5aIC4A==} + '@vue/[email protected]': + resolution: {integrity: sha512-U/ibkQrf5sx0XXRnUZD1mo5F7PkpKyTbfXM3a3rC4YnUz6crHEz9Jg09jzzL6QYlXNto/9CePdOg/c87O4Nlfg==} peerDependencies: '@babel/core': ^7.0.0-0 - '@vue/[email protected]': - resolution: {integrity: sha512-E+RyqY24KnyDXsCuQrI+mlcdW3ALND6U7Gqa/+bVwbcpcR3BRRIckFoz7Qyd4TTlnugtwuI7YgjbvsLmxb+yvg==} + '@vue/[email protected]': + resolution: {integrity: sha512-8IQOTCWnLFqfHzOGm9+P8OPSEDukgg3Huc92qSG49if/xI2SAwLHQO2qaPQbjCWPBcQoO1WYfXfTACUrWV3c5A==} + + '@vue/[email protected]': + resolution: {integrity: sha512-oOdAkwqUfW1WqpwSYJce06wvt6HljgY3fGeM9NcVA1HaYOij3mZG9Rkysn0OHuyUAGMbEbARIpsG+LPVlBJ5/Q==} + + '@vue/[email protected]': + resolution: {integrity: sha512-Osc/c7ABsHXTsETLgykcOwIxFktHfGSUDkb05V61rocEfsFDcjDLH/IHJSNJP+/Sv9KeN2Lx1V6McZzlSb9EhQ==} + + '@vue/[email protected]': + resolution: {integrity: sha512-ZOJ46sMOKUjO3e94wPdCzQ6P1Lx/vhp2RSvfaab88Ajexs0AHeV0uasYhi99WPaogmBlRHNRuly8xV75cNTMDA==} + + '@vue/[email protected]': + resolution: {integrity: sha512-s5QfZ+9PzPh3T5H4hsQDJtI8x7zdJaew/dCGgqZ2630XdzaZ3AD8xGZfBqpT8oaD/p2eedd+pL8tD5vvt5ZYJQ==} - '@vue/[email protected]': - resolution: {integrity: sha512-kUTvochG/oVgE1w5ViSr3KUBh9X7CWirebA3bezTbB5ZKBQZwR2Mwj9uoSKRMFcz4gSMzzLXBPD6KpCLb9nvWw==} + '@vue/[email protected]': + resolution: {integrity: sha512-6VdaljMpD82w6c2749Zhf5T9u5uLBWKnVue6XWxprDobftnletJ8+oel7sexFfM3qIxNmVE7LSFGTpv6obNyaQ==} - '@vue/[email protected]': - resolution: {integrity: sha512-nDwntUEADssW8e0rrmE0+OrONwmRlegDA1pD6QhVeXxjIytV03yDqTey9SBDiALsvAd5U4ZrEKbMyVXhX6mCGA==} + '@vue/[email protected]': + resolution: {integrity: sha512-YXznKFQ8dxYpAz9zLuVvfcXhc31FSPFDcqr0kyujbOwNhlmaNvL2QfIy+RZeJgSn5Fk54CWoEUeW+NVBAogGaw==} - '@vue/[email protected]': - resolution: {integrity: sha512-CVRzSJIltzMG5FcidsW0jKNQnNRYC8bT21VegyMMtHmhW3UOI7knmUehzswXLrExDLE6lQCZdrhD4ogI7c+vuw==} + '@vue/[email protected]': + resolution: {integrity: sha512-wMH6vrYHxQl/IybKJagqbquvxpWCuVYpoUJfCqFZwa/JY1GdATAQ+TgVtgrwwMZ0D07QhA99rs/EAAWfvG6KpA==} '@vue/[email protected]': resolution: {integrity: sha512-qYC3Psj9S/mfu9uVi5WvNZIzq+xnXMhOwbTFKKDD7b1lhpnn71jXSFdTQ+WsIEk0ONCd7VV2IMm7ONl6tbQ86A==} - '@vue/[email protected]': - resolution: {integrity: sha512-+KpckaAQyfbvshdDW5xQylLni1asvNSGme1JFs8I1+/H5pHEhqUKMEQD/qn3Nx5+/nycBq11qAEi8lk+LXI2dA==} + '@vue/[email protected]': + resolution: {integrity: sha512-sGhTPMuXqZ1rVOk32RylztWkfXTRhuS7vgAKv0zjqk8gbsHkJ7xfFf+jbySxt7tWObEJwyKaHMikV/WGDiQm8g==} + + '@vue/[email protected]': + resolution: {integrity: sha512-1syn558KhyN+chO5SjlZIwJ8bV/bQ1nOVTG66t2RbG66ZGekyiYNmRO7X9BJCXQqPsFHlnksqvPhce2qpzxFnA==} + + '@vue/[email protected]': + resolution: {integrity: sha512-CY0I1JH3Z8PECbn6k3TqM1Bk9ASWxeMtTCvZr7vb+CHi+X/QwQm5F1/fPagraamKMAHVfuuCbdcnNg1A4CYVWQ==} + + '@vue/[email protected]': + resolution: {integrity: sha512-uBFxnp8gwW2vD6FrJB8JZLUzVb6PNRG0B0jBnHsOH8uKyva2qINY8PTF5Te4QlTbMDqU5K6qtJDr6cNsKWhbOA==} '@vue/[email protected]': resolution: {integrity: sha512-o2qz9JPjhdoVj8D2+9bDXbaI4q2uZTHQA/dbyZT4Bj1FR9viZxDJnLcKVHfxdn6wsOzRgpqIzJEEmSSvgMvDTQ==} @@ -3034,22 +3117,25 @@ packages: '@vue/[email protected]': resolution: {integrity: sha512-lY54t7KNp1WKXfYccTj9PizwE8zrswTZbYzYdLyoeLyLwcO/JlkMssTrt1G+64TLBwBptvV9PwvNw5Bp2YxJHg==} - '@vue/[email protected]': - resolution: {integrity: sha512-kK0g4NknW6JX2yySLpsm2jlunZJl2/RJGZ0H9ddHdfBVHcNzxmQ0sS0b09ipmBoQpY8JM2KmUw+a6sO8Zo+zIA==} + '@vue/[email protected]': + resolution: {integrity: sha512-4vl4wMMVniLsSYYeldAKzbk72+D3hUnkw9z8lDeJacTxAkXeDAP1uE9xr2+aKIN0ipOL8EG2GPouVTH6yF7Gnw==} - '@vue/[email protected]': - resolution: {integrity: sha512-7aYA9GEbOOdviqVvcuweTLe5Za4qBZkUY7SvET6vE8kyypxVgaT1ixHLg4urtOlrApdgcdgHoTZCUuTGap/5WA==} + '@vue/[email protected]': + resolution: {integrity: sha512-21z3wA99EABtuf+O3IhdxP0iHgkBs1vuoCAsCKLVJPEjpVqvblwBnTj42vzHRlWDCyxu9ptDm7sI2ZMcWrQqlA==} - '@vue/[email protected]': - resolution: {integrity: sha512-ScOmP70/3NPM+TW9hvVAz6VWWtZJqkbdf7w6ySsws+EsqtHvkhxaWLecrTorFxsawelM5Ys9FnDEMt6BPBDS0Q==} + '@vue/[email protected]': + resolution: {integrity: sha512-afZzmUreU7vKwKsV17H1NDThEEmdYI+GCAK/KY1U957Ig2NATPVjCROv61R19fjZNzMmiU03n79OMnXyJVN0UA==} - '@vue/[email protected]': - resolution: {integrity: sha512-dlAMEuvmeA3rJsOMJ2J1kXU7o7pOxgsNHVr9K8hB3ImIkSuBrIdy0vF66h8gf8Tuinf1TK3mPAz2+2sqyf3KzA==} + '@vue/[email protected]': + resolution: {integrity: sha512-NggOTr82FbPEkkUvBm4fTGcwUY8UuTsnWC/L2YZBmvaQ4C4Jl/Ao4HHTB+l7WnFCt5M/dN3l0XLuyjzswGYVCA==} peerDependencies: - vue: 3.4.27 + vue: 3.4.38 + + '@vue/[email protected]': + resolution: {integrity: sha512-q0xCiLkuWWQLzVrecPb0RMsNWyxICOjPrcrwxTUEHb1fsnvni4dcuyG7RT/Ie7VPTvnjzIaWzRMUBsrqNj/hhw==} - '@vue/[email protected]': - resolution: {integrity: sha512-DL3NmY2OFlqmYYrzp39yi3LDkKxa5vZVwxWdQ3rG0ekuWscHraeIbnI8t+aZK7qhYqEqWKTUdijadunb9pnrgA==} + '@vue/[email protected]': + resolution: {integrity: sha512-/hnE/qP5ZoGpol0a5mDi45bOd7t3tjYJBjsgCsivow7D48cJeV5l05RD82lPqi7gRiphZM37rnhW1l6ZoCNNnQ==} '@vue/[email protected]': resolution: {integrity: sha512-FMxEjOpYNYiFe0GkaHsnJPXFHxQ6m4t8vI/ElPGpMWxZKpmRvQ33OIrvRXemy6yha03RxhOlQuy+gZMC3CQSow==} @@ -3179,8 +3265,8 @@ packages: engines: {node: '>=0.4.0'} hasBin: true - [email protected]: - resolution: {integrity: sha512-tcpGyI9zbizT9JbV6oYE477V6mTlXvvi0T0G3SNIYE2apm/G5huBa1+K89VGeovbg+jycCrfhl3ADxErOuO6Jg==} + [email protected]: + resolution: {integrity: sha512-cl669nCJTZBsL97OF4kUQm5g5hC2uihk0NxY3WENAC0TYdILVkAyHymAntgxGkl7K+t0cXIrH5siy5S4XkFycA==} engines: {node: '>=0.4.0'} hasBin: true @@ -3258,6 +3344,10 @@ packages: resolution: {integrity: sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==} engines: {node: '>=12'} + [email protected]: + resolution: {integrity: sha512-zIcWDJ+Kwqxfdnogx66Gxzr0kVmCcRAdat9nlY2IHsshqTN4fBH6tMeRMPA/2w0rpBayIJvjQAaa2/4RDrNqwg==} + engines: {node: '>=14'} + [email protected]: resolution: {integrity: sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==} engines: {node: '>= 8'} @@ -3484,6 +3574,9 @@ packages: resolution: {integrity: sha512-Phlt0plgpIIBOGTT/ehfFnbNlfsDEiqmzE2KRXoX1bLIlir4X/MR+zSyBEkL05ffWgnRSf/DXv+WrUAVr93/ow==} engines: {node: '>=8'} + [email protected]: + resolution: {integrity: sha512-5WeXXAvTmitV1RqJFppT5QtUiz2p1mRSYU000Jkft5ZUCLJIk4uQriYNO50HknxKwM6jd8utNc66K1qGIwwWBQ==} + [email protected]: resolution: {integrity: sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==} @@ -3504,8 +3597,8 @@ packages: resolution: {integrity: sha512-WT9BkAze4SUOJfr7LUwJWNDAvynEAvUMvMPuFKu8QQKnRq+WMx3DAtHfOBJjHmHRxf748JY3CNVytSk6HH2yGg==} engines: {node: '>=14.0.0'} - [email protected]: - resolution: {integrity: sha512-btwCFJVjI4YWDNfau8RhZ+B1Q/VLoUITrm3RlP6y1tYGWIOa+InuYiRGXUBXo8nA1qKmHMyLB/iVQg5TT4eFoA==} + [email protected]: + resolution: {integrity: sha512-KDi1Ny1gSePi1vm0q4oxSF8b4DR44GF4BbmS2YdhPLOEqd8pDviZOGH/GsmRwoWJ2+5Lr085X7naowMwKHDG1A==} engines: {node: ^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7} hasBin: true @@ -3623,8 +3716,8 @@ packages: [email protected]: resolution: {integrity: sha512-b+uH5BakXZ9Do9iK+CkDmctUSEqZl+SP056vc5usa0PL+ev5OHw003rZXcnjNDv3L8P5j6rwT6C0BPKSikW08w==} - [email protected]: - resolution: {integrity: sha512-pT1ZgP8rPNqUgieVaEY+ryQr6Q4HXNg8Ei9UnLUrjN4IA7dvQC5JB+/kxVcPNDHyBcc/26CXPkbNzq3qwrOEKA==} + [email protected]: + resolution: {integrity: sha512-mCuXncKXk5iCLhfhwTc0izo0gtEmpz5CtG2y8GiOINBlMVS6v8TMRc5TaLWKS6692m9+dVVfzgeVxR5UxWHTYw==} engines: {node: '>=12'} [email protected]: @@ -3837,8 +3930,8 @@ packages: engines: {node: ^14.13.0 || >=16.0.0} hasBin: true - [email protected]: - resolution: {integrity: sha512-uJcB/FKZtBMCJpK8MQji6bJHgu1tixKPxRLeGkNzBoOZzpnZUJm0jm2/sBDWcuBx1dYgxV4JU+g5hmNxCyAmdA==} + [email protected]: + resolution: {integrity: sha512-RMtmw0iFkeR4YV+fUOSucriAQNb9g8zFR52MWCtl+cCZOFRNL6zeB395vPzFhEjjn4fMxXudmELnl/KF/WrK6w==} [email protected]: resolution: {integrity: sha512-qj+f8APARXHrM0hraqXYb2/bOVSV4PvJQlNZ/DVj0QrmNM2q2euizkeuVckQ57J+W0mRH6Hvi+k50M4Jul2VRQ==} @@ -4008,10 +4101,14 @@ packages: [email protected]: resolution: {integrity: sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==} - [email protected]: - resolution: {integrity: sha512-YZ3GUyn/o8gfKJlnlX7g7xq4gyO6OSuhGPKaaGssGB2qgDUS0gPgtTvoyZLTt9Ab6dC4hfc9dV5arkvc/OCmrw==} + [email protected]: + resolution: {integrity: sha512-yki5XnKuf750l50uGTllt6kKILY4nQ1eNIQatoXEByZ5dWgnKqbnqmTrBE5B4N7lrMJKQ2ytWMiTO2o0v6Ew/w==} engines: {node: '>= 0.6'} + [email protected]: + resolution: {integrity: sha512-yCEafptTtb4bk7GLEQoM8KVJpxAfdBJYaXyzQEgQQQgYrZiDp8SJmGKlYza6CYjEDNstAdNdKA3UuoULlEbS6w==} + engines: {node: '>=12.13'} + [email protected]: resolution: {integrity: sha512-9TNiImhKvQqSUkOvk/mMRZzOANTiEVC7WaBNhHcKM7x+/5E1l5NvsysR19zuDQScE8k+kfQXWRN3AtS/eOSHpg==} @@ -4039,6 +4136,15 @@ packages: typescript: optional: true + [email protected]: + resolution: {integrity: sha512-itvL5h8RETACmOTFc4UfIyB2RfEHi71Ax6E/PivVxq9NseKbOWpeyHEOIbmAw1rs8Ak0VursQNww7lf7YtUwzg==} + engines: {node: '>=14'} + peerDependencies: + typescript: '>=4.9.5' + peerDependenciesMeta: + typescript: + optional: true + [email protected]: resolution: {integrity: sha512-ROmzCKrTnOwybPcJApAA6WBWij23HVfGVNKqqrZpuyZOHqK2CwHSvpGuyt/UNNvaIjEd8X5IFGp4Mh+Ie1IHJQ==} engines: {node: '>=0.8'} @@ -4067,8 +4173,8 @@ packages: resolution: {integrity: sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==} engines: {node: '>=4.8'} - [email protected]: - resolution: {integrity: sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==} + [email protected]: + resolution: {integrity: sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==} engines: {node: '>= 8'} [email protected]: @@ -4216,8 +4322,8 @@ packages: supports-color: optional: true - [email protected]: - resolution: {integrity: sha512-Er2nc/H7RrMXZBFCEim6TCmMk02Z8vLC2Rbi1KEBggpo0fS6l0S1nnapwmIi3yW/+GOJap1Krg4w0Hg80oCqgQ==} + [email protected]: + resolution: {integrity: sha512-6WTZ/IxCY/T6BALoZHaE4ctp9xm+Z5kY/pzYaCHRFeyVhojxlrm+46y68HA6hr0TcwEssoxNiDEUJQjfPZ/RYA==} engines: {node: '>=6.0'} peerDependencies: supports-color: '*' @@ -4267,10 +4373,6 @@ packages: resolution: {integrity: sha512-h5k/5U50IJJFpzfL6nO9jaaumfjO/f2NjK/oYB2Djzm4p9L+3T9qWpZqZ2hAbLPuuYq9wrU08WQyBTL5GbPk5Q==} engines: {node: '>=6'} - [email protected]: - resolution: {integrity: sha512-ZIwpnevOurS8bpT4192sqAowWM76JDKSHYzMLty3BZGSswgq6pBaH3DhCSW5xVAZICZyKdOBPjwww5wfgT/6PA==} - engines: {node: '>= 0.4'} - [email protected]: resolution: {integrity: sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA==} engines: {node: '>=4.0.0'} @@ -4437,8 +4539,8 @@ packages: engines: {node: '>=0.10.0'} hasBin: true - [email protected]: - resolution: {integrity: sha512-orzA81VqLyIGUEA77YkVA1D+N+nNfl2isJVjjmOyrlxuooZ19ynb+dOlaDTqd/idKRS9lDCSBmtzM+kyCsMnkA==} + [email protected]: + resolution: {integrity: sha512-eHhqaja8tE/FNpIiBrvBjFV/SSKpyWHLvxuR9dPTdo+3V9ppdLmFB7ZZQ98qNovcngPLYIz0oOBF9P0FfZef5Q==} [email protected]: resolution: {integrity: sha512-Prbz3E1usiAwGjMNYRv6EsJ5c373cX7/AGnZQwOfrpNJrygQJ15+E9OOq4pU8yC977Z5xMetRfc3WmDX6RcjAA==} @@ -4480,8 +4582,8 @@ packages: resolution: {integrity: sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==} engines: {node: '>=0.12'} - [email protected]: - resolution: {integrity: sha512-6u0VYSCo/OW6IoD5WCLLy9JUGARbamfSavcNXry/eu8aHVFei6CD3Sw+VGX5alea1i9pgPHW0mbu6Xj0uBh7gA==} + [email protected]: + resolution: {integrity: sha512-+h1lkLKhZMTYjog1VEpJNG7NZJWcuc2DDk/qsqSTRRCOXiLjeQ1d1/udrUGhqMxUgAlwKNZ0cf2uqan5GLuS2A==} engines: {node: '>=6'} [email protected]: @@ -4495,8 +4597,8 @@ packages: [email protected]: resolution: {integrity: sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==} - [email protected]: - resolution: {integrity: sha512-g/9rfnvnagiNf+DRMHEVGuGuIBlCIMDFoTA616HaP2l9PlCjGjVhD98PNbVSJvmK4TttqT5mV5tInMhoFgi+aA==} + [email protected]: + resolution: {integrity: sha512-5qucVt2XcuGMcEGgWI7i+yZpmpByQ8J1lHhcL7PwqCwu9FPP3VUXzT4ltHe5i2z9dePwEHcDVOAfSnHsOlCXRA==} [email protected]: resolution: {integrity: sha512-e+HfNH61Bj1X9/jLc5v1owaLYuHdeHHSQlkhCBiTK8rBvKaULl/beGMxwrMXjpYrv4pz22BlY570vVePA2ho4A==} @@ -4510,13 +4612,13 @@ packages: resolution: {integrity: sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==} engines: {node: '>= 0.4'} - [email protected]: - resolution: {integrity: sha512-sPZmqHBe6JIiTfN5q2pEi//TwxmAFHwj/XEuYjTuse78i8KxaqMTTzxPoFKuzRpDpTJ+0NAbpfenkmH2rePtuw==} - [email protected]: resolution: {integrity: sha512-scxAJaewsahbqTYrGKJihhViaM6DDZDDoucfvzNbK0pOren1g/daDQ3IAhzn+1G14rBG7w+i5N+qul60++zlKA==} engines: {node: '>= 0.4'} + [email protected]: + resolution: {integrity: sha512-qqnD1yMU6tk/jnaMosogGySTZP8YtUgAffA9nMN+E/rjxcfRQ6IEk7IiozUjgxKoFHBGjTLnrHB/YC45r/59EQ==} + [email protected]: resolution: {integrity: sha512-MZ4iQ6JwHOBQjahnjwaC1ZtIBH+2ohjamzAO3oaHcXYup7qxjF2fixyH+Q71voWHeOkI2q/TnJao/KfXYIZWbw==} engines: {node: '>= 0.4'} @@ -4537,13 +4639,13 @@ packages: engines: {node: '>=12'} hasBin: true - [email protected]: - resolution: {integrity: sha512-mg3OPMV4hXywwpoDxu3Qda5xCKQi+vCTZq8S9J/EpkhB2HzKXq4SNFZE3+NK93JYxc8VMSep+lOUSC/RVKaBqw==} - engines: {node: '>=12'} + [email protected]: + resolution: {integrity: sha512-+9egpBW8I3CD5XPe0n6BfT5fxLzxrlDzqydF3aviG+9ni1lDC/OvMHcxqEFV0+LANZG5R1bFMWfUrjVsdwxJvA==} + engines: {node: '>=18'} hasBin: true - [email protected]: - resolution: {integrity: sha512-ErCHMCae19vR8vQGe50xIsVomy19rg6gFu3+r3jkEO46suLMWBksvVyoGgQV+jOfl84ZSOSlmv6Gxa89PmTGmA==} + [email protected]: + resolution: {integrity: sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==} engines: {node: '>=6'} [email protected]: @@ -4629,19 +4731,6 @@ packages: '@typescript-eslint/parser': optional: true - [email protected]: - resolution: {integrity: sha512-fzPGN7awL2ftVRQh/bsCi+16ArUZWujZnD1b8EGJqy8nr4//7tZ3BIdc/9edcJBtB3hpci3GtdMNFVDwHU0Eag==} - engines: {node: ^16.10.0 || ^18.12.0 || >=20.0.0} - peerDependencies: - '@typescript-eslint/eslint-plugin': ^6.0.0 || ^7.0.0 || ^8.0.0 - eslint: ^7.0.0 || ^8.0.0 || ^9.0.0 - jest: '*' - peerDependenciesMeta: - '@typescript-eslint/eslint-plugin': - optional: true - jest: - optional: true - [email protected]: resolution: {integrity: sha512-AJhGd+GcI5r2dbjiGPixM8jnBl0XFxqoVbqzwKbYz+nTk+Cj5dNE3+OlhC176bl5r25KsGsIthLi1VqIW5Ga+A==} @@ -4706,6 +4795,10 @@ packages: resolution: {integrity: sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==} engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + [email protected]: + resolution: {integrity: sha512-UyLnSehNt62FFhSwjZlHmeokpRK59rcz29j+F1/aDgbkbRTk7wIc9XzdoasMUbRNKDM0qQt/+BJ4BrpFeABemw==} + engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} + [email protected]: resolution: {integrity: sha512-dZ6+mexnaTIbSBZWgou51U6OmzIhYM2VcNdtiTtI7qPNZm35Akpr0f6vtw3w1Kmn5PYo+tZVfh13WrhpS6oLqQ==} engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} @@ -4777,6 +4870,10 @@ packages: resolution: {integrity: sha512-Zk/eNKV2zbjpKzrsQ+n1G6poVbErQxJ0LBOJXaKZ1EViLzH+hrLu9cdXI4zw9dBQJslwBEpbQ2P1oS7nDxs6jQ==} engines: {node: '>= 0.8.0'} + [email protected]: + resolution: {integrity: sha512-bFi65yM+xZgk+u/KRIpekdSYkTB5W1pEf0Lt8Q8Msh7b+eQ7LXVtIB1Bkm4fvclDEL1b2CZkMhv2mOeF8tMdkA==} + engines: {node: '>=12.0.0'} + [email protected]: resolution: {integrity: sha512-eEh0xn8HlsuOBxFgIss+2mX85VAS4Qy3OSkjV7rlBWljtA4oWH37glVGyOZSZvErDT/yBywZdPGwCXuTvSG85g==} engines: {node: ^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0} @@ -4836,8 +4933,8 @@ packages: [email protected]: resolution: {integrity: sha512-cE1qsB/VwyQozZ+q1dGxR8LBYNZeofhEdUNGSMbQD3Gw2lAzX9Zb3uIU6Ebc/Fmyjo9AWWfnn0AUCHqtevs/8g==} - [email protected]: - resolution: {integrity: sha512-QOnuT+BOtivR77wYvCWHfGt9s4Pz1VIMbD463vegT5MLqNXy8rYFT/lPVEqf/bhYeT6qmqrNHhsX+rWwe3rOCQ==} + [email protected]: + resolution: {integrity: sha512-PMXmW2y1hDDfTSRc9gaXIuCCRpuoz3Kaz8cUelp3smouvfT632ozg2vrT6lJsHKKOF59YLbOGfAWGUcKEfRMQw==} peerDependencies: picomatch: ^3 || ^4 peerDependenciesMeta: @@ -4906,8 +5003,8 @@ packages: resolution: {integrity: sha512-b6suED+5/3rTpUBdG1gupIl8MPFCAMA0QXwmljLhvCUKcUvdE4gWky9zpuGCcXHOsz4J9wPGNWq6OKpmIzz3hQ==} hasBin: true - [email protected]: - resolution: {integrity: sha512-X8cqMLLie7KsNUDSdzeN8FYK9rEt4Dt67OsG/DNGnYTSDBG4uFAJFBnUeiV+zCVAvwFy56IjM9sH51jVaEhNxw==} + [email protected]: + resolution: {integrity: sha512-AiwGJM8YcNOaobumgtng+6NHuOqC3A7MixFeDafM3X9cIUM+xUXoS5Vfgf+OihAYe20fxqNM9yPBXJzRtZ/4eA==} [email protected]: resolution: {integrity: sha512-wWN62YITEaOpSK584EZXJafH1AGpO8RVgElfkuXbTOrPX4fIfOyEpW/CsiNd8JdYrAoOvafRTOEnvsO++qCqFA==} @@ -5002,9 +5099,6 @@ packages: resolution: {integrity: sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==} engines: {node: 6.* || 8.* || >= 10.*} - [email protected]: - resolution: {integrity: sha512-8vXOvuE167CtIc3OyItco7N/dpRtBbYOsPsXCz7X/PMnlGjYjSGuZJgM1Y7mmew7BKf9BqvLX2tnOVy1BBUsxQ==} - [email protected]: resolution: {integrity: sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==} engines: {node: '>= 0.4'} @@ -5134,8 +5228,8 @@ packages: resolution: {integrity: sha512-7Bv8RF0k6xjo7d4A/PxYLbUCfb6c+Vpd2/mB2yRDlew7Jb5hEXiCD9ibfO7wpk8i4sevK6DFny9h7EYbM3/sHg==} hasBin: true - [email protected]: - resolution: {integrity: sha512-9UiX/Bl6J2yaBbxKoEBRm4Cipxgok8kQYcOPEhScPwebu2I0HoQOuYdIO6S3hLuWoZgpDpwQZMzTFxgpkyT76g==} + [email protected]: + resolution: {integrity: sha512-zrQDm8XPnYEKawJScsnM0QzobJxlT/kHOOlRTio8IH/GrmxRE5fjllkzdaHclIuNjUQTJYH2xHNIGfdpJkDJUw==} engines: {node: 20 || >=22} hasBin: true @@ -5188,6 +5282,10 @@ packages: [email protected]: resolution: {integrity: sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==} + [email protected]: + resolution: {integrity: sha512-AjqGKbDGUFRKIRCP9tCKiIGHyriz2oHEbPIbEtcSLSs4YjReZOIPQQWek4+6hjw62H9QShXHyaGivGiYVLeYFQ==} + engines: {node: ^12.22.0 || ^14.16.0 || ^16.0.0 || >=17.0.0} + [email protected]: resolution: {integrity: sha512-vafaFqs8MZkRrSX7sFVUdo3ap/eNiLnb4IakshzvP56X5Nr1iGKAIqdX6tMlm6HcNRIkr6AxO5jFEoJzzpT8aQ==} engines: {node: '>=0.4.7'} @@ -5433,10 +5531,6 @@ packages: resolution: {integrity: sha512-zHtQzGojZXTwZTHQqra+ETKd4Sn3vgi7uBmlPoXVWZqYvuKmtI0l/VZTjqGmJY9x88GGOaZ9+G9ES8hC4T4X8g==} engines: {node: '>= 12'} - [email protected]: - resolution: {integrity: sha512-8Q7EARjzEnKpt/PCD7e1cgUS0a6X8u5tdSiMqXhojOdoV9TsMsiO+9VLC5vAmO8N7/GmXn7yjR8qnA6bVAEzfA==} - engines: {node: '>= 0.4'} - [email protected]: resolution: {integrity: sha512-wcjaerHw0ydZwfhiKbXJWLDY8A7yV7KhjQOpb83hGgGfId/aQa4TOvwyzn2PuswW2gPCYEL/nEAiSVpdOj1lXw==} engines: {node: '>= 0.4'} @@ -5679,6 +5773,10 @@ packages: [email protected]: resolution: {integrity: sha512-pi4vhbhVHGLxohUw7PhGsueT4vRGFoXhP7+RGN0jKIv9+8PWYCQTqtADngrxOm2g46hoH0+g8uZZBzMrvVGDmw==} + [email protected]: + resolution: {integrity: sha512-ZhMwEosbFJkA0YhFnNDgTM4ZxDRsS6HqTo7qsZM08fehyRYIYa0yHu5R6mgo1n/8MgaPBXiPimPD77baVFYg+A==} + engines: {node: '>=12.13'} + [email protected]: resolution: {integrity: sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww==} engines: {node: '>=8'} @@ -5917,6 +6015,9 @@ packages: [email protected]: resolution: {integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==} + [email protected]: + resolution: {integrity: sha512-mxa9E9ITFOt0ban3j6L5MpjwegGz6lBQmM1IJkWeBZGcMxto50+eWdjC/52xDbS2vy0k7vIMK0Fe2wfL9OQSpQ==} + [email protected]: resolution: {integrity: sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==} hasBin: true @@ -5941,9 +6042,9 @@ packages: resolution: {integrity: sha512-uZz5UnB7u4T9LvwmFqXii7pZSouaRPorGs5who1Ip7VO0wxanFvBL7GkM6dTHlgX+jhBApRetaWpnDabOeTcnA==} hasBin: true - [email protected]: - resolution: {integrity: sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==} - engines: {node: '>=4'} + [email protected]: + resolution: {integrity: sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA==} + engines: {node: '>=6'} hasBin: true [email protected]: @@ -6051,8 +6152,8 @@ packages: resolution: {integrity: sha512-b94GiNHQNy6JNTrt5w6zNyffMrNkXZb3KTkCZJb2V1xaEGCk093vkZ2jk3tpaeP33/OiXC+WvK9AxUebnf5nbw==} engines: {node: '>= 0.6.3'} - [email protected]: - resolution: {integrity: sha512-v2kkBn8Vqtroo30Pr5/JQ9MygRhnCsoI1jSOf3DxWmcTbkpC5U7c6rGr+7NPK6QrxKbC0/Cj4kuIBMb/7f79sQ==} + [email protected]: + resolution: {integrity: sha512-ZRFlRUBB2obm+GkbTR7EbgTMuAdni6iwtTQTMy7LIrQ4UInG44LyfRepljtgUxh4HA0ltzsvWfPkd5J1DKGCeQ==} engines: {node: '>=18.0.0'} hasBin: true @@ -6104,8 +6205,12 @@ packages: resolution: {integrity: sha512-gUD/epcRms75Cw8RT1pUdHugZYM5ce64ucs2GEISABwkRsOQr0q2wm/MV2TKThycIe5e0ytRweW2RZxclogCdQ==} engines: {node: '>=8'} - [email protected]: - resolution: {integrity: sha512-ok6z3qlYyCDS4ZEU27HaU6x/xZa9Whf8jD4ptH5UZTQYZVYeb9bnZ3ojVhiJNLiXK1Hfc0GNbLXcmZ5plLDDBg==} + [email protected]: + resolution: {integrity: sha512-9rrA30MRRP3gBD3HTGnC6cDFpaE1kVDWxWgqWJUN0RvDNAo+Nz/9GxB+nHOH0ifbVFy0hSA1V6vFDvnx54lTEQ==} + engines: {node: '>=14'} + + [email protected]: + resolution: {integrity: sha512-bbgPw/wmroJsil/GgL4qjDzs5YLTBMQ99weRsok1XCDccQeehbHA/I1oRvk2NPtr7KGZgT/Y5tPRnAtMqeG2Kg==} engines: {node: '>=14'} [email protected]: @@ -6186,8 +6291,8 @@ packages: resolution: {integrity: sha512-RPNliZOFkqFumDhvYqOaNY4Uz9oJM2K9tC6JWsJJsNdhuONW4LQHRBpb0qf4pJApVffI5N39SwzWZJuEhfd7eQ==} engines: {node: '>=0.10.0'} - [email protected]: - resolution: {integrity: sha512-edNu/8D5MKVfGVFRhFf8aAxiTM6Wumfz5XsaatSxlD3w4R1d/WEKUTydCdPGbl9K7QG/Ca3GnDV2sIKIpXRQcw==} + [email protected]: + resolution: {integrity: sha512-kkIp7XSkP78ZxJEsSxW3712C6teJVoeHHwgo9zJ380de7IYyJ2ISlxojcH2pC5OFLewESmnRi/+XCDIEEVyoug==} [email protected]: resolution: {integrity: sha512-RPlX0+PHuvxVDZ7xX+EBVAp4RsVxP/TdDSN2mJYdiq1Lc4Hz7EUSjUI7RZrKKlmrIzVhf6Jo2stj7++gVarS0A==} @@ -6226,8 +6331,8 @@ packages: [email protected]: resolution: {integrity: sha512-4CrMT5DOHTDk4HYDlzmwu4FVCcIYI8gauveasrdCu2IKIFOJ3f0v/8MDGJCDL9oD2ppz/Av1b0Nj345H9M+XIA==} - [email protected]: - resolution: {integrity: sha512-+Wri9p0QHMy+545hKww7YAu5NyzF8iomPL/RQazugQ9+Ez4Ic3mERMd8ZTX5rfK944j+560ZJi8iAwgak1Ac7A==} + [email protected]: + resolution: {integrity: sha512-sNPKHvyjVf7gyjwS4xGTaW/mCnF8wnjtifKBEhxfZ7E/S8tQ0rssrwGNn6q8JH/ohItJfSQp9mBtQYuTlH5QnA==} [email protected]: resolution: {integrity: sha512-L0WhttDl+2BOsybvEOLK7fW3UA0OQ0IQ2d6Zl2x/a6vVRs3bAY0ECOSHHeL5jD+SbOpOCUEi0y1DgHEn9Qn1AQ==} @@ -6490,8 +6595,8 @@ packages: engines: {node: '>=10'} hasBin: true - [email protected]: - resolution: {integrity: sha512-rrVRZRELyQzrIUAVMHxP97kv+G786pHmOKzuFII8zDYahFBS7qnHh2AlYSl1GAHhaMPCz6/oHjVMcfFYgFYHgA==} + [email protected]: + resolution: {integrity: sha512-qmdSIPC4bDJXgZTCR7XosJiNKySV7O215tsPtDN9iEO/7q/76b/ijtgRu/+epFXSJhijtTCCGp3DWS549P3xKw==} [email protected]: resolution: {integrity: sha512-xV2bxeN6F7oYjZWTe/YPAy6MN2M+sL4u/Rlm2AHCIVGfo2p1yGmBHQ6vHehl4bRTZBdHu3TSkWdYgkwpYzAGSw==} @@ -6513,16 +6618,13 @@ packages: [email protected]: resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==} - [email protected]: - resolution: {integrity: sha512-GImSQGhn19czhVpxPdiUDK8CMZ6jbBcvOhzfJd8KFErjEER2wDKWs1UYaetJs2GSNlAqt6heZYm7g3eLatTcog==} + [email protected]: + resolution: {integrity: sha512-BIodwZ19RWfCbYTxWTUfTXc+sg4OwjCAgxU1ZsgmggX/7S3LdUifsbUPJs61j0rWb19CZRGY5if77duhc0uXzw==} engines: {node: '>=18'} hasBin: true peerDependencies: - graphql: '>= 16.8.x' typescript: '>= 4.8.x' peerDependenciesMeta: - graphql: - optional: true typescript: optional: true @@ -6543,8 +6645,12 @@ packages: resolution: {integrity: sha512-avsJQhyd+680gKXyG/sQc0nXaC6rBkPOfyHYcFb9+hdkqQkR9bdnkJ0AMZhke0oesPqIO+mFFJ+IdBc7mst4IA==} engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0} - [email protected]: - resolution: {integrity: sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==} + [email protected]: + resolution: {integrity: sha512-WWdIxpyjEn+FhQJQQv9aQAYlHoNVdzIzUySNV1gHUPDSdZJ3yZn7pAAbQcV7B56Mvu881q9FZV+0Vx2xC44VWA==} + engines: {node: ^18.17.0 || >=20.5.0} + + [email protected]: + resolution: {integrity: sha512-WNLf5Sd8oZxOm+TzppcYk8gVOgP+l58xNy58D0nbUnOxOWRWvlcCV4kUF7ltmI6PsrLl/BgKEyS4mqsGChFN0w==} engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1} hasBin: true @@ -6619,8 +6725,8 @@ packages: [email protected]: resolution: {integrity: sha512-QNABxbrPa3qEIfrE6GOJ7BYIuignnJw7iQ2YPbc3Nla1HzRJjXzZOiikfF8m7eAMfichLt3M4VgLOetqgDmgGQ==} - [email protected]: - resolution: {integrity: sha512-d9VeXT4SJ7ZeOqGX6R5EM022wpL+eWPooLI+5UpWn2jCT1aosUQEhQP214x33Wkwx3JQMvIm+tIoVOdodFS40g==} + [email protected]: + resolution: {integrity: sha512-xxOWJsBKtzAq7DY0J+DTzuz58K8e7sJbdgwkbMWQe8UYB6ekmsQ45q0M/tJDsGaZmbC+l7n57UV8Hl5tHxO9uw==} [email protected]: resolution: {integrity: sha512-NWmpvLSqUrgrAC9HCuxEvb+PSloHpqVu+FqcO4eeF2h5qYRhA7ev6KvelyQAKtegUbC6RypJnlEOhd8vloNKYg==} @@ -6723,10 +6829,6 @@ packages: [email protected]: resolution: {integrity: sha512-5qoj1RUiKOMsCCNLV1CBiPYE10sziTsnmNxkAI/rZhiD63CF7IqdFGC/XzjWjpSgLf0LxXX3bDFIh0E18f6UhQ==} - [email protected]: - resolution: {integrity: sha512-3cyDsyHgtmi7I7DfSSI2LDp6SK2lwvtbg0p0R1e0RvTqF5ceGx+K2dfSjm1bKDMVCFEDAQvy+o8c6a7VujOddw==} - engines: {node: '>= 0.4'} - [email protected]: resolution: {integrity: sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==} engines: {node: '>= 0.4'} @@ -6984,8 +7086,8 @@ packages: resolution: {integrity: sha512-ypGJsmGtdXUOeM5u93TyeIEfEhM6s+ljAhrk5vAvSx8uyY/02OvrZnA0YNGUrPXfpJMgI1ODd3nwz8Npx4O4cg==} engines: {node: 20 || >=22} - [email protected]: - resolution: {integrity: sha512-GQX3SSMokngb36+whdpRXE+3f9V8UzyAorlYvOGx87ufGHehNTn5lCxrKtLyZ4Yl/wEKnNnr98ZzOwwDZV5ogw==} + [email protected]: + resolution: {integrity: sha512-Yhpw4T9C6hPpgPeA28us07OJeqZ5EzQTkbfwuhsUg0c237RomFoETJgmp2sa3F/41gfLE6G5cqcYwznmeEeOlQ==} [email protected]: resolution: {integrity: sha512-S4eENJz1pkiQn9Znv33Q+deTOKmbl+jj1Fl+qiP/vYezj+S8x+J3Uo0ISrx/QoEvIlOaDWJhPaRd1flJ9HXZqg==} @@ -7002,6 +7104,9 @@ packages: [email protected]: resolution: {integrity: sha512-whLdWMYL2TwI08hn8/ZqAbrVemu0LNaNNJZX73O6qaIdCTfXutsLhMkjdENX0qhsQ9uIimo4/aQOmXkoon2nDQ==} + [email protected]: + resolution: {integrity: sha512-WUjGcAqP1gQacoQe+OBJsFA7Ld4DyXuUIjZ5cc75cLHvJ7dtNsTugphxIADwspS+AraAUePCKrSVtPLFj/F88w==} + [email protected]: resolution: {integrity: sha512-vE7JKRyES09KiunauX7nd2Q9/L7lhok4smP9RZTDeD4MVs72Dp2qNFVz39Nz5a0FVEW0BJR6C0DYrq6unoziZA==} engines: {node: '>= 14.16'} @@ -7012,8 +7117,8 @@ packages: [email protected]: resolution: {integrity: sha512-xCy9V055GLEqoFaHoC1SoLIaLmWctgCUaBaWxDZ7/Zx4CTyX7cJQLJOok/orfjZAh9kEYpjJa4d0KcJmCbctZA==} - [email protected]: - resolution: {integrity: sha512-TQ92mBOW0l3LeMeyLV6mzy/kWr8lkd/hp3mTg7wYK7zJhuBStmGMBG0BdeDZS/dZx1IukaX6Bk11zcln25o1Aw==} + [email protected]: + resolution: {integrity: sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==} [email protected]: resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==} @@ -7039,15 +7144,12 @@ packages: resolution: {integrity: sha512-eW/gHNMlxdSP6dmG6uJip6FXN0EQBwm2clYYd8Wul42Cwu/DK8HEftzsapcNdYe2MfLiIwZqsDk2RDEsTE79hA==} engines: {node: '>=10'} - [email protected]: - resolution: {integrity: sha512-+C2AHFtcFqjPih0zpYuvof37SFxMQ7OEG2zV9jRI12i9BOy3YQVAHwdKtyyc8pDcDyIc33WCIsZaCFWU7WWxGQ==} + [email protected]: + resolution: {integrity: sha512-WXglsDzztOTH6IfcJ99ltYZin2mY8XZCXujkYWVIJlBjqsP6ST7zw+Aarh63E1cDVYeyUcPCxPHzJpEOmzB6Wg==} peerDependencies: - '@vue/composition-api': ^1.4.0 typescript: '>=4.4.4' - vue: ^2.6.14 || ^3.3.0 + vue: ^2.7.0 || ^3.5.11 peerDependenciesMeta: - '@vue/composition-api': - optional: true typescript: optional: true @@ -7070,8 +7172,8 @@ packages: resolution: {integrity: sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==} engines: {node: '>=8'} - [email protected]: - resolution: {integrity: sha512-+JrgthZG6m3ckicaOB74TwQ+tBWsFl3qVQg7mN8ulwSOElJ7gBhKzj2VkCPnZ4NlF6kEquYU+RIYNVAvzd54UA==} + [email protected]: + resolution: {integrity: sha512-/Jm5M4RvtBFVkKWRu2BLUTNP8/M2a+UwuAX+ae4770q1qVGtfjG+WTCupoZixokjmHiry8uI+dlY8KXYV5HVVQ==} [email protected]: resolution: {integrity: sha512-nDywThFk1i4BQK4twPQ6TA4RT8bDY96yeuCVBWL3ePARCiEKDRSrNGbFIgUJpLp+XeIR65v8ra7WuJOFUBtkMA==} @@ -7253,8 +7355,8 @@ packages: [email protected]: resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==} - [email protected]: - resolution: {integrity: sha512-7KTLTdzdZZYscUc65XmjFiB73vBhBfbPztCYdUNvlaso9PrzjzcmjqBPR0lNGkcVlcO4BjiO5rK/qNz+XAen1Q==} + [email protected]: + resolution: {integrity: sha512-MjOadfU3Ys9KYoX0AdkBlFEF1Vx37uCCeN4ZHnmwm9FfpbsGWMZeBLMmmpY+6Ocqod7mkdZ0DT31OlbsFrLlkA==} engines: {node: ^10 || ^12 || >=14} [email protected]: @@ -7625,6 +7727,9 @@ packages: resolution: {integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==} engines: {iojs: '>=1.0.0', node: '>=0.10.0'} + [email protected]: + resolution: {integrity: sha512-q1b3N5QkRUWUl7iyylaaj3kOpIT0N2i9MqIEQXP73GVsN9cw3fdx8X63cEmWhJGi2PPCF23Ijp7ktmd39rawIA==} + [email protected]: resolution: {integrity: sha512-22MOP1Rh7sAo1BZpDG6R5RFYzR2lYEgwq7HEmyW2qcsOqR2lQKmn+O//xV3YG/0rrhMC6KVX2hU+ZXuaw9a5bw==} @@ -7678,13 +7783,8 @@ packages: engines: {node: '>=10.0.0'} hasBin: true - [email protected]: - resolution: {integrity: sha512-oWzmBZwvYrU0iJHtDmhsm662rC15FRXmcjCk1xD771dFDx5jJ02ufAQQTn0etB2emNk4J9EZg/yWKpsn9BWGRw==} - engines: {node: '>=14.18.0', npm: '>=8.0.0'} - hasBin: true - - [email protected]: - resolution: {integrity: sha512-e3TapAgYf9xjdLvKQCkQTnbTKd4a6jwlpQSJJFokHGaX2IVjoEqkIIhiQfqsi0cdwlOD+tQGuOd5AJkc5RngBw==} + [email protected]: + resolution: {integrity: sha512-489gTVMzAYdiZHFVA/ig/iYFllCcWFHMvUHI1rpFmkoUtRlQxqh6/yiNqnYibjMZ2b/+FUQwldG+aLsEt6bglQ==} engines: {node: '>=18.0.0', npm: '>=8.0.0'} hasBin: true @@ -7875,8 +7975,8 @@ packages: resolution: {integrity: sha512-xAg7SOnEhrm5zI3puOOKyy1OMcMlIJZYNJY7xLBwSze0UjhPLnWfj2GF2EpT0jmzaJKIWKHLsaSSajf35bcYnA==} engines: {node: '>=v12.22.7'} - [email protected]: - resolution: {integrity: sha512-CRCmi5zHQnSoeCik9565PONMg0kfkvYmcSqrbOJY4txFfy1wvVULV4FDaiXhUblUgahdqz3F2NwHZ8i4eBTwUw==} + [email protected]: + resolution: {integrity: sha512-6FtHJEvt+pVMIB9IBY+IcCJ6Z5f1iQnytgyfKMhDKgmzYG+TeH/wx1y3l27rshSbLiSanrR9ffZDrEsmjlQF2g==} [email protected]: resolution: {integrity: sha512-Orrsjf9trHHxFRuo9/rzm0KIWmgzE8RMlZMzuhZOJ01Rnz3D0YBAe+V6473t6/H6c7irs6Lt48brULAiRWb3Vw==} @@ -7912,6 +8012,9 @@ packages: [email protected]: resolution: {integrity: sha512-GaNA54380uFefWghODBWEGisLZFj00nS5ACs6yHa9nLqlLpVLO8ChDGeKRjZnV4Nh4n0Qi7nhYZD/9fCPzEqkw==} + [email protected]: + resolution: {integrity: sha512-Saa1xPByTTq2gdeFZYLLo+RFE35NHZkAbqZeWNd3BpzppeVisAqpDjcp8dyf6uIvEqJRd46jemmyA4iFIeVk8g==} + [email protected]: resolution: {integrity: sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==} @@ -7972,9 +8075,9 @@ packages: resolution: {integrity: sha512-8G+/XDU8wNsJOQS5ysDVO0Etg9/2uA5gR9l4ZwijjlwxBcrU6RPfwi2+jJmbP+Ap1Hlp/nVAaEO4Fj22/SL2gQ==} engines: {node: ^16.14.0 || >=18.0.0} - [email protected]: - resolution: {integrity: sha512-94Bdh3cC2PKrbgSOUqTiGPWVZeSiXfKOVZNJniWoqrWrRkB1CJzBU3NEbiTsPcYy1lDsANA/THzS+9WBiy5nfQ==} - engines: {node: '>= 10'} + [email protected]: + resolution: {integrity: sha512-FoqMu0NCGBLCcAkS1qA+XJIQTR6/JHfQXl+uGteNCQ76T91DMUjPa9xfmeqMY3z80nLSg9yQmNjK0Px6RWsH/A==} + engines: {node: '>=18'} [email protected]: resolution: {integrity: sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==} @@ -7995,6 +8098,9 @@ packages: resolution: {integrity: sha512-94hK0Hh8rPqQl2xXc3HsaBoOXKV20MToPkcXvwbISWLEs+64sBq5kFgn2kJDHb1Pry9yrP0dxrCI9RRci7RXKg==} engines: {node: '>= 6.0.0', npm: '>= 3.0.0'} + [email protected]: + resolution: {integrity: sha512-g6T+p7QO8npa+/hNx9ohv1E5pVCmWrVCUzUXJyLdMmftX6ER0oiWY/w9knEonLpnOp6b6FenKnMfR8gqwWdwig==} + [email protected]: resolution: {integrity: sha512-GNAq/eg8Udq2x0eNiFkr9gRg5bA7PXEWagQdeRX4cPSG+X/8V38v637gim9bjFptMk1QWsCTr0ttrJEiXbNnRw==} engines: {node: '>= 14'} @@ -8051,6 +8157,10 @@ packages: [email protected]: resolution: {integrity: sha512-J+FWzZoynJEXGphVIS+XEh3kFSjZX/1i9gFBaWQcB+/tmpe2qUsSBABpcxqxnAxFdiUFEgAX1bjYGQvIZmoz9Q==} + [email protected]: + resolution: {integrity: sha512-1POYv7uv2gXoyGFpBCmpDVSNV74IfsWlDW216UPjbWufNf+bSU6GdbDsxdcxtfwb4xlI3yxzOTKClUosxARYrQ==} + engines: {node: '>=0.10.0'} + [email protected]: resolution: {integrity: sha512-RAb22TG39LhI31MbreBgIuKiIKhVsawfTgEGqKHTK87aG+ul/PB8Sqoi3I7kVdRWiCfrKxK3uo4/YUkpNvhPbw==} @@ -8089,12 +8199,8 @@ packages: resolution: {integrity: sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==} engines: {node: '>= 0.8'} - [email protected]: - resolution: {integrity: sha512-JPbdCEQLj1w5GilpiHAx3qJvFndqybBysA3qUOnznweH4QbNYUsW/ea8QzSrnh0vNsezMMw5bcVool8lM0gwzg==} - - [email protected]: - resolution: {integrity: sha512-iCGQj+0l0HOdZ2AEeBADlsRC+vsnDsZsbdSiH1yNSjcfKM7fdpCMfqAL/dwF5BLiw/XhRft/Wax6zQbhq2BcjQ==} - engines: {node: '>= 0.4'} + [email protected]: + resolution: {integrity: sha512-Bc3YwwCB+OzldMxOXJIIvC6cPRWr/LxOp48CdQTOkPyk/t4JWWJbrilwBd7RJzKV8QW7tJkcgAmeuLLJugl5/w==} [email protected]: resolution: {integrity: sha512-ZGd1LhDeGFucr1CUCTBOS58ZhEendd0ttpGT3usTvosS4ntIwKN9LJFp+OeCSprsCPL14BXVRZlHGRY1V9PVzQ==} @@ -8212,8 +8318,8 @@ packages: resolution: {integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==} engines: {node: '>=8'} - [email protected]: - resolution: {integrity: sha512-PugKzOsyXpArk0yWmUwqOZecSO0GH0bPoctLcqNDH9J04pVW3lflYE0ujElBGTloevcxF5MofAOZ7C5l2b+wLg==} + [email protected]: + resolution: {integrity: sha512-TcccoMhJOM3OebGhSBEmp3UZ2SfDMZUEBdRA/9ynfLi8yYajyWX3JiXArcJt4Umh4vISpspkQIY8ZZoCqjbviA==} [email protected]: resolution: {integrity: sha512-J8bbNyKKXl5qYcR36TIO8W3mVGVHrmmxsd5PAItGkmyzwJvybiw2IVq5nqd0i4LSNSkB/sx9VHllbfFdr9k1JA==} @@ -8229,6 +8335,10 @@ packages: peerDependencies: postcss: ^8.4.31 + [email protected]: + resolution: {integrity: sha512-5JRxVqC8I8NuOUjzBbvVJAKNM8qoVuH0O77h4WInc/qC2q5IreqKxYwgkga3PfA22OayK2ikceb/B26dztPl+Q==} + engines: {node: '>=16'} + [email protected]: resolution: {integrity: sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==} engines: {node: '>=4'} @@ -8348,19 +8458,19 @@ packages: [email protected]: resolution: {integrity: sha512-0+DUvqWMValLmha6lr4kD8iAMK1HzV0/aKnCtWb9v9641TnP/MFb7Pc2bxoxQjTXAErryXVgUOfv2YqNllqGeg==} - [email protected]: - resolution: {integrity: sha512-tVGE0mVJPGb0chKhqmsoosjsS+qUnJVGJpZgsHYQcGoPlG3B51R3PouqTgEGH2Dc9jjFyOqOpix6ZHNMXp1FZg==} + [email protected]: + resolution: {integrity: sha512-KQQR9yN7R5+OSwaK0XQoj22pwHoTlgYqmUscPYoknOoWCWfj/5/ABTMRi69FrKU5ffPVh5QcFikpWJI/P1ocHA==} - [email protected]: - resolution: {integrity: sha512-NbBoFBpqfcgd1tCiO8Lkfdk+xrA7mlLR9zgvZcZWQQwU63XAfUePyd6wZBaU93Hqw347lHnwFzttAkemHzzz4g==} + [email protected]: + resolution: {integrity: sha512-32TmKeeKUahv0Go8WmQgiEp9Y21NuxjwjqiRC1nrUB51YacfSwuB44xgXD+HdIppmMRgjQNPdrHyA6vIybYZ+g==} engines: {node: '>=12.0.0'} - [email protected]: - resolution: {integrity: sha512-URZYihUbRPcGv95En+sz6MfghfIc2OJ1sv/RmhWZLouPY0/8Vo80viwPvg3dlaS9fuq7fQMEfgRRK7BBZThBEA==} + [email protected]: + resolution: {integrity: sha512-al6n+QEANGFOMf/dmUMsuS5/r9B06uwlyNjZZql/zv8J7ybHCgoihBNORZCY2mzUuAnomQa2JdhyHKzZxPCrFA==} engines: {node: ^18.0.0 || >=20.0.0} - [email protected]: - resolution: {integrity: sha512-weEDEq7Z5eTHPDh4xjX789+fHfF+P8boiFB+0vbWzpbnbsEr/GRaohi/uMKxg8RZMXnl1ItAi/IUHWMsjDV7kQ==} + [email protected]: + resolution: {integrity: sha512-op4nsTR47R6p0vMUUoYl/a+ljLFVtlfaXkLQmqfLR1qHma1h/ysYk4hEXZ880bf2CYgTskvTa/e196Vd5dDQXw==} engines: {node: '>=14.0.0'} [email protected]: @@ -8385,10 +8495,6 @@ packages: [email protected]: resolution: {integrity: sha512-3f0uOEAQwIqGuWW2MVzYg8fV/QNnc/IpuJNG837rLuczAaLVHslWHZQj4IGiEl5Hs3kkbhwL9Ab7Hrsmuj+Smw==} - [email protected]: - resolution: {integrity: sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==} - engines: {node: '>=4'} - [email protected]: resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==} engines: {node: '>=8.0'} @@ -8447,6 +8553,12 @@ packages: peerDependencies: typescript: '>=4.2.0' + [email protected]: + resolution: {integrity: sha512-dnlgjFSVetynI8nzgJ+qF62efpglpWRk8isUEWZGWlJYySCTD6aKvbUDu+zbPeDakk3bg5H4XpitHukgfL1m9w==} + engines: {node: '>=18.12'} + peerDependencies: + typescript: '>=4.8.4' + [email protected]: resolution: {integrity: sha512-M9MqFGZREyeb5fTl6gNHKZLqBQA0TjA1lea+CR48R8EBTDuWrNqW6ccC5QvjNR4s6wDumD3LTCjOFSp9iwlzaw==} @@ -8520,8 +8632,8 @@ packages: resolution: {integrity: sha512-RAH822pAdBgcNMAfWnCBU3CFZcfZ/i1eZjwFU/dsLKumyuuP3niueg2UAukXYF0E2AAoc82ZSSf9J0WQBinzHA==} engines: {node: '>=12.20'} - [email protected]: - resolution: {integrity: sha512-tB9lu0pQpX5KJq54g+oHOLumOx+pMep4RaM6liXh2PKmVRFF+/vAtUP0ZaJ0kOySfVNjF6doBWPHhBhISKdlIA==} + [email protected]: + resolution: {integrity: sha512-2/AwEFQDFEy30iOLjrvHDIH7e4HEWH+f1Yl1bI5XMqzuoCUqwYCdxachgsgv0og/JdVZUhbfjcJAoHj5L1753A==} engines: {node: '>=16'} [email protected]: @@ -8593,8 +8705,9 @@ packages: resolution: {integrity: sha512-5Zfuy9q/DFr4tfO7ZPeVXb1aPoeQSdeFMLpYuFebehDAhbuevLs5yxSZmIFN1tP5F9Wl4IpJrYojg85/zgyZHQ==} engines: {node: '>=4'} - [email protected]: - resolution: {integrity: sha512-V9HpXYfsZye5bPPYUgs0Otn3ODS1mDUciaBlXljI4C2fTwfFpvFZRywmlOu943puN9sncxROMZhsZCjNXEpzEQ==} + [email protected]: + resolution: {integrity: sha512-oVUL7PSlyVV3QRhsdcyYEMaDX8HJyS/CnUonEJTYA3//bWO+o/4gG8F7auGWWWkrrxBQBYOO8DKe+C53ktpRXw==} + engines: {node: '>=18.12.0'} [email protected]: resolution: {integrity: sha512-afXhuC55wkAmZ0P18QsVE6kp8JaxrEokN2HGIoIVv2ijHQd419H0+6EigAFcIzXeMIkcIkNBpB3L/DXB3cTS/g==} @@ -8623,8 +8736,8 @@ packages: resolution: {integrity: sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==} engines: {node: '>= 0.8'} - [email protected]: - resolution: {integrity: sha512-fHNDkDSxv3PGagX1wmKBYBkgaM4AKAgZmdJw/bxjhNljx9KSXSgHpGfX0MwUrq9qw6q1bhHIZVWyOwoY2koo4w==} + [email protected]: + resolution: {integrity: sha512-B+TGBEBHqY9aR+7YfShfLujETOHstzpV+yaqgy5PkfV0QG7Py+TYMX7vJ9W4SrysHR+UzR+gzcx/nuZjmPeclA==} engines: {node: '>=14'} peerDependencies: '@nuxt/kit': ^3.2.2 @@ -8635,8 +8748,8 @@ packages: '@vueuse/core': optional: true - [email protected]: - resolution: {integrity: sha512-6Wq0SMhMznUx7DTkqr/ogCvWg2vFSCApHmhUcUISxqfnuME2B/KRLa6+bWyX3sbPNhYsW4zI7jvUkkmIumwenw==} + [email protected]: + resolution: {integrity: sha512-GmaJWPAWH6lBI4fP8xKdbMZJwTgsnr8PGJOfQE52jlod8QkqSO4M529Nox2L8zYapjB5hox2wCu4N3c/LOal/A==} peerDependencies: '@nuxt/kit': ^3.0.0 vite: '*' @@ -8644,6 +8757,10 @@ packages: '@nuxt/kit': optional: true + [email protected]: + resolution: {integrity: sha512-8U/MtpkPkkk3Atewj1+RcKIjb5WBimZ/WSLhhR3w6SsIj8XJuKTacSP8g+2JhfSGw0Cb125Y+2zA/IzJZDVbhA==} + engines: {node: '>=18.12.0'} + [email protected]: resolution: {integrity: sha512-1XVl5iXG7P1UrOMnaj2ogYa5YTq8aoh5jwDPQhemwO/OrXW+lPQKDXd1hMz15qxQPxgb/XXlbgo3HQ2rLEbmXQ==} engines: {node: '>=14'} @@ -8661,6 +8778,14 @@ packages: resolution: {integrity: sha512-aXEH9c5qi3uYZHo0niUtxDlT9ylG/luMW/dZslSCkbtC31wCyFkmM0kyoBBh+Grhn7CL+/kvKLfN61/EdxPxMQ==} engines: {node: '>=14.0.0'} + [email protected]: + resolution: {integrity: sha512-2qzQo5LN2DmUZXkWDHvGKLF5BP0WN+KthD6aPnPJ8plRBIjv4lh5O07eYcSxgO2znNw9s4MNhEO1sB+JDllDbQ==} + engines: {node: '>=18.12.0'} + + [email protected]: + resolution: {integrity: sha512-m1ekpSwuOT5hxkJeZGRxO7gXbXT3gF26NjQ7GdVHoLoF8/nopLcd/QfPigpCy7i51oFHiRJg/CyHhj4vs2+KGw==} + engines: {node: '>=18.12.0'} + [email protected]: resolution: {integrity: sha512-aZwGpamFO61g3OlfT7OQCHqhGnW43ieH9WZeP7QxN/G/jS4jfqUkZxoryvJgVPEcrl5NL/ggHsSmLMHuH64Lhg==} engines: {node: '>=4'} @@ -8669,8 +8794,8 @@ packages: resolution: {integrity: sha512-1uEe95xksV1O0CYKXo8vQvN1JEbtJp7lb7C5U9HMsIp6IVwntkH/oNUzyVNQSd4S1sYk2FpSSW44FqMc8qee5w==} engines: {node: '>=4'} - [email protected]: - resolution: {integrity: sha512-EdRAaAyk2cUE1wOf2DkEhzxqOQvFOoRJFNS6NeyJ01Gp2beMRpBAINjM2iDXE3KCuKhwnvHIQCJm6ThL2Z+HzQ==} + [email protected]: + resolution: {integrity: sha512-PPypAm5qvlD7XMZC3BujecnaOxwhrtoFR+Dqkk5Aa/6DssiH0ibKoketaj9w8LP7Bont1rYeoV5plxD7RTEPRg==} hasBin: true peerDependencies: browserslist: '>= 4.21.0' @@ -8728,17 +8853,17 @@ packages: peerDependencies: vue: ^3.3.11 - [email protected]: - resolution: {integrity: sha512-N/mGckI1suG/5wQI35XeR9rsMsPqKXzq1CdUndzVstBj/HvyxxGctwnK6WX43NGt5L3Z5tcRf83g4TITKJhPrA==} - engines: {node: ^18.0.0 || >=20.0.0} + [email protected]: + resolution: {integrity: sha512-02JEJl7SbtwSDJdYS537nU6l+ktdvcREfLksk/NDAqtdKWGqHl+joXzEubHROmS3E6pip+Xgu2tFezMu75jH7A==} + engines: {node: ^18.0.0 || ^20.0.0 || >=22.0.0} hasBin: true - [email protected]: - resolution: {integrity: sha512-SBVzOIdP/kwe6hjkt7LSW4D0+REqqe58AumcnCfRNw4Kt3mbS9pEBkch+nupu2PBxv2tQi69EQHQ1ZA1vgB/Og==} + [email protected]: + resolution: {integrity: sha512-SO3kz3J4yUCNb/cndtIf1mGSJitnbmxjDSRUr0srqfHf06ry9i9ujHQFU7ZUarlf9HFqXW14VyC70fFojP/fKg==} engines: {node: '>=14'} peerDependencies: '@nuxt/kit': '*' - vite: ^3.1.0 || ^4.0.0 || ^5.0.0-0 + vite: ^6.0.0 peerDependenciesMeta: '@nuxt/kit': optional: true @@ -8754,20 +8879,33 @@ packages: '@vitejs/plugin-vue': '>=2.3.4' vite: '*' - [email protected]: - resolution: {integrity: sha512-4oPlIbb+J+zpJGfT2xI/27xqY+qTkRc3MBgWKfbW6IWM3CTcSyybuL9kRMCFRdBHfmgkF28qDs7fqVf/HjH1Xw==} + [email protected]: + resolution: {integrity: sha512-OM8CNb8mAzyYR8ASRC0+2LXVB8ecR/5JHc5RpxbWtF+CmhjhmIELs0iV5y8qvU48soZbk+NsFOYlhoIcjw3+ew==} peerDependencies: + '@solidjs/router': '*' '@vue/compiler-sfc': ^2.7.0 || ^3.0.0 - vite: ^2.0.0 || ^3.0.0-0 || ^4.0.0 || ^5.0.0 + react-router: '*' + vite: ^2.0.0 || ^3.0.0-0 || ^4.0.0 || ^5.0.0 || ^6.0.0 + vue-router: '*' peerDependenciesMeta: + '@solidjs/router': + optional: true '@vue/compiler-sfc': optional: true + react-router: + optional: true + vue-router: + optional: true - [email protected]: - resolution: {integrity: sha512-UxRNPiJBzh4tqU/vc8G2TxmrUTzT6BqvSzhszLk62uKsf+npXdvLxGDz9C675f4BJi6MbD2tPnJhi5txlMzxbQ==} + [email protected]: + resolution: {integrity: sha512-rkTbKFbd232WdiRJ9R3u+hZmf5SfQljX1b45NF6oLA6DSktEKpYllgTo1l2lkiZWMWV78pABJtFjNXfBef3/3Q==} engines: {node: '>=16.0.0'} peerDependencies: - vite: ^3.1.0 || ^4.0.0 || ^5.0.0 + '@vite-pwa/assets-generator': ^0.2.6 + vite: ^3.1.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 + peerDependenciesMeta: + '@vite-pwa/assets-generator': + optional: true [email protected]: resolution: {integrity: sha512-uh6NW7lt+aOXujK4eHfiNbeo55K9OTuB7fnv+5RVc4OBn/cZull6ThXdYH03JzKanUfgt6QZ37NbbtJ0og59qw==} @@ -8823,22 +8961,27 @@ packages: vue-router: optional: true - [email protected]: - resolution: {integrity: sha512-IH+nl64eq9lJjFqU+/yrRnrHPVTlgy42/+IzbOdaFDVlyLgI/wDlf+FCobXLX1cT0X5+7LMyH1mIy2xJdLfo8Q==} - engines: {node: ^18.0.0 || >=20.0.0} + [email protected]: + resolution: {integrity: sha512-RjjMipCKVoR4hVfPY6GQTgveinjNuyLw+qruksLDvA5ktI1150VmcMBKmQaEWJhg/j6Uaf6dNCNA0AfdzUb/hQ==} + engines: {node: ^18.0.0 || ^20.0.0 || >=22.0.0} hasBin: true peerDependencies: '@types/node': 22.5.4 + jiti: '>=1.21.0' less: '*' lightningcss: ^1.21.0 sass: '*' sass-embedded: '*' stylus: '*' sugarss: '*' - terser: ^5.4.0 + terser: ^5.16.0 + tsx: ^4.8.1 + yaml: ^2.4.2 peerDependenciesMeta: '@types/node': optional: true + jiti: + optional: true less: optional: true lightningcss: @@ -8853,21 +8996,28 @@ packages: optional: true terser: optional: true + tsx: + optional: true + yaml: + optional: true - [email protected]: - resolution: {integrity: sha512-97We7/VC0e9X5zBVkvt7SGQMGrRtn3KtySFQG5fpaMlS+l62eeXRQO633AYhSTC3z7IMebnPPNjGXVGNRFlxBA==} - engines: {node: ^18.0.0 || >=20.0.0} + [email protected]: + resolution: {integrity: sha512-4dof+HvqONw9bvsYxtkfUp2uHsTN9bV2CZIi1pWgoFpL1Lld8LA1ka9q/ONSsoScAKG7NVGf2stJTI7XRkXb2Q==} + engines: {node: ^18.0.0 || ^20.0.0 || >=22.0.0} hasBin: true peerDependencies: '@edge-runtime/vm': '*' + '@types/debug': ^4.1.12 '@types/node': 22.5.4 - '@vitest/browser': 2.1.1 - '@vitest/ui': 2.1.1 + '@vitest/browser': 3.0.5 + '@vitest/ui': 3.0.5 happy-dom: '*' jsdom: '*' peerDependenciesMeta: '@edge-runtime/vm': optional: true + '@types/debug': + optional: true '@types/node': optional: true '@vitest/browser': @@ -8991,17 +9141,6 @@ packages: '@vue/composition-api': optional: true - [email protected]: - resolution: {integrity: sha512-8QA7wrYSHKaYgUxDA5ZC24w+eHm3sYCbp0EzcDwKqN3p6HqtTCGR/GVsPyZW92unff4UlcSh++lmqDWN3ZIq4w==} - engines: {node: '>=12'} - hasBin: true - peerDependencies: - '@vue/composition-api': ^1.0.0-rc.1 - vue: ^3.0.0-0 || ^2.6.0 - peerDependenciesMeta: - '@vue/composition-api': - optional: true - [email protected]: resolution: {integrity: sha512-Ry9oiGmCAK91HrKMtCrKFWmSFWvYkpGglCeFAIqDdr9zdXmMMpJOmUJS7WWsW7fX81h6mwHmUZCQQ1E0PkSwYQ==} engines: {node: ^14.17.0 || >=16.0.0} @@ -9013,8 +9152,8 @@ packages: peerDependencies: vue: ^3.0.0-rc.11 - [email protected]: - resolution: {integrity: sha512-S7Xi8DkLQG4xnnbxkxzipJK6CdfLdZkmApn95st89HFGp8LTmTH0Tv+Zw6puhOCZJCFrH73PHo3Ylwd2+Bmdxg==} + [email protected]: + resolution: {integrity: sha512-0P6DkKy96R4Wh2sIZJEHw8ivnlD1pnB6Ib/eldoF1SUpQutfKZv6aMqZwICS1gW0rwq24ZSXw7y3jW+PRVYqWA==} engines: {node: '>= 16'} peerDependencies: vue: ^3.0.0 @@ -9035,8 +9174,8 @@ packages: [email protected]: resolution: {integrity: sha512-1ofrL+GCZOv4HqtX5W3EgkhSAgadSeuD8FDTXbwhLy8kS+28RCR8t2S5VTeM9U/peAaXLBpSgRt3J25ao8KTeg==} - [email protected]: - resolution: {integrity: sha512-dqUcs8tUeG+ssgWhcPbjHvazML16Oga5w34uCUmsk7i0BcnskoLGwjpa15fqMr2Fa5JgVBrdL2MEgqz6XZ/6IQ==} + [email protected]: + resolution: {integrity: sha512-HDuk+PuH5monfNuY+ct49mNmkCRK4xJAV9Ts4z9UFc4rzdDnxQLyCMGGc8pKhZhHTVzfanpNwB/lwqevcBwI4w==} peerDependencies: vue: ^3.2.0 @@ -9046,8 +9185,8 @@ packages: peerDependencies: typescript: '>=5.0.0' - [email protected]: - resolution: {integrity: sha512-8s/56uK6r01r1icG/aEOHqyMVxd1bkYcSe9j8HcKtr/xTOFWvnzIVTehNW+5Yt89f+DLBe4A569pnZLS5HzAMA==} + [email protected]: + resolution: {integrity: sha512-f0ZgN+mZ5KFgVv9wz0f4OgVKukoXtS3nwET4c2vLBGQR50aI8G0cqbFtLlX9Yiyg3LFGBitruPHt2PxwTduJEw==} peerDependencies: typescript: '*' peerDependenciesMeta: @@ -9190,55 +9329,54 @@ packages: [email protected]: resolution: {integrity: sha512-gvVzJFlPycKc5dZN4yPkP8w7Dc37BtP1yczEneOb4uq34pXZcvrtRTmWV8W+Ume+XCxKgbjM+nevkyFPMybd4Q==} - [email protected]: - resolution: {integrity: sha512-S+m1+84gjdueM+jIKZ+I0Lx0BDHkk5Nu6a3kTVxP4fdj3gKouRNmhO8H290ybnJTOPfBDtTMXSQA/QLTvr7PeA==} + [email protected]: + resolution: {integrity: sha512-PCSk3eK7Mxeuyatb22pcSx9dlgWNv3+M8PqPaYDokks8Y5/FX4soaOqj3yhAZr5k6Q5JWTOMYgaJBpbw11G9Eg==} - [email protected]: - resolution: {integrity: sha512-oUuh4jzZrLySOo0tC0WoKiSg90bVAcnE98uW7F8GFiSOXnhogfNDGZelPJa+6KpGBO5+Qelv04Hqx2UD+BJqNQ==} + [email protected]: + resolution: {integrity: sha512-T9/F5VEdJVhwmrIAE+E/kq5at2OY6+OXXgOWQevnubal6sO92Gjo24v6dCVwQiclAF5NS3hlmsifRrpQzZCdUA==} - [email protected]: - resolution: {integrity: sha512-CttE7WCYW9sZC+nUYhQg3WzzGPr4IHmrPnjKiu3AMXsiNQKx+l4hHl63WTrnicLmKEKHScWDH8xsGBdrYgtBzg==} + [email protected]: + resolution: {integrity: sha512-JGL6vZTPlxnlqZRhR/K/msqg3wKP+m0wfEUVosK7gsYzSgeIxvZLi1ViJJzVL7CEeI8r7rGFV973RiEqkP3lWQ==} engines: {node: '>=16.0.0'} - [email protected]: - resolution: {integrity: sha512-0lrtyGHn/LH8kKAJVOQfSu3/80WDc9Ma8ng0p2i/5HuUndGttH+mGMSvOskjOdFImLs2XZIimErp7tSOPmu/6g==} + [email protected]: + resolution: {integrity: sha512-eAFERIg6J2LuyELhLlmeRcJFa5e16Mj8kL2yCDbhWE+HUun9skRQrGIFVUagqWj4DMaaPSMWfAolM7XZZxNmxA==} - [email protected]: - resolution: {integrity: sha512-81JkAAZtfVP8darBpfRTovHg8DGAVrKFgHpOArZbdFd78VqHr5Iw65f2guwjE2NlCFbPFDoez3D3/6ZvhI/rwQ==} + [email protected]: + resolution: {integrity: sha512-Z+mYrErfh4t3zi7NVTvOuACB0A/jA3bgxUN3PwtAVHvfEsZxV9Iju580VEETug3zYJRc0Dmii/aixI/Uxj8fmw==} - [email protected]: - resolution: {integrity: sha512-MLK+fogW+pC3IWU9SFE+FRStvDVutwJMR5if1g7oBJx3qwmO69BNoJQVaMXq41R0gg3MzxVfwOGKx3i9P6sOLQ==} + [email protected]: + resolution: {integrity: sha512-lpnSSLp2BM+K6bgFCWc5bS1LR5pAwDWbcKt1iL87/eTSJRdLdAwGQznZE+1czLgn/X05YChsrEegTNxjM067vQ==} - [email protected]: - resolution: {integrity: sha512-MEYM1JTn/qiC3DbpvP2BVhyIH+dV/5BjHk756u9VbwuAhu0QHyKscTnisQuz21lfRpOwiS9z4XdqeVAKol0bzg==} - deprecated: It is not compatible with newer versions of GA starting with v4, as long as you are using GAv3 it should be ok, but the package is not longer being maintained + [email protected]: + resolution: {integrity: sha512-ii/tSfFdhjLHZ2BrYgFNTrb/yk04pw2hasgbM70jpZfLk0vdJAXgaiMAWsoE+wfJDNWoZmBYY0hMVI0v5wWDbg==} - [email protected]: - resolution: {integrity: sha512-juWCSrxo/fiMz3RsvDspeSLGmbgC0U9tKqcUPZBCf35s64wlaLXyn2KdHHXVQrb2cqF7I0Hc9siQalainmnXJA==} + [email protected]: + resolution: {integrity: sha512-fTJzogmFaTv4bShZ6aA7Bfj4Cewaq5rp30qcxl2iYM45YD79rKIhvzNHiFj1P+u5ZZldroqhASXwwoyusnr2cg==} - [email protected]: - resolution: {integrity: sha512-EC0vol623LJqTJo1mkhD9DZmMP604vHqni3EohhQVwhJlTgyKyOkMrZNy5/QHfOby+39xqC01gv4LjOm4HSfnA==} + [email protected]: + resolution: {integrity: sha512-ckp/3t0msgXclVAYaNndAGeAoWQUv7Rwc4fdhWL69CCAb2UHo3Cef0KIUctqfQj1p8h6aGyz3w8Cy3Ihq9OmIw==} - [email protected]: - resolution: {integrity: sha512-SxAzoVl9j/zRU9OT5+IQs7pbJBOUOlriB8Gn9YMvi38BNZRbM+RvkujHMo8FOe9IWrqqwYgDFBfv6sk76I1yaQ==} + [email protected]: + resolution: {integrity: sha512-EyFmM1KpDzzAouNF3+EWa15yDEenwxoeXu9bgxOEYnFfCxns7eAxA9WSSaVd8kujFFt3eIbShNqa4hLQNFvmVQ==} - [email protected]: - resolution: {integrity: sha512-DntcK9wuG3rYQOONWC0PejxYYIDHyWWZB/ueTbOUDQgefaeIj1kJ7pdP3LZV2lfrj8XXXBWt+JDRSw1lLLOnww==} + [email protected]: + resolution: {integrity: sha512-BJro/MpuW35I/zjZQBcoxsctgeB+kyb2JAP5EB3EYzePg8wDGoQuUdyYQS+CheTb+GhqJeWmVs3QxLI8EBP1sg==} - [email protected]: - resolution: {integrity: sha512-8YxLr3xvqidnbVeGyRGkaV4YdlKkn5qZ1LfEePW3dq+ydE73hUUJJuLmGEykW3fMX8x8mNdL0XrWgotcuZjIvA==} + [email protected]: + resolution: {integrity: sha512-ZUlysUVn5ZUzMOmQN3bqu+gK98vNfgX/gSTZ127izJg/pMMy4LryAthnYtjuqcjkN4HEAx1mdgxNiKJMZQM76A==} - [email protected]: - resolution: {integrity: sha512-dg3qJU7tR/Gcd/XXOOo7x9QoCI9nk74JopaJaYAQ+ugLi57gPsXycVdBnYbayVj34m6Y8ppPwIuecrzkpBVwbA==} + [email protected]: + resolution: {integrity: sha512-tmZydug+qzDFATwX7QiEL5Hdf7FrkhjaF9db1CbB39sDmEZJg3l9ayDvPxy8Y18C3Y66Nrr9kkN1f/RlkDgllg==} - [email protected]: - resolution: {integrity: sha512-moVsh+5to//l6IERWceYKGiftc+prNnqOp2sgALJJFbnNVpTXzKISlTIsrWY+ogMqt+x1oMazIdHj25kBSq/HQ==} + [email protected]: + resolution: {integrity: sha512-SZnXucyg8x2Y61VGtDjKPO5EgPUG5NDn/v86WYHX+9ZqvAsGOytP0Jxp1bl663YUuMoXSAtsGLL+byHzEuMRpw==} - [email protected]: - resolution: {integrity: sha512-SWfEouQfjRiZ7GNABzHUKUyj8pCoe+RwjfOIajcx6J5mtgKkN+t8UToHnpaJL5UVVOf5YhJh+OHhbVNIHe+LVA==} + [email protected]: + resolution: {integrity: sha512-aCUyoAZU9IZtH05mn0ACUpyHzPs0lMeJimAYkQkBsOWiqaJLgusfDCR+yllkPkFRxWpZKF8vSvgHYeG7LwhlmA==} - [email protected]: - resolution: {integrity: sha512-j7P/bsAWE/a7sxqTzXo3P2ALb1reTfZdvVp6OJ/uLr/C2kZAMvjeWGm8V4htQhor7DOvYg0sSbFN2+flT5U0qA==} + [email protected]: + resolution: {integrity: sha512-qW8PDy16OV1UBaUNGlTVcepzrlzyzNW/ZJvFQQs2j2TzGsg6IKjcpZC1RSquqQnTOafl5pCj5bGfAHlCjOOjdA==} [email protected]: resolution: {integrity: sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==} @@ -9331,8 +9469,8 @@ packages: resolution: {integrity: sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==} engines: {node: '>= 6'} - [email protected]: - resolution: {integrity: sha512-bLQOjaX/ADgQ20isPJRvF0iRUHIxVhYvr53Of7wGcWlO2jvtUlH5m87DsmulFVxRpNLOnI4tB6p/oh8D7kpn9Q==} + [email protected]: + resolution: {integrity: sha512-+hSoy/QHluxmC9kCIJyL/uyFmLmc+e5CFR5Wa+bpIhIj85LVb9ZH2nVnqrHoSvKogwODv0ClqZkmiSSaIH5LTA==} engines: {node: '>= 14'} hasBin: true @@ -9470,9 +9608,9 @@ snapshots: jsonpointer: 5.0.0 leven: 3.1.0 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 + '@babel/core': 7.26.9 '@jridgewell/trace-mapping': 0.3.25 commander: 6.2.1 convert-source-map: 2.0.0 @@ -9488,775 +9626,772 @@ snapshots: dependencies: '@babel/highlight': 7.24.7 - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/highlight': 7.24.7 - picocolors: 1.1.0 + '@babel/helper-validator-identifier': 7.25.9 + js-tokens: 4.0.0 + picocolors: 1.1.1 - '@babel/[email protected]': {} + '@babel/[email protected]': {} - '@babel/[email protected]': + '@babel/[email protected]': dependencies: '@ampproject/remapping': 2.3.0 - '@babel/code-frame': 7.24.7 - '@babel/generator': 7.25.0 - '@babel/helper-compilation-targets': 7.25.2 - '@babel/helper-module-transforms': 7.25.2(@babel/[email protected]) - '@babel/helpers': 7.25.0 - '@babel/parser': 7.25.6 - '@babel/template': 7.25.0 - '@babel/traverse': 7.25.3 - '@babel/types': 7.25.6 + '@babel/code-frame': 7.26.2 + '@babel/generator': 7.26.9 + '@babel/helper-compilation-targets': 7.26.5 + '@babel/helper-module-transforms': 7.26.0(@babel/[email protected]) + '@babel/helpers': 7.26.9 + '@babel/parser': 7.26.9 + '@babel/template': 7.26.9 + '@babel/traverse': 7.26.9 + '@babel/types': 7.26.9 convert-source-map: 2.0.0 - debug: 4.3.7 + debug: 4.4.0 gensync: 1.0.0-beta.2 json5: 2.2.3 semver: 6.3.1 transitivePeerDependencies: - supports-color - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/types': 7.25.6 + '@babel/parser': 7.26.9 + '@babel/types': 7.26.9 '@jridgewell/gen-mapping': 0.3.5 '@jridgewell/trace-mapping': 0.3.25 - jsesc: 2.5.2 + jsesc: 3.1.0 - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/types': 7.25.6 + '@babel/types': 7.26.9 '@babel/[email protected]': dependencies: - '@babel/traverse': 7.25.3 - '@babel/types': 7.25.6 + '@babel/traverse': 7.26.9 + '@babel/types': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/compat-data': 7.25.2 - '@babel/helper-validator-option': 7.24.8 - browserslist: 4.23.3 + '@babel/compat-data': 7.26.8 + '@babel/helper-validator-option': 7.25.9 + browserslist: 4.24.4 lru-cache: 5.1.1 semver: 6.3.1 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-annotate-as-pure': 7.24.7 - '@babel/helper-member-expression-to-functions': 7.24.8 - '@babel/helper-optimise-call-expression': 7.24.7 - '@babel/helper-replace-supers': 7.25.0(@babel/[email protected]) - '@babel/helper-skip-transparent-expression-wrappers': 7.24.7 - '@babel/traverse': 7.25.3 + '@babel/core': 7.26.9 + '@babel/helper-annotate-as-pure': 7.25.9 + '@babel/helper-member-expression-to-functions': 7.25.9 + '@babel/helper-optimise-call-expression': 7.25.9 + '@babel/helper-replace-supers': 7.26.5(@babel/[email protected]) + '@babel/helper-skip-transparent-expression-wrappers': 7.25.9 + '@babel/traverse': 7.26.9 semver: 6.3.1 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-annotate-as-pure': 7.24.7 + '@babel/core': 7.26.9 + '@babel/helper-annotate-as-pure': 7.25.9 regexpu-core: 5.3.2 semver: 6.3.1 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-compilation-targets': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - debug: 4.3.7 + '@babel/core': 7.26.9 + '@babel/helper-compilation-targets': 7.26.5 + '@babel/helper-plugin-utils': 7.26.5 + debug: 4.4.0 lodash.debounce: 4.0.8 resolve: 1.22.8 transitivePeerDependencies: - supports-color - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/traverse': 7.25.3 - '@babel/types': 7.25.6 + '@babel/traverse': 7.26.9 + '@babel/types': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected]': - dependencies: - '@babel/types': 7.25.6 - - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/traverse': 7.25.3 - '@babel/types': 7.25.6 + '@babel/traverse': 7.26.9 + '@babel/types': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-module-imports': 7.24.7 - '@babel/helper-simple-access': 7.24.7 - '@babel/helper-validator-identifier': 7.24.7 - '@babel/traverse': 7.25.3 + '@babel/core': 7.26.9 + '@babel/helper-module-imports': 7.25.9 + '@babel/helper-validator-identifier': 7.25.9 + '@babel/traverse': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/types': 7.25.6 + '@babel/types': 7.26.9 - '@babel/[email protected]': {} + '@babel/[email protected]': {} - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-annotate-as-pure': 7.24.7 + '@babel/core': 7.26.9 + '@babel/helper-annotate-as-pure': 7.25.9 '@babel/helper-wrap-function': 7.25.0 - '@babel/traverse': 7.25.3 + '@babel/traverse': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-member-expression-to-functions': 7.24.8 - '@babel/helper-optimise-call-expression': 7.24.7 - '@babel/traverse': 7.25.3 + '@babel/core': 7.26.9 + '@babel/helper-member-expression-to-functions': 7.25.9 + '@babel/helper-optimise-call-expression': 7.25.9 + '@babel/traverse': 7.26.9 transitivePeerDependencies: - supports-color '@babel/[email protected]': dependencies: - '@babel/traverse': 7.25.3 - '@babel/types': 7.25.6 + '@babel/traverse': 7.26.9 + '@babel/types': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/traverse': 7.25.3 - '@babel/types': 7.25.6 + '@babel/traverse': 7.26.9 + '@babel/types': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected]': {} + '@babel/[email protected]': {} - '@babel/[email protected]': {} + '@babel/[email protected]': {} - '@babel/[email protected]': {} + '@babel/[email protected]': {} '@babel/[email protected]': dependencies: - '@babel/template': 7.25.0 - '@babel/traverse': 7.25.3 - '@babel/types': 7.25.6 + '@babel/template': 7.26.9 + '@babel/traverse': 7.26.9 + '@babel/types': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/template': 7.25.0 - '@babel/types': 7.25.6 + '@babel/template': 7.26.9 + '@babel/types': 7.26.9 '@babel/[email protected]': dependencies: - '@babel/helper-validator-identifier': 7.24.7 + '@babel/helper-validator-identifier': 7.25.9 chalk: 2.4.2 js-tokens: 4.0.0 - picocolors: 1.1.0 + picocolors: 1.1.1 - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/types': 7.25.6 + '@babel/types': 7.26.9 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/traverse': 7.25.3 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/traverse': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression@7.25.0(@babel/[email protected])': + '@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression@7.25.0(@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-skip-transparent-expression-wrappers': 7.24.7 - '@babel/plugin-transform-optional-chaining': 7.24.8(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-skip-transparent-expression-wrappers': 7.25.9 + '@babel/plugin-transform-optional-chaining': 7.24.8(@babel/[email protected]) transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/traverse': 7.25.3 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/traverse': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/plugin-proposal-private-property-in-object@7.21.0-placeholder-for-preset-env.2(@babel/[email protected])': + '@babel/plugin-proposal-private-property-in-object@7.21.0-placeholder-for-preset-env.2(@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 + '@babel/core': 7.26.9 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-remap-async-to-generator': 7.25.0(@babel/[email protected]) - '@babel/plugin-syntax-async-generators': 7.8.4(@babel/[email protected]) - '@babel/traverse': 7.25.3 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-remap-async-to-generator': 7.25.0(@babel/[email protected]) + '@babel/plugin-syntax-async-generators': 7.8.4(@babel/[email protected]) + '@babel/traverse': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-module-imports': 7.24.7 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-remap-async-to-generator': 7.25.0(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-module-imports': 7.25.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-remap-async-to-generator': 7.25.0(@babel/[email protected]) transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-create-class-features-plugin': 7.25.0(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-create-class-features-plugin': 7.26.9(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-create-class-features-plugin': 7.25.0(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-class-static-block': 7.14.5(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-create-class-features-plugin': 7.26.9(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-class-static-block': 7.14.5(@babel/[email protected]) transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-annotate-as-pure': 7.24.7 - '@babel/helper-compilation-targets': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-replace-supers': 7.25.0(@babel/[email protected]) - '@babel/traverse': 7.25.3 + '@babel/core': 7.26.9 + '@babel/helper-annotate-as-pure': 7.25.9 + '@babel/helper-compilation-targets': 7.26.5 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-replace-supers': 7.26.5(@babel/[email protected]) + '@babel/traverse': 7.26.9 globals: 11.12.0 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/template': 7.25.0 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/template': 7.26.9 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-dynamic-import': 7.8.3(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-dynamic-import': 7.8.3(@babel/[email protected]) - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 + '@babel/core': 7.26.9 '@babel/helper-builder-binary-assignment-operator-visitor': 7.24.7 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/helper-plugin-utils': 7.26.5 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-export-namespace-from': 7.8.3(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-export-namespace-from': 7.8.3(@babel/[email protected]) - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-skip-transparent-expression-wrappers': 7.24.7 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-skip-transparent-expression-wrappers': 7.25.9 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-compilation-targets': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/traverse': 7.25.3 + '@babel/core': 7.26.9 + '@babel/helper-compilation-targets': 7.26.5 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/traverse': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-json-strings': 7.8.3(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-json-strings': 7.8.3(@babel/[email protected]) - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-logical-assignment-operators': 7.10.4(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-logical-assignment-operators': 7.10.4(@babel/[email protected]) - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-module-transforms': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-module-transforms': 7.26.0(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-module-transforms': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-module-transforms': 7.26.0(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 '@babel/helper-simple-access': 7.24.7 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-module-transforms': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-validator-identifier': 7.24.7 - '@babel/traverse': 7.25.3 + '@babel/core': 7.26.9 + '@babel/helper-module-transforms': 7.26.0(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-validator-identifier': 7.25.9 + '@babel/traverse': 7.26.9 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-module-transforms': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-module-transforms': 7.26.0(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-nullish-coalescing-operator': 7.8.3(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-nullish-coalescing-operator': 7.8.3(@babel/[email protected]) - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-numeric-separator': 7.10.4(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-numeric-separator': 7.10.4(@babel/[email protected]) - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-compilation-targets': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-object-rest-spread': 7.8.3(@babel/[email protected]) - '@babel/plugin-transform-parameters': 7.24.7(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-compilation-targets': 7.26.5 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-object-rest-spread': 7.8.3(@babel/[email protected]) + '@babel/plugin-transform-parameters': 7.24.7(@babel/[email protected]) - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-replace-supers': 7.25.0(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-replace-supers': 7.26.5(@babel/[email protected]) transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-optional-catch-binding': 7.8.3(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-optional-catch-binding': 7.8.3(@babel/[email protected]) - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-skip-transparent-expression-wrappers': 7.24.7 - '@babel/plugin-syntax-optional-chaining': 7.8.3(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-skip-transparent-expression-wrappers': 7.25.9 + '@babel/plugin-syntax-optional-chaining': 7.8.3(@babel/[email protected]) transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-create-class-features-plugin': 7.25.0(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-create-class-features-plugin': 7.26.9(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-annotate-as-pure': 7.24.7 - '@babel/helper-create-class-features-plugin': 7.25.0(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-private-property-in-object': 7.14.5(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-annotate-as-pure': 7.25.9 + '@babel/helper-create-class-features-plugin': 7.26.9(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-private-property-in-object': 7.14.5(@babel/[email protected]) transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 regenerator-transform: 0.15.2 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-skip-transparent-expression-wrappers': 7.24.7 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-skip-transparent-expression-wrappers': 7.25.9 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-annotate-as-pure': 7.24.7 - '@babel/helper-create-class-features-plugin': 7.25.0(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-skip-transparent-expression-wrappers': 7.24.7 - '@babel/plugin-syntax-typescript': 7.24.7(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-annotate-as-pure': 7.25.9 + '@babel/helper-create-class-features-plugin': 7.26.9(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-skip-transparent-expression-wrappers': 7.25.9 + '@babel/plugin-syntax-typescript': 7.25.9(@babel/[email protected]) transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': - dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - - '@babel/[email protected](@babel/[email protected])': - dependencies: - '@babel/core': 7.25.2 - '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 - - '@babel/[email protected](@babel/[email protected])': - dependencies: - '@babel/core': 7.25.2 - '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 - - '@babel/[email protected](@babel/[email protected])': - dependencies: - '@babel/core': 7.25.2 - '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) - '@babel/helper-plugin-utils': 7.24.8 - - '@babel/[email protected](@babel/[email protected])': - dependencies: - '@babel/compat-data': 7.25.2 - '@babel/core': 7.25.2 - '@babel/helper-compilation-targets': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-validator-option': 7.24.8 - '@babel/plugin-bugfix-firefox-class-in-computed-class-key': 7.25.3(@babel/[email protected]) - '@babel/plugin-bugfix-safari-class-field-initializer-scope': 7.25.0(@babel/[email protected]) - '@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression': 7.25.0(@babel/[email protected]) - '@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining': 7.24.7(@babel/[email protected]) - '@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly': 7.25.0(@babel/[email protected]) - '@babel/plugin-proposal-private-property-in-object': 7.21.0-placeholder-for-preset-env.2(@babel/[email protected]) - '@babel/plugin-syntax-async-generators': 7.8.4(@babel/[email protected]) - '@babel/plugin-syntax-class-properties': 7.12.13(@babel/[email protected]) - '@babel/plugin-syntax-class-static-block': 7.14.5(@babel/[email protected]) - '@babel/plugin-syntax-dynamic-import': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-export-namespace-from': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-import-assertions': 7.24.7(@babel/[email protected]) - '@babel/plugin-syntax-import-attributes': 7.24.7(@babel/[email protected]) - '@babel/plugin-syntax-import-meta': 7.10.4(@babel/[email protected]) - '@babel/plugin-syntax-json-strings': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-logical-assignment-operators': 7.10.4(@babel/[email protected]) - '@babel/plugin-syntax-nullish-coalescing-operator': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-numeric-separator': 7.10.4(@babel/[email protected]) - '@babel/plugin-syntax-object-rest-spread': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-optional-catch-binding': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-optional-chaining': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-private-property-in-object': 7.14.5(@babel/[email protected]) - '@babel/plugin-syntax-top-level-await': 7.14.5(@babel/[email protected]) - '@babel/plugin-syntax-unicode-sets-regex': 7.18.6(@babel/[email protected]) - '@babel/plugin-transform-arrow-functions': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-async-generator-functions': 7.25.0(@babel/[email protected]) - '@babel/plugin-transform-async-to-generator': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-block-scoped-functions': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-block-scoping': 7.25.0(@babel/[email protected]) - '@babel/plugin-transform-class-properties': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-class-static-block': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-classes': 7.25.0(@babel/[email protected]) - '@babel/plugin-transform-computed-properties': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-destructuring': 7.24.8(@babel/[email protected]) - '@babel/plugin-transform-dotall-regex': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-duplicate-keys': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-duplicate-named-capturing-groups-regex': 7.25.0(@babel/[email protected]) - '@babel/plugin-transform-dynamic-import': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-exponentiation-operator': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-export-namespace-from': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-for-of': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-function-name': 7.25.1(@babel/[email protected]) - '@babel/plugin-transform-json-strings': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-literals': 7.25.2(@babel/[email protected]) - '@babel/plugin-transform-logical-assignment-operators': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-member-expression-literals': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-modules-amd': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-modules-commonjs': 7.24.8(@babel/[email protected]) - '@babel/plugin-transform-modules-systemjs': 7.25.0(@babel/[email protected]) - '@babel/plugin-transform-modules-umd': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-named-capturing-groups-regex': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-new-target': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-nullish-coalescing-operator': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-numeric-separator': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-object-rest-spread': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-object-super': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-optional-catch-binding': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-optional-chaining': 7.24.8(@babel/[email protected]) - '@babel/plugin-transform-parameters': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-private-methods': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-private-property-in-object': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-property-literals': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-regenerator': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-reserved-words': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-shorthand-properties': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-spread': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-sticky-regex': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-template-literals': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-typeof-symbol': 7.24.8(@babel/[email protected]) - '@babel/plugin-transform-unicode-escapes': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-unicode-property-regex': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-unicode-regex': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-unicode-sets-regex': 7.24.7(@babel/[email protected]) - '@babel/preset-modules': 0.1.6-no-external-plugins(@babel/[email protected]) - babel-plugin-polyfill-corejs2: 0.4.10(@babel/[email protected]) - babel-plugin-polyfill-corejs3: 0.10.4(@babel/[email protected]) - babel-plugin-polyfill-regenerator: 0.6.1(@babel/[email protected]) + '@babel/[email protected](@babel/[email protected])': + dependencies: + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + + '@babel/[email protected](@babel/[email protected])': + dependencies: + '@babel/core': 7.26.9 + '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 + + '@babel/[email protected](@babel/[email protected])': + dependencies: + '@babel/core': 7.26.9 + '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 + + '@babel/[email protected](@babel/[email protected])': + dependencies: + '@babel/core': 7.26.9 + '@babel/helper-create-regexp-features-plugin': 7.25.2(@babel/[email protected]) + '@babel/helper-plugin-utils': 7.26.5 + + '@babel/[email protected](@babel/[email protected])': + dependencies: + '@babel/compat-data': 7.26.8 + '@babel/core': 7.26.9 + '@babel/helper-compilation-targets': 7.26.5 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-validator-option': 7.25.9 + '@babel/plugin-bugfix-firefox-class-in-computed-class-key': 7.25.3(@babel/[email protected]) + '@babel/plugin-bugfix-safari-class-field-initializer-scope': 7.25.0(@babel/[email protected]) + '@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression': 7.25.0(@babel/[email protected]) + '@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining': 7.24.7(@babel/[email protected]) + '@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly': 7.25.0(@babel/[email protected]) + '@babel/plugin-proposal-private-property-in-object': 7.21.0-placeholder-for-preset-env.2(@babel/[email protected]) + '@babel/plugin-syntax-async-generators': 7.8.4(@babel/[email protected]) + '@babel/plugin-syntax-class-properties': 7.12.13(@babel/[email protected]) + '@babel/plugin-syntax-class-static-block': 7.14.5(@babel/[email protected]) + '@babel/plugin-syntax-dynamic-import': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-export-namespace-from': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-import-assertions': 7.24.7(@babel/[email protected]) + '@babel/plugin-syntax-import-attributes': 7.24.7(@babel/[email protected]) + '@babel/plugin-syntax-import-meta': 7.10.4(@babel/[email protected]) + '@babel/plugin-syntax-json-strings': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-logical-assignment-operators': 7.10.4(@babel/[email protected]) + '@babel/plugin-syntax-nullish-coalescing-operator': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-numeric-separator': 7.10.4(@babel/[email protected]) + '@babel/plugin-syntax-object-rest-spread': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-optional-catch-binding': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-optional-chaining': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-private-property-in-object': 7.14.5(@babel/[email protected]) + '@babel/plugin-syntax-top-level-await': 7.14.5(@babel/[email protected]) + '@babel/plugin-syntax-unicode-sets-regex': 7.18.6(@babel/[email protected]) + '@babel/plugin-transform-arrow-functions': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-async-generator-functions': 7.25.0(@babel/[email protected]) + '@babel/plugin-transform-async-to-generator': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-block-scoped-functions': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-block-scoping': 7.25.0(@babel/[email protected]) + '@babel/plugin-transform-class-properties': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-class-static-block': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-classes': 7.25.0(@babel/[email protected]) + '@babel/plugin-transform-computed-properties': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-destructuring': 7.24.8(@babel/[email protected]) + '@babel/plugin-transform-dotall-regex': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-duplicate-keys': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-duplicate-named-capturing-groups-regex': 7.25.0(@babel/[email protected]) + '@babel/plugin-transform-dynamic-import': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-exponentiation-operator': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-export-namespace-from': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-for-of': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-function-name': 7.25.1(@babel/[email protected]) + '@babel/plugin-transform-json-strings': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-literals': 7.25.2(@babel/[email protected]) + '@babel/plugin-transform-logical-assignment-operators': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-member-expression-literals': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-modules-amd': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-modules-commonjs': 7.24.8(@babel/[email protected]) + '@babel/plugin-transform-modules-systemjs': 7.25.0(@babel/[email protected]) + '@babel/plugin-transform-modules-umd': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-named-capturing-groups-regex': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-new-target': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-nullish-coalescing-operator': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-numeric-separator': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-object-rest-spread': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-object-super': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-optional-catch-binding': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-optional-chaining': 7.24.8(@babel/[email protected]) + '@babel/plugin-transform-parameters': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-private-methods': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-private-property-in-object': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-property-literals': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-regenerator': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-reserved-words': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-shorthand-properties': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-spread': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-sticky-regex': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-template-literals': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-typeof-symbol': 7.24.8(@babel/[email protected]) + '@babel/plugin-transform-unicode-escapes': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-unicode-property-regex': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-unicode-regex': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-unicode-sets-regex': 7.24.7(@babel/[email protected]) + '@babel/preset-modules': 0.1.6-no-external-plugins(@babel/[email protected]) + babel-plugin-polyfill-corejs2: 0.4.10(@babel/[email protected]) + babel-plugin-polyfill-corejs3: 0.10.4(@babel/[email protected]) + babel-plugin-polyfill-regenerator: 0.6.1(@babel/[email protected]) core-js-compat: 3.37.1 semver: 6.3.1 transitivePeerDependencies: - supports-color - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/types': 7.25.6 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/types': 7.26.9 esutils: 2.0.3 - '@babel/[email protected](@babel/[email protected])': + '@babel/[email protected](@babel/[email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/helper-validator-option': 7.24.8 - '@babel/plugin-syntax-jsx': 7.24.7(@babel/[email protected]) - '@babel/plugin-transform-modules-commonjs': 7.24.8(@babel/[email protected]) - '@babel/plugin-transform-typescript': 7.25.2(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/helper-validator-option': 7.25.9 + '@babel/plugin-syntax-jsx': 7.24.7(@babel/[email protected]) + '@babel/plugin-transform-modules-commonjs': 7.24.8(@babel/[email protected]) + '@babel/plugin-transform-typescript': 7.26.8(@babel/[email protected]) transitivePeerDependencies: - supports-color @@ -10266,37 +10401,38 @@ snapshots: dependencies: regenerator-runtime: 0.14.0 - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/code-frame': 7.24.7 - '@babel/parser': 7.25.6 - '@babel/types': 7.25.6 + '@babel/code-frame': 7.26.2 + '@babel/parser': 7.26.9 + '@babel/types': 7.26.9 - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/code-frame': 7.24.7 - '@babel/generator': 7.25.0 - '@babel/parser': 7.25.6 - '@babel/template': 7.25.0 - '@babel/types': 7.25.6 - debug: 4.3.7 + '@babel/code-frame': 7.26.2 + '@babel/generator': 7.26.9 + '@babel/parser': 7.26.9 + '@babel/template': 7.26.9 + '@babel/types': 7.26.9 + debug: 4.4.0 globals: 11.12.0 transitivePeerDependencies: - supports-color - '@babel/[email protected]': + '@babel/[email protected]': dependencies: - '@babel/helper-string-parser': 7.24.8 - '@babel/helper-validator-identifier': 7.24.7 - to-fast-properties: 2.0.0 + '@babel/helper-string-parser': 7.25.9 + '@babel/helper-validator-identifier': 7.25.9 '@bcoe/[email protected]': {} + '@bcoe/[email protected]': {} + '@bufbuild/[email protected]': {} - '@bundled-es-modules/[email protected]': + '@bundled-es-modules/[email protected]': dependencies: - cookie: 0.5.0 + cookie: 0.7.2 '@bundled-es-modules/[email protected]': dependencies: @@ -10367,139 +10503,145 @@ snapshots: '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': + optional: true + + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': + optional: true + + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@esbuild/[email protected]': optional: true - '@esbuild/[email protected]': + '@esbuild/[email protected]': optional: true '@eslint-community/[email protected]([email protected])': @@ -10512,7 +10654,7 @@ snapshots: '@eslint/[email protected]': dependencies: ajv: 6.12.6 - debug: 4.3.7 + debug: 4.4.0 espree: 9.6.1 globals: 13.24.0 ignore: 5.3.1 @@ -10583,15 +10725,15 @@ snapshots: dependencies: '@fortawesome/fontawesome-common-types': 6.5.2 - '@fortawesome/[email protected](@fortawesome/[email protected])([email protected]([email protected]))': + '@fortawesome/[email protected](@fortawesome/[email protected])([email protected]([email protected]))': dependencies: '@fortawesome/fontawesome-svg-core': 6.5.2 - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) '@humanwhocodes/[email protected]': dependencies: '@humanwhocodes/object-schema': 2.0.3 - debug: 4.3.7 + debug: 4.4.0 minimatch: 3.1.2 transitivePeerDependencies: - supports-color @@ -10602,78 +10744,107 @@ snapshots: '@hutson/[email protected]': {} - '@inquirer/[email protected]': + '@inquirer/[email protected](@types/[email protected])': dependencies: - '@inquirer/core': 9.1.0 - '@inquirer/type': 1.5.3 + '@inquirer/core': 10.1.7(@types/[email protected]) + '@inquirer/type': 3.0.4(@types/[email protected]) + optionalDependencies: + '@types/node': 22.5.4 - '@inquirer/[email protected]': + '@inquirer/[email protected](@types/[email protected])': dependencies: - '@inquirer/figures': 1.0.5 - '@inquirer/type': 1.5.3 - '@types/mute-stream': 0.0.4 - '@types/node': 22.5.4 - '@types/wrap-ansi': 3.0.0 + '@inquirer/figures': 1.0.10 + '@inquirer/type': 3.0.4(@types/[email protected]) ansi-escapes: 4.3.2 - cli-spinners: 2.9.2 cli-width: 4.1.0 - mute-stream: 1.0.0 + mute-stream: 2.0.0 signal-exit: 4.1.0 - strip-ansi: 6.0.1 wrap-ansi: 6.2.0 yoctocolors-cjs: 2.1.2 + optionalDependencies: + '@types/node': 22.5.4 - '@inquirer/[email protected]': {} + '@inquirer/[email protected]': {} - '@inquirer/[email protected]': - dependencies: - mute-stream: 1.0.0 + '@inquirer/[email protected](@types/[email protected])': + optionalDependencies: + '@types/node': 22.5.4 - '@intlify/[email protected]([email protected]([email protected]([email protected])))': + '@intlify/[email protected]([email protected]([email protected]([email protected])))': dependencies: - '@intlify/message-compiler': 9.11.1 - '@intlify/shared': 9.11.1 - acorn: 8.12.1 + '@intlify/message-compiler': 11.0.0-rc.1 + '@intlify/shared': 11.0.0-rc.1 + acorn: 8.14.0 escodegen: 2.1.0 estree-walker: 2.0.2 jsonc-eslint-parser: 2.4.0 - mlly: 1.7.1 + mlly: 1.7.4 source-map-js: 1.2.1 yaml-eslint-parser: 1.2.2 optionalDependencies: - vue-i18n: 9.11.1([email protected]([email protected])) + vue-i18n: 11.1.1([email protected]([email protected])) - '@intlify/[email protected]': + '@intlify/[email protected]': dependencies: - '@intlify/message-compiler': 9.11.1 - '@intlify/shared': 9.11.1 + '@intlify/message-compiler': 11.1.1 + '@intlify/shared': 11.1.1 - '@intlify/[email protected]': + '@intlify/[email protected]': dependencies: - '@intlify/shared': 9.11.1 + '@intlify/core-base': 11.1.1 + '@intlify/shared': 11.1.1 + + '@intlify/[email protected]': + dependencies: + '@intlify/shared': 11.0.0-rc.1 + source-map-js: 1.2.1 + + '@intlify/[email protected]': + dependencies: + '@intlify/shared': 11.1.1 source-map-js: 1.2.1 - '@intlify/[email protected]': {} + '@intlify/[email protected]': {} + + '@intlify/[email protected]': {} - '@intlify/[email protected]([email protected])([email protected]([email protected]([email protected])))': + '@intlify/[email protected]': {} + + '@intlify/[email protected](@vue/[email protected])([email protected])([email protected])([email protected])([email protected]([email protected]([email protected])))([email protected]([email protected]))': dependencies: - '@intlify/bundle-utils': 8.0.0([email protected]([email protected]([email protected]))) - '@intlify/shared': 9.11.1 - '@rollup/pluginutils': 5.1.0([email protected]) - '@vue/compiler-sfc': 3.4.27 - debug: 4.3.7 + '@eslint-community/eslint-utils': 4.4.0([email protected]) + '@intlify/bundle-utils': 10.0.0([email protected]([email protected]([email protected]))) + '@intlify/shared': 11.1.1 + '@intlify/vue-i18n-extensions': 8.0.0(@vue/[email protected])([email protected]([email protected]([email protected])))([email protected]([email protected])) + '@rollup/pluginutils': 5.1.0([email protected]) + '@typescript-eslint/scope-manager': 8.24.1 + '@typescript-eslint/typescript-estree': 8.24.1([email protected]) + debug: 4.4.0 fast-glob: 3.3.2 js-yaml: 4.1.0 json5: 2.2.3 pathe: 1.1.2 - picocolors: 1.1.0 + picocolors: 1.1.1 source-map-js: 1.2.1 unplugin: 1.12.1 + vue: 3.4.38([email protected]) optionalDependencies: - vue-i18n: 9.11.1([email protected]([email protected])) + vue-i18n: 11.1.1([email protected]([email protected])) transitivePeerDependencies: + - '@vue/compiler-dom' + - eslint - rollup - supports-color + - typescript + + '@intlify/[email protected](@vue/[email protected])([email protected]([email protected]([email protected])))([email protected]([email protected]))': + dependencies: + '@babel/parser': 7.26.9 + '@intlify/shared': 10.0.5 + optionalDependencies: + '@vue/compiler-dom': 3.4.38 + vue: 3.4.38([email protected]) + vue-i18n: 11.1.1([email protected]([email protected])) '@isaacs/[email protected]': dependencies: @@ -10835,7 +11006,7 @@ snapshots: '@jest/[email protected]': dependencies: - '@babel/core': 7.25.2 + '@babel/core': 7.26.9 '@jest/types': 28.1.3 '@jridgewell/trace-mapping': 0.3.25 babel-plugin-istanbul: 6.1.1 @@ -10894,9 +11065,9 @@ snapshots: '@jridgewell/resolve-uri': 3.1.2 '@jridgewell/sourcemap-codec': 1.5.0 - '@lerna/[email protected]([email protected])([email protected])': + '@lerna/[email protected]([email protected])([email protected])': dependencies: - '@npmcli/arborist': 7.5.3 + '@npmcli/arborist': 7.5.4 '@npmcli/package-json': 5.2.0 '@npmcli/run-script': 8.1.0 '@nx/devkit': 19.5.2([email protected]) @@ -10912,7 +11083,7 @@ snapshots: console-control-strings: 1.1.0 conventional-changelog-core: 5.0.1 conventional-recommended-bump: 7.0.1 - cosmiconfig: 8.3.6([email protected]) + cosmiconfig: 9.0.0([email protected]) dedent: 1.5.3 execa: 5.0.0 fs-extra: 11.2.0 @@ -10983,7 +11154,7 @@ snapshots: '@mdi/[email protected]': {} - '@mswjs/[email protected]': + '@mswjs/[email protected]': dependencies: '@open-draft/deferred-promise': 2.2.0 '@open-draft/logger': 0.3.0 @@ -11023,7 +11194,7 @@ snapshots: transitivePeerDependencies: - supports-color - '@npmcli/[email protected]': + '@npmcli/[email protected]': dependencies: '@isaacs/string-locale-compare': 1.1.0 '@npmcli/fs': 3.1.1 @@ -11436,7 +11607,7 @@ snapshots: dependencies: '@percy/cli-command': 1.29.3([email protected]) '@percy/logger': 1.29.3 - cross-spawn: 7.0.3 + cross-spawn: 7.0.6 which: 2.0.2 transitivePeerDependencies: - bufferutil @@ -11447,7 +11618,7 @@ snapshots: '@percy/[email protected]([email protected])': dependencies: '@percy/cli-command': 1.29.3([email protected]) - yaml: 2.5.1 + yaml: 2.7.0 transitivePeerDependencies: - bufferutil - supports-color @@ -11493,7 +11664,7 @@ snapshots: '@percy/logger': 1.29.3 ajv: 8.17.1 cosmiconfig: 8.3.6([email protected]) - yaml: 2.5.1 + yaml: 2.7.0 transitivePeerDependencies: - typescript @@ -11505,16 +11676,16 @@ snapshots: '@percy/logger': 1.29.3 '@percy/webdriver-utils': 1.29.3([email protected]) content-disposition: 0.5.4 - cross-spawn: 7.0.3 + cross-spawn: 7.0.6 extract-zip: 2.0.1 fast-glob: 3.3.2 micromatch: 4.0.8 mime-types: 2.1.35 pako: 2.1.0 - path-to-regexp: 6.2.2 + path-to-regexp: 6.3.0 rimraf: 3.0.2 ws: 8.18.0 - yaml: 2.5.1 + yaml: 2.7.0 transitivePeerDependencies: - bufferutil - supports-color @@ -11559,16 +11730,16 @@ snapshots: transitivePeerDependencies: - supports-color - '@rollup/[email protected]([email protected])': + '@rollup/[email protected]([email protected])': dependencies: slash: 4.0.0 optionalDependencies: - rollup: 3.29.4 + rollup: 4.34.8 - '@rollup/[email protected](@babel/[email protected])(@types/[email protected])([email protected])': + '@rollup/[email protected](@babel/[email protected])(@types/[email protected])([email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-module-imports': 7.24.7 + '@babel/core': 7.26.9 + '@babel/helper-module-imports': 7.25.9 '@rollup/pluginutils': 3.1.0([email protected]) rollup: 2.79.1 optionalDependencies: @@ -11576,37 +11747,38 @@ snapshots: transitivePeerDependencies: - supports-color - '@rollup/[email protected](@babel/[email protected])(@types/[email protected])([email protected])': + '@rollup/[email protected](@babel/[email protected])(@types/[email protected])([email protected])': dependencies: - '@babel/core': 7.25.2 - '@babel/helper-module-imports': 7.24.7 - '@rollup/pluginutils': 5.1.0([email protected]) + '@babel/core': 7.26.9 + '@babel/helper-module-imports': 7.25.9 + '@rollup/pluginutils': 5.1.0([email protected]) optionalDependencies: '@types/babel__core': 7.1.19 - rollup: 3.29.4 + rollup: 4.34.8 transitivePeerDependencies: - supports-color - '@rollup/[email protected]([email protected])': + '@rollup/[email protected]([email protected])': dependencies: - '@rollup/pluginutils': 3.1.0([email protected]) - '@types/resolve': 1.17.1 - builtin-modules: 3.3.0 + '@rollup/pluginutils': 5.1.0([email protected]) + '@types/resolve': 1.20.2 deepmerge: 4.3.1 + is-builtin-module: 3.2.1 is-module: 1.0.0 resolve: 1.22.8 + optionalDependencies: rollup: 2.79.1 - '@rollup/[email protected]([email protected])': + '@rollup/[email protected]([email protected])': dependencies: - '@rollup/pluginutils': 5.1.0([email protected]) + '@rollup/pluginutils': 5.1.0([email protected]) '@types/resolve': 1.20.2 deepmerge: 4.3.1 is-builtin-module: 3.2.1 is-module: 1.0.0 resolve: 1.22.8 optionalDependencies: - rollup: 3.29.4 + rollup: 4.34.8 '@rollup/[email protected]([email protected])': dependencies: @@ -11614,19 +11786,27 @@ snapshots: magic-string: 0.25.7 rollup: 2.79.1 - '@rollup/[email protected]([email protected])': + '@rollup/[email protected]([email protected])': dependencies: - '@rollup/pluginutils': 3.1.0([email protected]) + '@rollup/pluginutils': 3.1.0([email protected]) magic-string: 0.25.7 - rollup: 3.29.4 + rollup: 4.34.8 + + '@rollup/[email protected]([email protected])': + dependencies: + serialize-javascript: 6.0.2 + smob: 1.5.0 + terser: 5.31.3 + optionalDependencies: + rollup: 2.79.1 - '@rollup/[email protected]([email protected])([email protected])([email protected])': + '@rollup/[email protected]([email protected])([email protected])([email protected])': dependencies: - '@rollup/pluginutils': 5.1.0([email protected]) + '@rollup/pluginutils': 5.1.0([email protected]) resolve: 1.22.8 typescript: 5.5.4 optionalDependencies: - rollup: 3.29.4 + rollup: 4.34.8 tslib: 2.6.2 '@rollup/[email protected]([email protected])': @@ -11636,75 +11816,84 @@ snapshots: picomatch: 2.3.1 rollup: 2.79.1 - '@rollup/[email protected]([email protected])': + '@rollup/[email protected]([email protected])': dependencies: '@types/estree': 0.0.39 estree-walker: 1.0.1 picomatch: 2.3.1 - rollup: 3.29.4 + rollup: 4.34.8 - '@rollup/[email protected]([email protected])': + '@rollup/[email protected]([email protected])': dependencies: - '@types/estree': 1.0.5 + '@types/estree': 1.0.6 estree-walker: 2.0.2 picomatch: 2.3.1 optionalDependencies: - rollup: 3.29.4 + rollup: 2.79.1 - '@rollup/[email protected]([email protected])': + '@rollup/[email protected]([email protected])': dependencies: - '@types/estree': 1.0.5 + '@types/estree': 1.0.6 estree-walker: 2.0.2 picomatch: 2.3.1 optionalDependencies: - rollup: 4.21.2 + rollup: 4.34.8 + + '@rollup/[email protected]': + optional: true + + '@rollup/[email protected]': + optional: true + + '@rollup/[email protected]': + optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true - '@rollup/[email protected]': + '@rollup/[email protected]': optional: true '@sentry-internal/[email protected]': @@ -11735,13 +11924,13 @@ snapshots: '@sentry/[email protected]': {} - '@sentry/[email protected]([email protected]([email protected])([email protected]([email protected])))([email protected]([email protected]))': + '@sentry/[email protected]([email protected]([email protected])([email protected]([email protected])))([email protected]([email protected]))': dependencies: '@sentry/browser': 9.0.1 '@sentry/core': 9.0.1 - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) optionalDependencies: - pinia: 2.1.7([email protected])([email protected]([email protected])) + pinia: 3.0.1([email protected])([email protected]([email protected])) '@sigstore/[email protected]': dependencies: @@ -11802,18 +11991,18 @@ snapshots: dependencies: defer-to-connect: 2.0.1 - '@testing-library/[email protected](@vuetify/[email protected])': + '@testing-library/[email protected](@vuetify/[email protected])': dependencies: '@testing-library/dom': '@vuetify/[email protected]' - '@testing-library/[email protected](patch_hash=3limad3b7od6m3nrz2f3jnaixy)(@vue/[email protected])([email protected]([email protected]))': + '@testing-library/[email protected](patch_hash=3limad3b7od6m3nrz2f3jnaixy)(@vue/[email protected])([email protected]([email protected]))': dependencies: '@babel/runtime': 7.24.4 '@testing-library/dom': '@vuetify/[email protected]' '@vue/test-utils': 2.4.6 - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) optionalDependencies: - '@vue/compiler-sfc': 3.4.27 + '@vue/compiler-sfc': 3.5.13 '@tootallnate/[email protected]': {} @@ -11841,24 +12030,24 @@ snapshots: '@types/[email protected]': dependencies: - '@babel/parser': 7.25.6 - '@babel/types': 7.25.6 + '@babel/parser': 7.26.9 + '@babel/types': 7.26.9 '@types/babel__generator': 7.6.8 '@types/babel__template': 7.0.2 '@types/babel__traverse': 7.0.15 '@types/[email protected]': dependencies: - '@babel/types': 7.25.6 + '@babel/types': 7.26.9 '@types/[email protected]': dependencies: - '@babel/parser': 7.25.6 - '@babel/types': 7.25.6 + '@babel/parser': 7.26.9 + '@babel/types': 7.26.9 '@types/[email protected]': dependencies: - '@babel/types': 7.25.6 + '@babel/types': 7.26.9 '@types/[email protected]': {} @@ -11872,7 +12061,7 @@ snapshots: '@types/[email protected]': {} - '@types/[email protected]': {} + '@types/[email protected]': {} '@types/[email protected]': {} @@ -11930,10 +12119,6 @@ snapshots: '@types/[email protected]': {} - '@types/[email protected]': - dependencies: - '@types/node': 22.5.4 - '@types/[email protected]': dependencies: undici-types: 6.19.8 @@ -11950,10 +12135,6 @@ snapshots: '@types/[email protected]': {} - '@types/[email protected]': - dependencies: - '@types/node': 22.5.4 - '@types/[email protected]': {} '@types/[email protected]': @@ -11972,8 +12153,6 @@ snapshots: '@types/[email protected]': {} - '@types/[email protected]': {} - '@types/[email protected]': dependencies: '@types/node': 22.5.4 @@ -12017,7 +12196,7 @@ snapshots: '@typescript-eslint/types': 7.18.0 '@typescript-eslint/typescript-estree': 7.18.0([email protected]) '@typescript-eslint/visitor-keys': 7.18.0 - debug: 4.3.7 + debug: 4.4.0 eslint: 8.57.0 optionalDependencies: typescript: 5.5.4 @@ -12029,16 +12208,16 @@ snapshots: '@typescript-eslint/types': 7.18.0 '@typescript-eslint/visitor-keys': 7.18.0 - '@typescript-eslint/[email protected]': + '@typescript-eslint/[email protected]': dependencies: - '@typescript-eslint/types': 8.0.1 - '@typescript-eslint/visitor-keys': 8.0.1 + '@typescript-eslint/types': 8.24.1 + '@typescript-eslint/visitor-keys': 8.24.1 '@typescript-eslint/[email protected]([email protected])([email protected])': dependencies: '@typescript-eslint/typescript-estree': 7.18.0([email protected]) '@typescript-eslint/utils': 7.18.0([email protected])([email protected]) - debug: 4.3.7 + debug: 4.4.0 eslint: 8.57.0 ts-api-utils: 1.3.0([email protected]) optionalDependencies: @@ -12048,13 +12227,13 @@ snapshots: '@typescript-eslint/[email protected]': {} - '@typescript-eslint/[email protected]': {} + '@typescript-eslint/[email protected]': {} '@typescript-eslint/[email protected]([email protected])': dependencies: '@typescript-eslint/types': 7.18.0 '@typescript-eslint/visitor-keys': 7.18.0 - debug: 4.3.7 + debug: 4.4.0 globby: 11.1.0 is-glob: 4.0.3 minimatch: 9.0.5 @@ -12065,17 +12244,16 @@ snapshots: transitivePeerDependencies: - supports-color - '@typescript-eslint/[email protected]([email protected])': + '@typescript-eslint/[email protected]([email protected])': dependencies: - '@typescript-eslint/types': 8.0.1 - '@typescript-eslint/visitor-keys': 8.0.1 - debug: 4.3.7 - globby: 11.1.0 + '@typescript-eslint/types': 8.24.1 + '@typescript-eslint/visitor-keys': 8.24.1 + debug: 4.4.0 + fast-glob: 3.3.2 is-glob: 4.0.3 minimatch: 9.0.5 semver: 7.6.3 - ts-api-utils: 1.3.0([email protected]) - optionalDependencies: + ts-api-utils: 2.0.1([email protected]) typescript: 5.5.4 transitivePeerDependencies: - supports-color @@ -12091,26 +12269,15 @@ snapshots: - supports-color - typescript - '@typescript-eslint/[email protected]([email protected])([email protected])': - dependencies: - '@eslint-community/eslint-utils': 4.4.0([email protected]) - '@typescript-eslint/scope-manager': 8.0.1 - '@typescript-eslint/types': 8.0.1 - '@typescript-eslint/typescript-estree': 8.0.1([email protected]) - eslint: 8.57.0 - transitivePeerDependencies: - - supports-color - - typescript - '@typescript-eslint/[email protected]': dependencies: '@typescript-eslint/types': 7.18.0 eslint-visitor-keys: 3.4.3 - '@typescript-eslint/[email protected]': + '@typescript-eslint/[email protected]': dependencies: - '@typescript-eslint/types': 8.0.1 - eslint-visitor-keys: 3.4.3 + '@typescript-eslint/types': 8.24.1 + eslint-visitor-keys: 4.2.0 '@ungap/[email protected]': {} @@ -12142,125 +12309,125 @@ snapshots: '@unhead/schema': 1.8.9 '@unhead/shared': 1.8.9 - '@unhead/[email protected]([email protected]([email protected]))': + '@unhead/[email protected]([email protected]([email protected]))': dependencies: '@unhead/schema': 1.9.4 '@unhead/shared': 1.9.4 hookable: 5.5.3 unhead: 1.9.4 - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) - '@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))': + '@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))': dependencies: - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) - '@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))': + '@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))': dependencies: - '@babel/core': 7.25.2 - '@babel/plugin-transform-typescript': 7.25.2(@babel/[email protected]) - '@vue/babel-plugin-jsx': 1.2.2(@babel/[email protected]) - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) - vue: 3.4.27([email protected]) + '@babel/core': 7.26.9 + '@babel/plugin-transform-typescript': 7.26.8(@babel/[email protected]) + '@vue/babel-plugin-jsx': 1.2.5(@babel/[email protected]) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) + vue: 3.4.38([email protected]) transitivePeerDependencies: - supports-color - '@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))': + '@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))': dependencies: - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) - vue: 3.4.27([email protected]) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) + vue: 3.4.38([email protected]) - '@vitest/[email protected]([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected]))': + '@vitest/[email protected](@types/[email protected])([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected]))': dependencies: '@testing-library/dom': '@vuetify/[email protected]' - '@testing-library/user-event': 14.5.2(@vuetify/[email protected]) - '@vitest/mocker': 2.1.1([email protected]([email protected]))([email protected](@types/[email protected])([email protected])([email protected])([email protected])) - '@vitest/utils': 2.1.1 - magic-string: 0.30.11 - msw: 2.4.2([email protected]) - sirv: 2.0.4 - tinyrainbow: 1.2.0 - vitest: 2.1.1(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected]([email protected]))([email protected])([email protected])([email protected]) + '@testing-library/user-event': 14.6.1(@vuetify/[email protected]) + '@vitest/mocker': 3.0.5([email protected](@types/[email protected])([email protected]))([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) + '@vitest/utils': 3.0.5 + magic-string: 0.30.17 + msw: 2.7.0(@types/[email protected])([email protected]) + sirv: 3.0.1 + tinyrainbow: 2.0.0 + vitest: 3.0.5(@types/[email protected])(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected](@types/[email protected])([email protected]))([email protected])([email protected])([email protected])([email protected]) ws: 8.18.0 optionalDependencies: webdriverio: 8.40.5([email protected]) transitivePeerDependencies: + - '@types/node' - bufferutil - - graphql - typescript - utf-8-validate - vite - '@vitest/[email protected](@vitest/[email protected]([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected])))([email protected](@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected]([email protected]))([email protected])([email protected])([email protected]))': + '@vitest/[email protected](@vitest/[email protected](@types/[email protected])([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected])))([email protected](@types/[email protected])(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected](@types/[email protected])([email protected]))([email protected])([email protected])([email protected])([email protected]))': dependencies: '@ampproject/remapping': 2.3.0 - '@bcoe/v8-coverage': 0.2.3 - debug: 4.3.7 + '@bcoe/v8-coverage': 1.0.2 + debug: 4.4.0 istanbul-lib-coverage: 3.2.2 istanbul-lib-report: 3.0.1 istanbul-lib-source-maps: 5.0.6 istanbul-reports: 3.1.7 - magic-string: 0.30.11 + magic-string: 0.30.17 magicast: 0.3.5 - std-env: 3.7.0 + std-env: 3.8.0 test-exclude: 7.0.1 - tinyrainbow: 1.2.0 - vitest: 2.1.1(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected]([email protected]))([email protected])([email protected])([email protected]) + tinyrainbow: 2.0.0 + vitest: 3.0.5(@types/[email protected])(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected](@types/[email protected])([email protected]))([email protected])([email protected])([email protected])([email protected]) optionalDependencies: - '@vitest/browser': 2.1.1([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected])) + '@vitest/browser': 3.0.5(@types/[email protected])([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected])) transitivePeerDependencies: - supports-color - '@vitest/[email protected]': + '@vitest/[email protected]': dependencies: - '@vitest/spy': 2.1.1 - '@vitest/utils': 2.1.1 - chai: 5.1.1 - tinyrainbow: 1.2.0 + '@vitest/spy': 3.0.5 + '@vitest/utils': 3.0.5 + chai: 5.2.0 + tinyrainbow: 2.0.0 - '@vitest/[email protected]([email protected]([email protected]))([email protected](@types/[email protected])([email protected])([email protected])([email protected]))': + '@vitest/[email protected]([email protected](@types/[email protected])([email protected]))([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))': dependencies: - '@vitest/spy': 2.1.1 + '@vitest/spy': 3.0.5 estree-walker: 3.0.3 - magic-string: 0.30.11 + magic-string: 0.30.17 optionalDependencies: - msw: 2.4.2([email protected]) - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + msw: 2.7.0(@types/[email protected])([email protected]) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) - '@vitest/[email protected]': + '@vitest/[email protected]': dependencies: - tinyrainbow: 1.2.0 + tinyrainbow: 2.0.0 - '@vitest/[email protected]': + '@vitest/[email protected]': dependencies: - '@vitest/utils': 2.1.1 - pathe: 1.1.2 + '@vitest/utils': 3.0.5 + pathe: 2.0.3 - '@vitest/[email protected]': + '@vitest/[email protected]': dependencies: - '@vitest/pretty-format': 2.1.1 - magic-string: 0.30.11 - pathe: 1.1.2 + '@vitest/pretty-format': 3.0.5 + magic-string: 0.30.17 + pathe: 2.0.3 - '@vitest/[email protected]': + '@vitest/[email protected]': dependencies: tinyspy: 3.0.2 - '@vitest/[email protected]([email protected])': + '@vitest/[email protected]([email protected])': dependencies: - '@vitest/utils': 2.1.1 + '@vitest/utils': 3.0.5 fflate: 0.8.2 - flatted: 3.3.1 - pathe: 1.1.2 - sirv: 2.0.4 - tinyglobby: 0.2.6 - tinyrainbow: 1.2.0 - vitest: 2.1.1(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected]([email protected]))([email protected])([email protected])([email protected]) + flatted: 3.3.2 + pathe: 2.0.3 + sirv: 3.0.1 + tinyglobby: 0.2.11 + tinyrainbow: 2.0.0 + vitest: 3.0.5(@types/[email protected])(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected](@types/[email protected])([email protected]))([email protected])([email protected])([email protected])([email protected]) - '@vitest/[email protected]': + '@vitest/[email protected]': dependencies: - '@vitest/pretty-format': 2.1.1 - loupe: 3.1.1 - tinyrainbow: 1.2.0 + '@vitest/pretty-format': 3.0.5 + loupe: 3.1.3 + tinyrainbow: 2.0.0 '@volar/[email protected]': dependencies: @@ -12309,78 +12476,127 @@ snapshots: '@vscode/[email protected]': {} - '@vue/[email protected]': {} + '@vue/[email protected]': {} - '@vue/[email protected](@babel/[email protected])': + '@vue/[email protected](@babel/[email protected])': dependencies: - '@babel/helper-module-imports': 7.22.15 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/plugin-syntax-jsx': 7.24.7(@babel/[email protected]) - '@babel/template': 7.25.0 - '@babel/traverse': 7.25.3 - '@babel/types': 7.25.6 - '@vue/babel-helper-vue-transform-on': 1.2.2 - '@vue/babel-plugin-resolve-type': 1.2.2(@babel/[email protected]) - camelcase: 6.3.0 + '@babel/helper-module-imports': 7.25.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/plugin-syntax-jsx': 7.24.7(@babel/[email protected]) + '@babel/template': 7.26.9 + '@babel/traverse': 7.26.9 + '@babel/types': 7.26.9 + '@vue/babel-helper-vue-transform-on': 1.2.5 + '@vue/babel-plugin-resolve-type': 1.2.5(@babel/[email protected]) html-tags: 3.3.1 svg-tags: 1.0.0 optionalDependencies: - '@babel/core': 7.25.2 + '@babel/core': 7.26.9 + transitivePeerDependencies: + - supports-color + + '@vue/[email protected](@babel/[email protected])': + dependencies: + '@babel/code-frame': 7.26.2 + '@babel/core': 7.26.9 + '@babel/helper-module-imports': 7.25.9 + '@babel/helper-plugin-utils': 7.26.5 + '@babel/parser': 7.26.9 + '@vue/compiler-sfc': 3.5.13 transitivePeerDependencies: - supports-color - '@vue/[email protected](@babel/[email protected])': + '@vue/[email protected]': dependencies: - '@babel/code-frame': 7.24.7 - '@babel/core': 7.25.2 - '@babel/helper-module-imports': 7.22.15 - '@babel/helper-plugin-utils': 7.24.8 - '@babel/parser': 7.25.6 - '@vue/compiler-sfc': 3.4.27 + '@babel/parser': 7.26.9 + '@vue/shared': 3.4.38 + entities: 4.5.0 + estree-walker: 2.0.2 + source-map-js: 1.2.1 - '@vue/[email protected]': + '@vue/[email protected]': dependencies: - '@babel/parser': 7.25.6 - '@vue/shared': 3.4.27 + '@babel/parser': 7.26.9 + '@vue/shared': 3.5.13 entities: 4.5.0 estree-walker: 2.0.2 source-map-js: 1.2.1 - '@vue/[email protected]': + '@vue/[email protected]': + dependencies: + '@vue/compiler-core': 3.4.38 + '@vue/shared': 3.4.38 + + '@vue/[email protected]': + dependencies: + '@vue/compiler-core': 3.5.13 + '@vue/shared': 3.5.13 + + '@vue/[email protected]': dependencies: - '@vue/compiler-core': 3.4.27 - '@vue/shared': 3.4.27 + '@babel/parser': 7.26.9 + '@vue/compiler-core': 3.4.38 + '@vue/compiler-dom': 3.4.38 + '@vue/compiler-ssr': 3.4.38 + '@vue/shared': 3.4.38 + estree-walker: 2.0.2 + magic-string: 0.30.17 + postcss: 8.5.2 + source-map-js: 1.2.1 - '@vue/[email protected]': + '@vue/[email protected]': dependencies: - '@babel/parser': 7.25.6 - '@vue/compiler-core': 3.4.27 - '@vue/compiler-dom': 3.4.27 - '@vue/compiler-ssr': 3.4.27 - '@vue/shared': 3.4.27 + '@babel/parser': 7.26.9 + '@vue/compiler-core': 3.5.13 + '@vue/compiler-dom': 3.5.13 + '@vue/compiler-ssr': 3.5.13 + '@vue/shared': 3.5.13 estree-walker: 2.0.2 - magic-string: 0.30.11 - postcss: 8.4.45 + magic-string: 0.30.17 + postcss: 8.5.2 source-map-js: 1.2.1 - '@vue/[email protected]': + '@vue/[email protected]': dependencies: - '@vue/compiler-dom': 3.4.27 - '@vue/shared': 3.4.27 + '@vue/compiler-dom': 3.4.38 + '@vue/shared': 3.4.38 + + '@vue/[email protected]': + dependencies: + '@vue/compiler-dom': 3.5.13 + '@vue/shared': 3.5.13 '@vue/[email protected]': dependencies: de-indent: 1.0.2 he: 1.2.0 - '@vue/[email protected]': {} + '@vue/[email protected]': {} + + '@vue/[email protected]': + dependencies: + '@vue/devtools-kit': 7.7.2 + + '@vue/[email protected]': + dependencies: + '@vue/devtools-shared': 7.7.2 + birpc: 0.2.19 + hookable: 5.5.3 + mitt: 3.0.1 + perfect-debounce: 1.0.0 + speakingurl: 14.0.1 + superjson: 2.2.2 + + '@vue/[email protected]': + dependencies: + rfdc: 1.4.1 '@vue/[email protected]([email protected])': dependencies: '@volar/language-core': 2.4.0-alpha.18 - '@vue/compiler-dom': 3.4.27 + '@vue/compiler-dom': 3.4.38 '@vue/compiler-vue2': 2.7.16 - '@vue/shared': 3.4.27 + '@vue/shared': 3.4.38 computeds: 0.0.1 minimatch: 9.0.5 muggle-string: 0.4.1 @@ -12405,9 +12621,9 @@ snapshots: '@volar/language-core': 2.4.0-alpha.18 '@volar/language-service': 2.4.0-alpha.18 '@volar/typescript': 2.4.0-alpha.18 - '@vue/compiler-dom': 3.4.27 + '@vue/compiler-dom': 3.4.38 '@vue/language-core': 2.0.29([email protected]) - '@vue/shared': 3.4.27 + '@vue/shared': 3.4.38 '@vue/typescript-plugin': 2.0.29([email protected]) computeds: 0.0.1 path-browserify: 1.0.1 @@ -12425,28 +12641,31 @@ snapshots: transitivePeerDependencies: - typescript - '@vue/[email protected]': + '@vue/[email protected]': dependencies: - '@vue/shared': 3.4.27 + '@vue/shared': 3.4.38 - '@vue/[email protected]': + '@vue/[email protected]': dependencies: - '@vue/reactivity': 3.4.27 - '@vue/shared': 3.4.27 + '@vue/reactivity': 3.4.38 + '@vue/shared': 3.4.38 - '@vue/[email protected]': + '@vue/[email protected]': dependencies: - '@vue/runtime-core': 3.4.27 - '@vue/shared': 3.4.27 + '@vue/reactivity': 3.4.38 + '@vue/runtime-core': 3.4.38 + '@vue/shared': 3.4.38 csstype: 3.1.3 - '@vue/[email protected]([email protected]([email protected]))': + '@vue/[email protected]([email protected]([email protected]))': dependencies: - '@vue/compiler-ssr': 3.4.27 - '@vue/shared': 3.4.27 - vue: 3.4.27([email protected]) + '@vue/compiler-ssr': 3.4.38 + '@vue/shared': 3.4.38 + vue: 3.4.38([email protected]) - '@vue/[email protected]': {} + '@vue/[email protected]': {} + + '@vue/[email protected]': {} '@vue/[email protected]': dependencies: @@ -12457,43 +12676,43 @@ snapshots: dependencies: '@volar/typescript': 2.4.0-alpha.18 '@vue/language-core': 2.0.29([email protected]) - '@vue/shared': 3.4.27 + '@vue/shared': 3.4.38 transitivePeerDependencies: - typescript - '@vuelidate/[email protected]([email protected]([email protected]))': + '@vuelidate/[email protected]([email protected]([email protected]))': dependencies: - vue: 3.4.27([email protected]) - vue-demi: 0.13.11([email protected]([email protected])) + vue: 3.4.38([email protected]) + vue-demi: 0.13.11([email protected]([email protected])) - '@vuelidate/[email protected]([email protected]([email protected]))': + '@vuelidate/[email protected]([email protected]([email protected]))': dependencies: - vue: 3.4.27([email protected]) - vue-demi: 0.13.11([email protected]([email protected])) + vue: 3.4.38([email protected]) + vue-demi: 0.13.11([email protected]([email protected])) - '@vuetify/[email protected]([email protected]([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected])))': + '@vuetify/[email protected]([email protected]([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected])))': dependencies: upath: 2.0.1 - vue: 3.4.27([email protected]) - vuetify: 3.7.12([email protected])([email protected])([email protected]([email protected])) + vue: 3.4.38([email protected]) + vuetify: 3.7.12([email protected])([email protected])([email protected]([email protected])) optional: true - '@vuetify/[email protected]([email protected]([email protected]))(vuetify@packages+vuetify)': + '@vuetify/[email protected]([email protected]([email protected]))(vuetify@packages+vuetify)': dependencies: upath: 2.0.1 - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) vuetify: link:packages/vuetify - '@vuetify/[email protected](@mdi/[email protected](patch_hash=wt4lkgr52gphla2wb445bnli3i))([email protected])([email protected]([email protected]))(vuetify@packages+vuetify)': + '@vuetify/[email protected](@mdi/[email protected](patch_hash=wt4lkgr52gphla2wb445bnli3i))([email protected])([email protected]([email protected]))(vuetify@packages+vuetify)': dependencies: '@mdi/js': 7.4.47(patch_hash=wt4lkgr52gphla2wb445bnli3i) lodash-es: 4.17.21 - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) vuetify: link:packages/vuetify '@vuetify/[email protected]': dependencies: - '@babel/code-frame': 7.24.7 + '@babel/code-frame': 7.26.2 '@babel/runtime': 7.24.4 '@types/aria-query': 5.0.4 aria-query: 5.3.0 @@ -12502,13 +12721,13 @@ snapshots: lz-string: 1.5.0 pretty-format: 27.5.1 - '@vueuse/[email protected]([email protected]([email protected]))': + '@vueuse/[email protected]([email protected]([email protected]))': dependencies: '@unhead/dom': 1.9.4 '@unhead/schema': 1.9.4 '@unhead/ssr': 1.8.9 - '@unhead/vue': 1.9.4([email protected]([email protected])) - vue: 3.4.27([email protected]) + '@unhead/vue': 1.9.4([email protected]([email protected])) + vue: 3.4.38([email protected]) '@wdio/[email protected]': dependencies: @@ -12564,14 +12783,14 @@ snapshots: transitivePeerDependencies: - supports-color - '@yankeeinlondon/[email protected](@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected]))': + '@yankeeinlondon/[email protected](@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))': dependencies: '@types/markdown-it': 12.2.3 '@yankeeinlondon/happy-wrapper': 2.10.1([email protected]) fp-ts: 2.16.9 inferred-types: 0.37.6 markdown-it: 13.0.2 - vite-plugin-md: 0.22.5(@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + vite-plugin-md: 0.22.5(@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) transitivePeerDependencies: - '@vitejs/plugin-vue' - encoding @@ -12619,21 +12838,21 @@ snapshots: dependencies: event-target-shim: 5.0.1 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - acorn: 8.12.1 + acorn: 8.14.0 [email protected]: {} [email protected]: {} - [email protected]: {} + [email protected]: {} [email protected]: {} [email protected]: dependencies: - debug: 4.3.7 + debug: 4.4.0 transitivePeerDependencies: - supports-color @@ -12713,6 +12932,8 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: dependencies: normalize-path: 3.0.0 @@ -12848,14 +13069,14 @@ snapshots: [email protected]: {} - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - browserslist: 4.23.3 + browserslist: 4.24.4 caniuse-lite: 1.0.30001699 fraction.js: 4.3.7 normalize-range: 0.1.2 - picocolors: 1.1.0 - postcss: 8.4.45 + picocolors: 1.1.1 + postcss: 8.5.2 postcss-value-parser: 4.2.0 [email protected]: @@ -12874,37 +13095,37 @@ snapshots: [email protected]([email protected]): dependencies: - '@babel/code-frame': 7.24.7 - '@babel/parser': 7.25.6 - '@babel/traverse': 7.25.3 - '@babel/types': 7.25.6 + '@babel/code-frame': 7.26.2 + '@babel/parser': 7.26.9 + '@babel/traverse': 7.26.9 + '@babel/types': 7.26.9 eslint: 8.57.0 eslint-visitor-keys: 1.3.0 resolve: 1.22.8 transitivePeerDependencies: - supports-color - [email protected](@babel/[email protected]): + [email protected](@babel/[email protected]): dependencies: - '@babel/core': 7.25.2 + '@babel/core': 7.26.9 '@jest/transform': 28.1.3 '@types/babel__core': 7.1.19 babel-plugin-istanbul: 6.1.1 - babel-preset-jest: 28.1.3(@babel/[email protected]) + babel-preset-jest: 28.1.3(@babel/[email protected]) chalk: 4.1.2 graceful-fs: 4.2.11 slash: 3.0.0 transitivePeerDependencies: - supports-color - [email protected](@babel/[email protected]): + [email protected](@babel/[email protected]): dependencies: - '@babel/core': 7.25.2 - '@babel/helper-plugin-utils': 7.24.8 + '@babel/core': 7.26.9 + '@babel/helper-plugin-utils': 7.26.5 [email protected]: dependencies: - '@babel/helper-plugin-utils': 7.24.8 + '@babel/helper-plugin-utils': 7.26.5 '@istanbuljs/load-nyc-config': 1.1.0 '@istanbuljs/schema': 0.1.2 istanbul-lib-instrument: 5.2.1 @@ -12914,8 +13135,8 @@ snapshots: [email protected]: dependencies: - '@babel/template': 7.25.0 - '@babel/types': 7.25.6 + '@babel/template': 7.26.9 + '@babel/types': 7.26.9 '@types/babel__core': 7.1.19 '@types/babel__traverse': 7.0.15 @@ -12927,27 +13148,27 @@ snapshots: reselect: 4.1.7 resolve: 1.22.8 - [email protected](@babel/[email protected]): + [email protected](@babel/[email protected]): dependencies: - '@babel/compat-data': 7.25.2 - '@babel/core': 7.25.2 - '@babel/helper-define-polyfill-provider': 0.6.1(@babel/[email protected]) + '@babel/compat-data': 7.26.8 + '@babel/core': 7.26.9 + '@babel/helper-define-polyfill-provider': 0.6.1(@babel/[email protected]) semver: 6.3.1 transitivePeerDependencies: - supports-color - [email protected](@babel/[email protected]): + [email protected](@babel/[email protected]): dependencies: - '@babel/core': 7.25.2 - '@babel/helper-define-polyfill-provider': 0.6.1(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-define-polyfill-provider': 0.6.1(@babel/[email protected]) core-js-compat: 3.37.1 transitivePeerDependencies: - supports-color - [email protected](@babel/[email protected]): + [email protected](@babel/[email protected]): dependencies: - '@babel/core': 7.25.2 - '@babel/helper-define-polyfill-provider': 0.6.1(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/helper-define-polyfill-provider': 0.6.1(@babel/[email protected]) transitivePeerDependencies: - supports-color @@ -12962,27 +13183,27 @@ snapshots: core-js: 2.6.5 regenerator-runtime: 0.10.5 - [email protected](@babel/[email protected]): - dependencies: - '@babel/core': 7.25.2 - '@babel/plugin-syntax-async-generators': 7.8.4(@babel/[email protected]) - '@babel/plugin-syntax-bigint': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-class-properties': 7.12.13(@babel/[email protected]) - '@babel/plugin-syntax-import-meta': 7.10.4(@babel/[email protected]) - '@babel/plugin-syntax-json-strings': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-logical-assignment-operators': 7.10.4(@babel/[email protected]) - '@babel/plugin-syntax-nullish-coalescing-operator': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-numeric-separator': 7.10.4(@babel/[email protected]) - '@babel/plugin-syntax-object-rest-spread': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-optional-catch-binding': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-optional-chaining': 7.8.3(@babel/[email protected]) - '@babel/plugin-syntax-top-level-await': 7.14.5(@babel/[email protected]) - - [email protected](@babel/[email protected]): - dependencies: - '@babel/core': 7.25.2 + [email protected](@babel/[email protected]): + dependencies: + '@babel/core': 7.26.9 + '@babel/plugin-syntax-async-generators': 7.8.4(@babel/[email protected]) + '@babel/plugin-syntax-bigint': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-class-properties': 7.12.13(@babel/[email protected]) + '@babel/plugin-syntax-import-meta': 7.10.4(@babel/[email protected]) + '@babel/plugin-syntax-json-strings': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-logical-assignment-operators': 7.10.4(@babel/[email protected]) + '@babel/plugin-syntax-nullish-coalescing-operator': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-numeric-separator': 7.10.4(@babel/[email protected]) + '@babel/plugin-syntax-object-rest-spread': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-optional-catch-binding': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-optional-chaining': 7.8.3(@babel/[email protected]) + '@babel/plugin-syntax-top-level-await': 7.14.5(@babel/[email protected]) + + [email protected](@babel/[email protected]): + dependencies: + '@babel/core': 7.26.9 babel-plugin-jest-hoist: 28.1.3 - babel-preset-current-node-syntax: 1.0.1(@babel/[email protected]) + babel-preset-current-node-syntax: 1.0.1(@babel/[email protected]) [email protected]: dependencies: @@ -13030,6 +13251,8 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: dependencies: buffer: 5.7.1 @@ -13056,12 +13279,12 @@ snapshots: callsites: 4.0.0 inferred-types: 0.37.6 - [email protected]: + [email protected]: dependencies: caniuse-lite: 1.0.30001699 - electron-to-chromium: 1.5.4 - node-releases: 2.0.18 - update-browserslist-db: 1.1.0([email protected]) + electron-to-chromium: 1.5.102 + node-releases: 2.0.19 + update-browserslist-db: 1.1.2([email protected]) [email protected]: dependencies: @@ -13185,19 +13408,19 @@ snapshots: [email protected]: dependencies: - browserslist: 4.23.3 + browserslist: 4.24.4 caniuse-lite: 1.0.30001699 lodash.memoize: 4.1.2 lodash.uniq: 4.5.0 [email protected]: {} - [email protected]: + [email protected]: dependencies: assertion-error: 2.0.1 check-error: 2.1.1 deep-eql: 5.0.2 - loupe: 3.1.1 + loupe: 3.1.3 pathval: 2.0.0 [email protected]: @@ -13396,7 +13619,7 @@ snapshots: tree-kill: 1.2.2 yargs: 17.7.2 - [email protected]: {} + [email protected]: {} [email protected]: dependencies: @@ -13655,11 +13878,15 @@ snapshots: [email protected]: {} - [email protected]: {} + [email protected]: {} + + [email protected]: + dependencies: + is-what: 4.1.16 [email protected]: dependencies: - browserslist: 4.23.3 + browserslist: 4.24.4 [email protected]: {} @@ -13689,6 +13916,15 @@ snapshots: optionalDependencies: typescript: 5.5.4 + [email protected]([email protected]): + dependencies: + env-paths: 2.2.1 + import-fresh: 3.3.0 + js-yaml: 4.1.0 + parse-json: 5.2.0 + optionalDependencies: + typescript: 5.5.4 + [email protected]: {} [email protected]: @@ -13719,7 +13955,7 @@ snapshots: shebang-command: 1.2.0 which: 1.3.1 - [email protected]: + [email protected]: dependencies: path-key: 3.1.1 shebang-command: 2.0.0 @@ -13727,9 +13963,9 @@ snapshots: [email protected]: {} - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 [email protected]: dependencies: @@ -13759,49 +13995,49 @@ snapshots: [email protected]: {} - [email protected]([email protected]): - dependencies: - browserslist: 4.23.3 - css-declaration-sorter: 7.2.0([email protected]) - cssnano-utils: 4.0.2([email protected]) - postcss: 8.4.45 - postcss-calc: 9.0.1([email protected]) - postcss-colormin: 6.1.0([email protected]) - postcss-convert-values: 6.1.0([email protected]) - postcss-discard-comments: 6.0.2([email protected]) - postcss-discard-duplicates: 6.0.3([email protected]) - postcss-discard-empty: 6.0.3([email protected]) - postcss-discard-overridden: 6.0.2([email protected]) - postcss-merge-longhand: 6.0.5([email protected]) - postcss-merge-rules: 6.1.1([email protected]) - postcss-minify-font-values: 6.1.0([email protected]) - postcss-minify-gradients: 6.0.3([email protected]) - postcss-minify-params: 6.1.0([email protected]) - postcss-minify-selectors: 6.0.4([email protected]) - postcss-normalize-charset: 6.0.2([email protected]) - postcss-normalize-display-values: 6.0.2([email protected]) - postcss-normalize-positions: 6.0.2([email protected]) - postcss-normalize-repeat-style: 6.0.2([email protected]) - postcss-normalize-string: 6.0.2([email protected]) - postcss-normalize-timing-functions: 6.0.2([email protected]) - postcss-normalize-unicode: 6.1.0([email protected]) - postcss-normalize-url: 6.0.2([email protected]) - postcss-normalize-whitespace: 6.0.2([email protected]) - postcss-ordered-values: 6.0.2([email protected]) - postcss-reduce-initial: 6.1.0([email protected]) - postcss-reduce-transforms: 6.0.2([email protected]) - postcss-svgo: 6.0.3([email protected]) - postcss-unique-selectors: 6.0.4([email protected]) - - [email protected]([email protected]): - dependencies: - postcss: 8.4.45 - - [email protected]([email protected]): - dependencies: - cssnano-preset-default: 6.1.2([email protected]) + [email protected]([email protected]): + dependencies: + browserslist: 4.24.4 + css-declaration-sorter: 7.2.0([email protected]) + cssnano-utils: 4.0.2([email protected]) + postcss: 8.5.2 + postcss-calc: 9.0.1([email protected]) + postcss-colormin: 6.1.0([email protected]) + postcss-convert-values: 6.1.0([email protected]) + postcss-discard-comments: 6.0.2([email protected]) + postcss-discard-duplicates: 6.0.3([email protected]) + postcss-discard-empty: 6.0.3([email protected]) + postcss-discard-overridden: 6.0.2([email protected]) + postcss-merge-longhand: 6.0.5([email protected]) + postcss-merge-rules: 6.1.1([email protected]) + postcss-minify-font-values: 6.1.0([email protected]) + postcss-minify-gradients: 6.0.3([email protected]) + postcss-minify-params: 6.1.0([email protected]) + postcss-minify-selectors: 6.0.4([email protected]) + postcss-normalize-charset: 6.0.2([email protected]) + postcss-normalize-display-values: 6.0.2([email protected]) + postcss-normalize-positions: 6.0.2([email protected]) + postcss-normalize-repeat-style: 6.0.2([email protected]) + postcss-normalize-string: 6.0.2([email protected]) + postcss-normalize-timing-functions: 6.0.2([email protected]) + postcss-normalize-unicode: 6.1.0([email protected]) + postcss-normalize-url: 6.0.2([email protected]) + postcss-normalize-whitespace: 6.0.2([email protected]) + postcss-ordered-values: 6.0.2([email protected]) + postcss-reduce-initial: 6.1.0([email protected]) + postcss-reduce-transforms: 6.0.2([email protected]) + postcss-svgo: 6.0.3([email protected]) + postcss-unique-selectors: 6.0.4([email protected]) + + [email protected]([email protected]): + dependencies: + postcss: 8.5.2 + + [email protected]([email protected]): + dependencies: + cssnano-preset-default: 6.1.2([email protected]) lilconfig: 3.1.1 - postcss: 8.4.45 + postcss: 8.5.2 [email protected]: dependencies: @@ -13874,7 +14110,7 @@ snapshots: dependencies: ms: 2.1.2 - [email protected]: + [email protected]: dependencies: ms: 2.1.3 @@ -13905,27 +14141,6 @@ snapshots: [email protected]: {} - [email protected]: - dependencies: - array-buffer-byte-length: 1.0.1 - call-bind: 1.0.7 - es-get-iterator: 1.1.3 - get-intrinsic: 1.2.4 - is-arguments: 1.1.1 - is-array-buffer: 3.0.4 - is-date-object: 1.0.5 - is-regex: 1.1.4 - is-shared-array-buffer: 1.0.3 - isarray: 2.0.5 - object-is: 1.1.5 - object-keys: 1.1.1 - object.assign: 4.1.5 - regexp.prototype.flags: 1.5.2 - side-channel: 1.0.6 - which-boxed-primitive: 1.0.2 - which-collection: 1.0.1 - which-typed-array: 1.1.15 - [email protected]: {} [email protected]: {} @@ -14073,7 +14288,7 @@ snapshots: dependencies: jake: 10.9.2 - [email protected]: {} + [email protected]: {} [email protected]: {} @@ -14107,7 +14322,7 @@ snapshots: [email protected]: {} - [email protected]: {} + [email protected]: {} [email protected]: {} @@ -14117,7 +14332,7 @@ snapshots: dependencies: is-arrayish: 0.2.1 - [email protected]: {} + [email protected]: {} [email protected]: dependencies: @@ -14174,18 +14389,6 @@ snapshots: [email protected]: {} - [email protected]: - dependencies: - call-bind: 1.0.7 - get-intrinsic: 1.2.4 - has-symbols: 1.0.3 - is-arguments: 1.1.1 - is-map: 2.0.2 - is-set: 2.0.2 - is-string: 1.0.7 - isarray: 2.0.5 - stop-iteration-iterator: 1.0.0 - [email protected]: dependencies: call-bind: 1.0.7 @@ -14203,6 +14406,8 @@ snapshots: iterator.prototype: 1.1.2 safe-array-concat: 1.1.2 + [email protected]: {} + [email protected]: dependencies: es-errors: 1.3.0 @@ -14249,33 +14454,35 @@ snapshots: '@esbuild/win32-ia32': 0.19.11 '@esbuild/win32-x64': 0.19.11 - [email protected]: + [email protected]: optionalDependencies: - '@esbuild/aix-ppc64': 0.21.5 - '@esbuild/android-arm': 0.21.5 - '@esbuild/android-arm64': 0.21.5 - '@esbuild/android-x64': 0.21.5 - '@esbuild/darwin-arm64': 0.21.5 - '@esbuild/darwin-x64': 0.21.5 - '@esbuild/freebsd-arm64': 0.21.5 - '@esbuild/freebsd-x64': 0.21.5 - '@esbuild/linux-arm': 0.21.5 - '@esbuild/linux-arm64': 0.21.5 - '@esbuild/linux-ia32': 0.21.5 - '@esbuild/linux-loong64': 0.21.5 - '@esbuild/linux-mips64el': 0.21.5 - '@esbuild/linux-ppc64': 0.21.5 - '@esbuild/linux-riscv64': 0.21.5 - '@esbuild/linux-s390x': 0.21.5 - '@esbuild/linux-x64': 0.21.5 - '@esbuild/netbsd-x64': 0.21.5 - '@esbuild/openbsd-x64': 0.21.5 - '@esbuild/sunos-x64': 0.21.5 - '@esbuild/win32-arm64': 0.21.5 - '@esbuild/win32-ia32': 0.21.5 - '@esbuild/win32-x64': 0.21.5 - - [email protected]: {} + '@esbuild/aix-ppc64': 0.24.2 + '@esbuild/android-arm': 0.24.2 + '@esbuild/android-arm64': 0.24.2 + '@esbuild/android-x64': 0.24.2 + '@esbuild/darwin-arm64': 0.24.2 + '@esbuild/darwin-x64': 0.24.2 + '@esbuild/freebsd-arm64': 0.24.2 + '@esbuild/freebsd-x64': 0.24.2 + '@esbuild/linux-arm': 0.24.2 + '@esbuild/linux-arm64': 0.24.2 + '@esbuild/linux-ia32': 0.24.2 + '@esbuild/linux-loong64': 0.24.2 + '@esbuild/linux-mips64el': 0.24.2 + '@esbuild/linux-ppc64': 0.24.2 + '@esbuild/linux-riscv64': 0.24.2 + '@esbuild/linux-s390x': 0.24.2 + '@esbuild/linux-x64': 0.24.2 + '@esbuild/netbsd-arm64': 0.24.2 + '@esbuild/netbsd-x64': 0.24.2 + '@esbuild/openbsd-arm64': 0.24.2 + '@esbuild/openbsd-x64': 0.24.2 + '@esbuild/sunos-x64': 0.24.2 + '@esbuild/win32-arm64': 0.24.2 + '@esbuild/win32-ia32': 0.24.2 + '@esbuild/win32-x64': 0.24.2 + + [email protected]: {} [email protected]: {} @@ -14363,17 +14570,6 @@ snapshots: - eslint-import-resolver-webpack - supports-color - [email protected](@typescript-eslint/[email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected]))([email protected])([email protected](@types/[email protected]))([email protected]): - dependencies: - '@typescript-eslint/utils': 8.0.1([email protected])([email protected]) - eslint: 8.57.0 - optionalDependencies: - '@typescript-eslint/eslint-plugin': 7.18.0(@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected]) - jest: 28.1.3(@types/[email protected]) - transitivePeerDependencies: - - supports-color - - typescript - [email protected]: {} [email protected]([email protected]): @@ -14421,13 +14617,13 @@ snapshots: dependencies: eslint: 8.57.0 - [email protected](@typescript-eslint/[email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected]))([email protected])([email protected])([email protected](@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected]([email protected]))([email protected])([email protected])([email protected])): + [email protected](@typescript-eslint/[email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected]))([email protected])([email protected])([email protected](@types/[email protected])(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected](@types/[email protected])([email protected]))([email protected])([email protected])([email protected])([email protected])): dependencies: '@typescript-eslint/utils': 7.18.0([email protected])([email protected]) eslint: 8.57.0 optionalDependencies: '@typescript-eslint/eslint-plugin': 7.18.0(@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected]) - vitest: 2.1.1(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected]([email protected]))([email protected])([email protected])([email protected]) + vitest: 3.0.5(@types/[email protected])(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected](@types/[email protected])([email protected]))([email protected])([email protected])([email protected])([email protected]) transitivePeerDependencies: - supports-color - typescript @@ -14446,12 +14642,12 @@ snapshots: transitivePeerDependencies: - supports-color - [email protected]([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))): + [email protected]([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))): dependencies: eslint: 8.57.0 eslint-plugin-vue: 9.24.1([email protected]) requireindex: 1.2.0 - vuetify: 3.7.12([email protected])([email protected])([email protected]([email protected])) + vuetify: 3.7.12([email protected])([email protected])([email protected]([email protected])) transitivePeerDependencies: - supports-color @@ -14464,6 +14660,8 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: dependencies: '@eslint-community/eslint-utils': 4.4.0([email protected]) @@ -14476,8 +14674,8 @@ snapshots: '@ungap/structured-clone': 1.2.0 ajv: 6.12.6 chalk: 4.1.2 - cross-spawn: 7.0.3 - debug: 4.3.7 + cross-spawn: 7.0.6 + debug: 4.4.0 doctrine: 3.0.0 escape-string-regexp: 4.0.0 eslint-scope: 7.2.2 @@ -14509,8 +14707,8 @@ snapshots: [email protected]: dependencies: - acorn: 8.12.1 - acorn-jsx: 5.3.2([email protected]) + acorn: 8.14.0 + acorn-jsx: 5.3.2([email protected]) eslint-visitor-keys: 3.4.3 [email protected]: @@ -14535,7 +14733,7 @@ snapshots: [email protected]: dependencies: - '@types/estree': 1.0.5 + '@types/estree': 1.0.6 [email protected]: {} @@ -14557,7 +14755,7 @@ snapshots: [email protected]: dependencies: - cross-spawn: 7.0.3 + cross-spawn: 7.0.6 get-stream: 6.0.1 human-signals: 2.1.0 is-stream: 2.0.1 @@ -14569,7 +14767,7 @@ snapshots: [email protected]: dependencies: - cross-spawn: 7.0.3 + cross-spawn: 7.0.6 get-stream: 6.0.1 human-signals: 2.1.0 is-stream: 2.0.1 @@ -14581,6 +14779,8 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: dependencies: '@jest/expect-utils': 28.1.3 @@ -14608,7 +14808,7 @@ snapshots: [email protected]: dependencies: - debug: 4.3.7 + debug: 4.4.0 get-stream: 5.2.0 yauzl: 2.10.0 optionalDependencies: @@ -14652,7 +14852,7 @@ snapshots: dependencies: pend: 1.2.0 - [email protected]([email protected]): + [email protected]([email protected]): optionalDependencies: picomatch: 4.0.2 @@ -14725,12 +14925,12 @@ snapshots: [email protected]: dependencies: - flatted: 3.3.1 + flatted: 3.3.2 rimraf: 3.0.2 [email protected]: {} - [email protected]: {} + [email protected]: {} [email protected]: {} @@ -14740,7 +14940,7 @@ snapshots: [email protected]: dependencies: - cross-spawn: 7.0.3 + cross-spawn: 7.0.6 signal-exit: 4.1.0 [email protected]: {} @@ -14826,8 +15026,6 @@ snapshots: [email protected]: {} - [email protected]: {} - [email protected]: dependencies: es-errors: 1.3.0 @@ -14895,7 +15093,7 @@ snapshots: dependencies: basic-ftp: 5.0.5 data-uri-to-buffer: 6.0.2 - debug: 4.3.7 + debug: 4.4.0 fs-extra: 11.2.0 transitivePeerDependencies: - supports-color @@ -14972,7 +15170,7 @@ snapshots: package-json-from-dist: 1.0.0 path-scurry: 1.11.1 - [email protected]: + [email protected]: dependencies: foreground-child: 3.1.1 jackspeak: 4.0.1 @@ -15070,6 +15268,8 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: dependencies: minimist: 1.2.8 @@ -15163,7 +15363,7 @@ snapshots: [email protected]: dependencies: agent-base: 7.1.1 - debug: 4.3.7 + debug: 4.4.0 transitivePeerDependencies: - supports-color @@ -15175,7 +15375,7 @@ snapshots: [email protected]: dependencies: agent-base: 7.1.1 - debug: 4.3.7 + debug: 4.4.0 transitivePeerDependencies: - supports-color @@ -15358,11 +15558,6 @@ snapshots: jsbn: 1.1.0 sprintf-js: 1.1.3 - [email protected]: - dependencies: - call-bind: 1.0.7 - has-tostringtag: 1.0.2 - [email protected]: dependencies: call-bind: 1.0.7 @@ -15549,6 +15744,8 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: dependencies: is-docker: 2.1.1 @@ -15578,8 +15775,8 @@ snapshots: [email protected]: dependencies: - '@babel/core': 7.25.2 - '@babel/parser': 7.25.6 + '@babel/core': 7.26.9 + '@babel/parser': 7.26.9 '@istanbuljs/schema': 0.1.2 istanbul-lib-coverage: 3.2.2 semver: 6.3.1 @@ -15594,7 +15791,7 @@ snapshots: [email protected]: dependencies: - debug: 4.3.7 + debug: 4.4.0 istanbul-lib-coverage: 3.2.2 source-map: 0.6.1 transitivePeerDependencies: @@ -15603,7 +15800,7 @@ snapshots: [email protected]: dependencies: '@jridgewell/trace-mapping': 0.3.25 - debug: 4.3.7 + debug: 4.4.0 istanbul-lib-coverage: 3.2.2 transitivePeerDependencies: - supports-color @@ -15701,10 +15898,10 @@ snapshots: [email protected](@types/[email protected]): dependencies: - '@babel/core': 7.25.2 + '@babel/core': 7.26.9 '@jest/test-sequencer': 28.1.3 '@jest/types': 28.1.3 - babel-jest: 28.1.3(@babel/[email protected]) + babel-jest: 28.1.3(@babel/[email protected]) chalk: 4.1.2 ci-info: 3.9.0 deepmerge: 4.3.1 @@ -15797,7 +15994,7 @@ snapshots: [email protected]: dependencies: - '@babel/code-frame': 7.24.7 + '@babel/code-frame': 7.26.2 '@jest/types': 28.1.3 '@types/stack-utils': 2.0.0 chalk: 4.1.2 @@ -15909,17 +16106,17 @@ snapshots: [email protected]: dependencies: - '@babel/core': 7.25.2 - '@babel/generator': 7.25.0 - '@babel/plugin-syntax-typescript': 7.24.7(@babel/[email protected]) - '@babel/traverse': 7.25.3 - '@babel/types': 7.25.6 + '@babel/core': 7.26.9 + '@babel/generator': 7.26.9 + '@babel/plugin-syntax-typescript': 7.25.9(@babel/[email protected]) + '@babel/traverse': 7.26.9 + '@babel/types': 7.26.9 '@jest/expect-utils': 28.1.3 '@jest/transform': 28.1.3 '@jest/types': 28.1.3 '@types/babel__traverse': 7.0.15 '@types/prettier': 2.7.1 - babel-preset-current-node-syntax: 1.0.1(@babel/[email protected]) + babel-preset-current-node-syntax: 1.0.1(@babel/[email protected]) chalk: 4.1.2 expect: 28.1.3 graceful-fs: 4.2.11 @@ -16005,6 +16202,8 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: dependencies: argparse: 1.0.10 @@ -16046,7 +16245,7 @@ snapshots: [email protected]: {} - [email protected]: {} + [email protected]: {} [email protected]: {} @@ -16078,7 +16277,7 @@ snapshots: [email protected]: dependencies: - acorn: 8.12.1 + acorn: 8.14.0 eslint-visitor-keys: 3.4.3 espree: 9.6.1 semver: 7.6.3 @@ -16135,10 +16334,10 @@ snapshots: dependencies: readable-stream: 2.3.7 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - '@lerna/create': 8.1.7([email protected])([email protected]) - '@npmcli/arborist': 7.5.3 + '@lerna/create': 8.1.9([email protected])([email protected]) + '@npmcli/arborist': 7.5.4 '@npmcli/package-json': 5.2.0 '@npmcli/run-script': 8.1.0 '@nx/devkit': 19.5.2([email protected]) @@ -16155,7 +16354,7 @@ snapshots: conventional-changelog-angular: 7.0.0 conventional-changelog-core: 5.0.1 conventional-recommended-bump: 7.0.1 - cosmiconfig: 8.3.6([email protected]) + cosmiconfig: 9.0.0([email protected]) dedent: 1.5.3 envinfo: 7.13.0 execa: 5.0.0 @@ -16294,10 +16493,15 @@ snapshots: strip-bom: 4.0.0 type-fest: 0.6.0 - [email protected]: + [email protected]: dependencies: - mlly: 1.7.1 - pkg-types: 1.1.3 + mlly: 1.7.4 + pkg-types: 1.3.1 + + [email protected]: + dependencies: + mlly: 1.7.4 + pkg-types: 1.3.1 [email protected]: dependencies: @@ -16372,9 +16576,7 @@ snapshots: currently-unhandled: 0.4.1 signal-exit: 3.0.7 - [email protected]: - dependencies: - get-func-name: 2.0.2 + [email protected]: {} [email protected]: {} @@ -16402,14 +16604,14 @@ snapshots: dependencies: sourcemap-codec: 1.4.8 - [email protected]: + [email protected]: dependencies: '@jridgewell/sourcemap-codec': 1.5.0 [email protected]: dependencies: - '@babel/parser': 7.25.6 - '@babel/types': 7.25.6 + '@babel/parser': 7.26.9 + '@babel/types': 7.26.9 source-map-js: 1.2.1 [email protected]: @@ -16702,11 +16904,11 @@ snapshots: [email protected]: {} - [email protected]: + [email protected]: dependencies: - acorn: 8.12.1 - pathe: 1.1.2 - pkg-types: 1.1.3 + acorn: 8.14.0 + pathe: 2.0.3 + pkg-types: 1.3.1 ufo: 1.5.4 [email protected]: {} @@ -16721,26 +16923,30 @@ snapshots: [email protected]: {} - [email protected]([email protected]): + [email protected](@types/[email protected])([email protected]): dependencies: - '@bundled-es-modules/cookie': 2.0.0 + '@bundled-es-modules/cookie': 2.0.1 '@bundled-es-modules/statuses': 1.0.1 '@bundled-es-modules/tough-cookie': 0.1.6 - '@inquirer/confirm': 3.2.0 - '@mswjs/interceptors': 0.29.1 + '@inquirer/confirm': 5.1.6(@types/[email protected]) + '@mswjs/interceptors': 0.37.6 + '@open-draft/deferred-promise': 2.2.0 '@open-draft/until': 2.1.0 '@types/cookie': 0.6.0 '@types/statuses': 2.0.5 - chalk: 4.1.2 + graphql: 16.10.0 headers-polyfill: 4.0.3 is-node-process: 1.2.0 outvariant: 1.4.3 - path-to-regexp: 6.2.2 + path-to-regexp: 6.3.0 + picocolors: 1.1.1 strict-event-emitter: 0.5.1 - type-fest: 4.15.0 + type-fest: 4.35.0 yargs: 17.7.2 optionalDependencies: typescript: 5.5.4 + transitivePeerDependencies: + - '@types/node' [email protected]: {} @@ -16758,7 +16964,9 @@ snapshots: [email protected]: {} - [email protected]: {} + [email protected]: {} + + [email protected]: {} [email protected]: dependencies: @@ -16811,7 +17019,7 @@ snapshots: [email protected]: dependencies: - env-paths: 2.2.0 + env-paths: 2.2.1 exponential-backoff: 3.1.1 glob: 10.4.5 graceful-fs: 4.2.11 @@ -16828,7 +17036,7 @@ snapshots: [email protected]: {} - [email protected]: {} + [email protected]: {} [email protected]: dependencies: @@ -16982,11 +17190,6 @@ snapshots: [email protected]: {} - [email protected]: - dependencies: - call-bind: 1.0.7 - define-properties: 1.2.1 - [email protected]: {} [email protected]: @@ -17165,7 +17368,7 @@ snapshots: dependencies: '@tootallnate/quickjs-emscripten': 0.23.0 agent-base: 7.1.1 - debug: 4.3.7 + debug: 4.4.0 get-uri: 6.0.3 http-proxy-agent: 7.0.2 https-proxy-agent: 7.0.5 @@ -17233,7 +17436,7 @@ snapshots: [email protected]: dependencies: - '@babel/code-frame': 7.24.7 + '@babel/code-frame': 7.26.2 error-ex: 1.3.2 json-parse-even-better-errors: 2.3.1 lines-and-columns: 1.1.6 @@ -17280,7 +17483,7 @@ snapshots: lru-cache: 11.0.0 minipass: 7.1.2 - [email protected]: {} + [email protected]: {} [email protected]: dependencies: @@ -17296,13 +17499,15 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: {} [email protected]: {} [email protected]: {} - [email protected]: {} + [email protected]: {} [email protected]: {} @@ -17316,11 +17521,10 @@ snapshots: [email protected]: {} - [email protected]([email protected])([email protected]([email protected])): + [email protected]([email protected])([email protected]([email protected])): dependencies: - '@vue/devtools-api': 6.5.1 - vue: 3.4.27([email protected]) - vue-demi: 0.14.6([email protected]([email protected])) + '@vue/devtools-api': 7.7.2 + vue: 3.4.38([email protected]) optionalDependencies: typescript: 5.5.4 @@ -17340,11 +17544,11 @@ snapshots: dependencies: find-up: 4.1.0 - [email protected]: + [email protected]: dependencies: - confbox: 0.1.7 - mlly: 1.7.1 - pathe: 1.1.2 + confbox: 0.1.8 + mlly: 1.7.4 + pathe: 2.0.3 [email protected]: dependencies: @@ -17356,140 +17560,140 @@ snapshots: [email protected]: {} - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-selector-parser: 6.0.16 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - browserslist: 4.23.3 + browserslist: 4.24.4 caniuse-api: 3.0.0 colord: 2.9.3 - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - browserslist: 4.23.3 - postcss: 8.4.45 + browserslist: 4.24.4 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - stylehacks: 6.1.1([email protected]) + stylehacks: 6.1.1([email protected]) - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - browserslist: 4.23.3 + browserslist: 4.24.4 caniuse-api: 3.0.0 - cssnano-utils: 4.0.2([email protected]) - postcss: 8.4.45 + cssnano-utils: 4.0.2([email protected]) + postcss: 8.5.2 postcss-selector-parser: 6.0.16 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: colord: 2.9.3 - cssnano-utils: 4.0.2([email protected]) - postcss: 8.4.45 + cssnano-utils: 4.0.2([email protected]) + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - browserslist: 4.23.3 - cssnano-utils: 4.0.2([email protected]) - postcss: 8.4.45 + browserslist: 4.24.4 + cssnano-utils: 4.0.2([email protected]) + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-selector-parser: 6.0.16 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - browserslist: 4.23.3 - postcss: 8.4.45 + browserslist: 4.24.4 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - cssnano-utils: 4.0.2([email protected]) - postcss: 8.4.45 + cssnano-utils: 4.0.2([email protected]) + postcss: 8.5.2 postcss-value-parser: 4.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - browserslist: 4.23.3 + browserslist: 4.24.4 caniuse-api: 3.0.0 - postcss: 8.4.45 + postcss: 8.5.2 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 [email protected]: @@ -17497,23 +17701,23 @@ snapshots: cssesc: 3.0.0 util-deprecate: 1.0.2 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-value-parser: 4.2.0 svgo: 3.2.0 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - postcss: 8.4.45 + postcss: 8.5.2 postcss-selector-parser: 6.0.16 [email protected]: {} - [email protected]: + [email protected]: dependencies: - nanoid: 3.3.7 - picocolors: 1.1.0 + nanoid: 3.3.8 + picocolors: 1.1.1 source-map-js: 1.2.1 [email protected]: {} @@ -17594,7 +17798,7 @@ snapshots: [email protected]: dependencies: agent-base: 7.1.1 - debug: 4.3.7 + debug: 4.4.0 http-proxy-agent: 7.0.2 https-proxy-agent: 7.0.5 lru-cache: 7.18.3 @@ -17888,6 +18092,8 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: {} [email protected]: @@ -17904,43 +18110,35 @@ snapshots: [email protected]: {} - [email protected]([email protected])([email protected]): + [email protected]([email protected])([email protected]): dependencies: - magic-string: 0.30.11 - rollup: 3.29.4 + magic-string: 0.30.17 + rollup: 4.34.8 typescript: 5.5.4 optionalDependencies: - '@babel/code-frame': 7.24.7 + '@babel/code-frame': 7.26.2 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - '@rollup/pluginutils': 5.1.0([email protected]) + '@rollup/pluginutils': 5.1.0([email protected]) resolve: 1.22.8 sass: 1.80.1 transitivePeerDependencies: - rollup - [email protected](@types/[email protected])([email protected]): + [email protected](@types/[email protected])([email protected]): dependencies: - '@rollup/pluginutils': 3.1.0([email protected]) - rollup: 3.29.4 + '@rollup/pluginutils': 3.1.0([email protected]) + rollup: 4.34.8 source-map-resolve: 0.6.0 optionalDependencies: '@types/node': 22.5.4 - [email protected]([email protected]): - dependencies: - '@babel/code-frame': 7.24.7 - jest-worker: 26.6.2 - rollup: 2.79.1 - serialize-javascript: 4.0.0 - terser: 5.31.3 - - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - '@babel/code-frame': 7.24.7 + '@babel/code-frame': 7.26.2 jest-worker: 26.6.2 - rollup: 3.29.4 + rollup: 4.34.8 serialize-javascript: 4.0.0 terser: 5.31.3 @@ -17948,30 +18146,29 @@ snapshots: optionalDependencies: fsevents: 2.3.3 - [email protected]: - optionalDependencies: - fsevents: 2.3.3 - - [email protected]: + [email protected]: dependencies: - '@types/estree': 1.0.5 + '@types/estree': 1.0.6 optionalDependencies: - '@rollup/rollup-android-arm-eabi': 4.21.2 - '@rollup/rollup-android-arm64': 4.21.2 - '@rollup/rollup-darwin-arm64': 4.21.2 - '@rollup/rollup-darwin-x64': 4.21.2 - '@rollup/rollup-linux-arm-gnueabihf': 4.21.2 - '@rollup/rollup-linux-arm-musleabihf': 4.21.2 - '@rollup/rollup-linux-arm64-gnu': 4.21.2 - '@rollup/rollup-linux-arm64-musl': 4.21.2 - '@rollup/rollup-linux-powerpc64le-gnu': 4.21.2 - '@rollup/rollup-linux-riscv64-gnu': 4.21.2 - '@rollup/rollup-linux-s390x-gnu': 4.21.2 - '@rollup/rollup-linux-x64-gnu': 4.21.2 - '@rollup/rollup-linux-x64-musl': 4.21.2 - '@rollup/rollup-win32-arm64-msvc': 4.21.2 - '@rollup/rollup-win32-ia32-msvc': 4.21.2 - '@rollup/rollup-win32-x64-msvc': 4.21.2 + '@rollup/rollup-android-arm-eabi': 4.34.8 + '@rollup/rollup-android-arm64': 4.34.8 + '@rollup/rollup-darwin-arm64': 4.34.8 + '@rollup/rollup-darwin-x64': 4.34.8 + '@rollup/rollup-freebsd-arm64': 4.34.8 + '@rollup/rollup-freebsd-x64': 4.34.8 + '@rollup/rollup-linux-arm-gnueabihf': 4.34.8 + '@rollup/rollup-linux-arm-musleabihf': 4.34.8 + '@rollup/rollup-linux-arm64-gnu': 4.34.8 + '@rollup/rollup-linux-arm64-musl': 4.34.8 + '@rollup/rollup-linux-loongarch64-gnu': 4.34.8 + '@rollup/rollup-linux-powerpc64le-gnu': 4.34.8 + '@rollup/rollup-linux-riscv64-gnu': 4.34.8 + '@rollup/rollup-linux-s390x-gnu': 4.34.8 + '@rollup/rollup-linux-x64-gnu': 4.34.8 + '@rollup/rollup-linux-x64-musl': 4.34.8 + '@rollup/rollup-win32-arm64-msvc': 4.34.8 + '@rollup/rollup-win32-ia32-msvc': 4.34.8 + '@rollup/rollup-win32-x64-msvc': 4.34.8 fsevents: 2.3.3 [email protected]: {} @@ -18124,7 +18321,7 @@ snapshots: dependencies: xmlchars: 2.2.0 - [email protected]: {} + [email protected]: {} [email protected]: {} @@ -18151,6 +18348,10 @@ snapshots: dependencies: randombytes: 2.1.0 + [email protected]: + dependencies: + randombytes: 2.1.0 + [email protected]: {} [email protected]: @@ -18219,7 +18420,7 @@ snapshots: transitivePeerDependencies: - supports-color - [email protected]: + [email protected]: dependencies: '@polka/url': 1.0.0-next.25 mrmime: 2.0.0 @@ -18235,10 +18436,12 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: dependencies: agent-base: 7.1.1 - debug: 4.3.7 + debug: 4.4.0 socks: 2.8.3 transitivePeerDependencies: - supports-color @@ -18295,6 +18498,8 @@ snapshots: [email protected]: {} + [email protected]: {} + [email protected]: dependencies: through2: 2.0.5 @@ -18327,11 +18532,7 @@ snapshots: [email protected]: {} - [email protected]: {} - - [email protected]: - dependencies: - internal-slot: 1.0.7 + [email protected]: {} [email protected]: dependencies: @@ -18465,9 +18666,9 @@ snapshots: [email protected]: {} - [email protected]: + [email protected]: dependencies: - acorn: 8.12.1 + js-tokens: 9.0.1 [email protected]: {} @@ -18477,12 +18678,16 @@ snapshots: minimist: 1.2.8 through: 2.3.8 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - browserslist: 4.23.3 - postcss: 8.4.45 + browserslist: 4.24.4 + postcss: 8.5.2 postcss-selector-parser: 6.0.16 + [email protected]: + dependencies: + copy-anything: 3.0.5 + [email protected]: dependencies: has-flag: 3.0.0 @@ -18512,7 +18717,7 @@ snapshots: css-tree: 2.3.1 css-what: 6.1.0 csso: 5.0.5 - picocolors: 1.1.0 + picocolors: 1.1.1 [email protected]: dependencies: @@ -18582,7 +18787,7 @@ snapshots: [email protected]: dependencies: '@jridgewell/source-map': 0.3.6 - acorn: 8.12.1 + acorn: 8.14.0 commander: 2.20.3 source-map-support: 0.5.21 @@ -18629,16 +18834,16 @@ snapshots: [email protected]: {} - [email protected]: {} + [email protected]: {} - [email protected]: + [email protected]: dependencies: - fdir: 6.3.0([email protected]) + fdir: 6.4.3([email protected]) picomatch: 4.0.2 - [email protected]: {} + [email protected]: {} - [email protected]: {} + [email protected]: {} [email protected]: {} @@ -18658,8 +18863,6 @@ snapshots: [email protected]: {} - [email protected]: {} - [email protected]: dependencies: is-number: 7.0.0 @@ -18700,6 +18903,10 @@ snapshots: dependencies: typescript: 5.5.4 + [email protected]([email protected]): + dependencies: + typescript: 5.5.4 + [email protected]: dependencies: '@ts-morph/common': 0.23.0 @@ -18732,7 +18939,7 @@ snapshots: [email protected]: dependencies: '@tufjs/models': 2.0.1 - debug: 4.3.7 + debug: 4.4.0 make-fetch-happen: 13.0.1 transitivePeerDependencies: - supports-color @@ -18763,7 +18970,7 @@ snapshots: [email protected]: {} - [email protected]: {} + [email protected]: {} [email protected]: dependencies: @@ -18846,41 +19053,22 @@ snapshots: [email protected]: {} - [email protected]([email protected]): - dependencies: - '@rollup/pluginutils': 5.1.0([email protected]) - acorn: 8.12.1 - escape-string-regexp: 5.0.0 - estree-walker: 3.0.3 - fast-glob: 3.3.2 - local-pkg: 0.5.0 - magic-string: 0.30.11 - mlly: 1.7.1 - pathe: 1.1.2 - pkg-types: 1.1.3 - scule: 1.2.0 - strip-literal: 1.3.0 - unplugin: 1.12.1 - transitivePeerDependencies: - - rollup - - [email protected]([email protected]): + [email protected]: dependencies: - '@rollup/pluginutils': 5.1.0([email protected]) - acorn: 8.12.1 + acorn: 8.14.0 escape-string-regexp: 5.0.0 estree-walker: 3.0.3 - fast-glob: 3.3.2 - local-pkg: 0.5.0 - magic-string: 0.30.11 - mlly: 1.7.1 - pathe: 1.1.2 - pkg-types: 1.1.3 - scule: 1.2.0 - strip-literal: 1.3.0 - unplugin: 1.12.1 - transitivePeerDependencies: - - rollup + local-pkg: 1.0.0 + magic-string: 0.30.17 + mlly: 1.7.4 + pathe: 2.0.3 + picomatch: 4.0.2 + pkg-types: 1.3.1 + scule: 1.3.0 + strip-literal: 3.0.0 + tinyglobby: 0.2.11 + unplugin: 2.2.0 + unplugin-utils: 0.2.4 [email protected]: dependencies: @@ -18902,92 +19090,71 @@ snapshots: [email protected]: {} - [email protected]([email protected]): + [email protected]: dependencies: - '@antfu/utils': 0.7.10 - '@rollup/pluginutils': 5.1.0([email protected]) - fast-glob: 3.3.2 - local-pkg: 0.5.0 - magic-string: 0.30.11 - minimatch: 9.0.5 - unimport: 3.7.1([email protected]) - unplugin: 1.12.1 - transitivePeerDependencies: - - rollup - - [email protected]([email protected]): - dependencies: - '@antfu/utils': 0.7.10 - '@rollup/pluginutils': 5.1.0([email protected]) - fast-glob: 3.3.2 - local-pkg: 0.5.0 - magic-string: 0.30.11 - minimatch: 9.0.5 - unimport: 3.7.1([email protected]) - unplugin: 1.12.1 - transitivePeerDependencies: - - rollup + local-pkg: 1.0.0 + magic-string: 0.30.17 + picomatch: 4.0.2 + unimport: 4.1.2 + unplugin: 2.2.0 + unplugin-utils: 0.2.4 - [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])): + [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])): dependencies: fast-glob: 3.3.2 - unplugin: 1.12.1 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + unplugin: 2.0.0-beta.1 + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) - [email protected](@babel/[email protected])([email protected])([email protected]([email protected])): + [email protected]: dependencies: - '@antfu/utils': 0.7.10 - '@rollup/pluginutils': 5.1.0([email protected]) - chokidar: 3.6.0 - debug: 4.3.7 - fast-glob: 3.3.2 - local-pkg: 0.5.0 - magic-string: 0.30.11 - minimatch: 9.0.5 - mlly: 1.7.1 - unplugin: 1.12.1 - vue: 3.4.27([email protected]) - optionalDependencies: - '@babel/parser': 7.25.6 - transitivePeerDependencies: - - rollup - - supports-color + pathe: 2.0.3 + picomatch: 4.0.2 - [email protected](@babel/[email protected])([email protected])([email protected]([email protected])): + [email protected](@babel/[email protected])([email protected])([email protected]([email protected])): dependencies: '@antfu/utils': 0.7.10 - '@rollup/pluginutils': 5.1.0([email protected]) + '@rollup/pluginutils': 5.1.0([email protected]) chokidar: 3.6.0 - debug: 4.3.7 + debug: 4.4.0 fast-glob: 3.3.2 - local-pkg: 0.5.0 - magic-string: 0.30.11 + local-pkg: 0.5.1 + magic-string: 0.30.17 minimatch: 9.0.5 - mlly: 1.7.1 + mlly: 1.7.4 unplugin: 1.12.1 - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) optionalDependencies: - '@babel/parser': 7.25.6 + '@babel/parser': 7.26.9 transitivePeerDependencies: - rollup - supports-color [email protected]: dependencies: - acorn: 8.12.1 + acorn: 8.14.0 chokidar: 3.6.0 webpack-sources: 3.2.3 webpack-virtual-modules: 0.6.2 + [email protected]: + dependencies: + acorn: 8.14.0 + webpack-virtual-modules: 0.6.2 + + [email protected]: + dependencies: + acorn: 8.14.0 + webpack-virtual-modules: 0.6.2 + [email protected]: {} [email protected]: {} - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - browserslist: 4.23.3 - escalade: 3.1.2 - picocolors: 1.1.0 + browserslist: 4.24.4 + escalade: 3.2.0 + picocolors: 1.1.1 [email protected]: dependencies: @@ -19026,20 +19193,22 @@ snapshots: [email protected]: {} - [email protected]([email protected]([email protected])): + [email protected]([email protected]([email protected])): dependencies: - '@vue/devtools-api': 6.5.1 - type-fest: 4.15.0 - vue: 3.4.27([email protected]) + '@vue/devtools-api': 6.6.4 + type-fest: 4.35.0 + vue: 3.4.38([email protected]) - [email protected](@types/[email protected])([email protected])([email protected])([email protected]): + [email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]): dependencies: cac: 6.7.14 - debug: 4.3.7 - pathe: 1.1.2 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + debug: 4.4.0 + es-module-lexer: 1.6.0 + pathe: 2.0.3 + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) transitivePeerDependencies: - '@types/node' + - jiti - less - lightningcss - sass @@ -19048,171 +19217,173 @@ snapshots: - sugarss - supports-color - terser + - tsx + - yaml - [email protected]([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])): + [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])): dependencies: - '@antfu/utils': 0.7.10 - '@rollup/pluginutils': 5.1.0([email protected]) - debug: 4.3.7 - error-stack-parser-es: 0.1.1 - fs-extra: 11.2.0 + ansis: 3.15.0 + debug: 4.4.0 + error-stack-parser-es: 1.0.5 open: 10.1.0 - perfect-debounce: 1.0.0 - picocolors: 1.1.0 - sirv: 2.0.4 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + sirv: 3.0.1 + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) transitivePeerDependencies: - - rollup - supports-color - [email protected]([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])): + [email protected]([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])): dependencies: - '@yankeeinlondon/builder-api': 1.4.1(@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + '@yankeeinlondon/builder-api': 1.4.1(@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) '@yankeeinlondon/gray-matter': 6.2.1 '@yankeeinlondon/happy-wrapper': 2.10.1([email protected]) markdown-it: 13.0.2 source-map-js: 1.2.1 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) transitivePeerDependencies: - encoding - [email protected](@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])): + [email protected](@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])): dependencies: - '@vitejs/plugin-vue': 5.0.4([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])) - '@yankeeinlondon/builder-api': 1.4.1(@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])) + '@vitejs/plugin-vue': 5.2.1([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])) + '@yankeeinlondon/builder-api': 1.4.1(@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) '@yankeeinlondon/gray-matter': 6.2.1 '@yankeeinlondon/happy-wrapper': 2.10.1([email protected]) markdown-it: 13.0.2 source-map-js: 1.2.1 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) transitivePeerDependencies: - encoding - [email protected](@vue/[email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])): + [email protected](@vue/[email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]([email protected]))): dependencies: '@types/debug': 4.1.12 - debug: 4.3.7 - deep-equal: 2.2.3 + debug: 4.4.0 + dequal: 2.0.3 extract-comments: 1.1.0 fast-glob: 3.3.2 json5: 2.2.3 - local-pkg: 0.5.0 - picocolors: 1.1.0 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) - yaml: 2.5.1 + local-pkg: 0.5.1 + picocolors: 1.1.1 + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) + yaml: 2.7.0 optionalDependencies: - '@vue/compiler-sfc': 3.4.27 + '@vue/compiler-sfc': 3.4.38 + vue-router: 4.5.0([email protected]([email protected])) transitivePeerDependencies: - supports-color - [email protected](@types/[email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])): + [email protected](@types/[email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])): dependencies: - debug: 4.3.7 - fast-glob: 3.3.2 + debug: 4.4.0 pretty-bytes: 6.1.1 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) - workbox-build: 7.0.0(@types/[email protected]) - workbox-window: 7.0.0 + tinyglobby: 0.2.11 + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) + workbox-build: 7.3.0(@types/[email protected]) + workbox-window: 7.3.0 transitivePeerDependencies: - '@types/babel__core' - supports-color - [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]([email protected])))([email protected]([email protected])): + [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]([email protected])))([email protected]([email protected])): dependencies: - debug: 4.3.7 + debug: 4.4.0 fast-glob: 3.3.2 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) - vue: 3.4.27([email protected]) - vue-router: 4.3.0([email protected]([email protected])) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) + vue: 3.4.38([email protected]) + vue-router: 4.5.0([email protected]([email protected])) transitivePeerDependencies: - supports-color - [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))([email protected]): + [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))([email protected]): dependencies: - '@vuetify/loader-shared': 2.1.0([email protected]([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))) - debug: 4.3.7 + '@vuetify/loader-shared': 2.1.0([email protected]([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))) + debug: 4.4.0 upath: 2.0.1 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) - vue: 3.4.27([email protected]) - vuetify: 3.7.12([email protected])([email protected])([email protected]([email protected])) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) + vue: 3.4.38([email protected]) + vuetify: 3.7.12([email protected])([email protected])([email protected]([email protected])) transitivePeerDependencies: - supports-color optional: true - [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))(vuetify@packages+vuetify): + [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))(vuetify@packages+vuetify): dependencies: - '@vuetify/loader-shared': 2.1.0([email protected]([email protected]))(vuetify@packages+vuetify) - debug: 4.3.7 + '@vuetify/loader-shared': 2.1.0([email protected]([email protected]))(vuetify@packages+vuetify) + debug: 4.4.0 upath: 2.0.1 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) - vue: 3.4.27([email protected]) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) + vue: 3.4.38([email protected]) vuetify: link:packages/vuetify transitivePeerDependencies: - supports-color - [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])): + [email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])): dependencies: fast-glob: 3.3.2 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) - [email protected](@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))(@vueuse/[email protected]([email protected]([email protected])))([email protected])([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]([email protected])))([email protected]([email protected])): + [email protected](@vitejs/[email protected]([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])))(@vueuse/[email protected]([email protected]([email protected])))([email protected])([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]([email protected])))([email protected]([email protected])): dependencies: - '@rollup/plugin-replace': 3.0.0([email protected]) - '@vue/server-renderer': 3.4.27([email protected]([email protected])) + '@rollup/plugin-replace': 3.0.0([email protected]) + '@vue/server-renderer': 3.4.38([email protected]([email protected])) chalk: 4.1.2 connect: 3.7.0 node-fetch: 2.7.0([email protected]) - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) optionalDependencies: - '@vitejs/plugin-vue': 5.0.4([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])) - '@vueuse/head': 1.3.1([email protected]([email protected])) - vue: 3.4.27([email protected]) - vue-router: 4.3.0([email protected]([email protected])) + '@vitejs/plugin-vue': 5.2.1([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected])) + '@vueuse/head': 1.3.1([email protected]([email protected])) + vue: 3.4.38([email protected]) + vue-router: 4.5.0([email protected]([email protected])) transitivePeerDependencies: - encoding - rollup - supports-color - [email protected](@types/[email protected])([email protected])([email protected])([email protected]): + [email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]): dependencies: - esbuild: 0.21.5 - postcss: 8.4.45 - rollup: 4.21.2 + esbuild: 0.24.2 + postcss: 8.5.2 + rollup: 4.34.8 optionalDependencies: '@types/node': 22.5.4 fsevents: 2.3.3 sass: 1.80.1 sass-embedded: 1.80.1 terser: 5.31.3 - - [email protected](@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected]([email protected]))([email protected])([email protected])([email protected]): - dependencies: - '@vitest/expect': 2.1.1 - '@vitest/mocker': 2.1.1([email protected]([email protected]))([email protected](@types/[email protected])([email protected])([email protected])([email protected])) - '@vitest/pretty-format': 2.1.1 - '@vitest/runner': 2.1.1 - '@vitest/snapshot': 2.1.1 - '@vitest/spy': 2.1.1 - '@vitest/utils': 2.1.1 - chai: 5.1.1 - debug: 4.3.7 - magic-string: 0.30.11 - pathe: 1.1.2 - std-env: 3.7.0 + yaml: 2.7.0 + + [email protected](@types/[email protected])(@types/[email protected])(@vitest/[email protected])(@vitest/[email protected])([email protected]([email protected]))([email protected])([email protected](@types/[email protected])([email protected]))([email protected])([email protected])([email protected])([email protected]): + dependencies: + '@vitest/expect': 3.0.5 + '@vitest/mocker': 3.0.5([email protected](@types/[email protected])([email protected]))([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected])) + '@vitest/pretty-format': 3.0.5 + '@vitest/runner': 3.0.5 + '@vitest/snapshot': 3.0.5 + '@vitest/spy': 3.0.5 + '@vitest/utils': 3.0.5 + chai: 5.2.0 + debug: 4.4.0 + expect-type: 1.1.0 + magic-string: 0.30.17 + pathe: 2.0.3 + std-env: 3.8.0 tinybench: 2.9.0 - tinyexec: 0.3.0 - tinypool: 1.0.1 - tinyrainbow: 1.2.0 - vite: 5.4.3(@types/[email protected])([email protected])([email protected])([email protected]) - vite-node: 2.1.1(@types/[email protected])([email protected])([email protected])([email protected]) + tinyexec: 0.3.2 + tinypool: 1.0.2 + tinyrainbow: 2.0.0 + vite: 6.1.0(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) + vite-node: 3.0.5(@types/[email protected])([email protected])([email protected])([email protected])([email protected]) why-is-node-running: 2.3.0 optionalDependencies: + '@types/debug': 4.1.12 '@types/node': 22.5.4 - '@vitest/browser': 2.1.1([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected])) - '@vitest/ui': 2.1.1([email protected]) + '@vitest/browser': 3.0.5(@types/[email protected])([email protected])([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected])([email protected]([email protected])) + '@vitest/ui': 3.0.5([email protected]) happy-dom: 8.9.0([email protected]) jsdom: 25.0.0 transitivePeerDependencies: + - jiti - less - lightningcss - msw @@ -19222,6 +19393,8 @@ snapshots: - sugarss - supports-color - terser + - tsx + - yaml [email protected](@volar/[email protected]): dependencies: @@ -19335,17 +19508,13 @@ snapshots: [email protected]: {} - [email protected]([email protected]([email protected])): - dependencies: - vue: 3.4.27([email protected]) - - [email protected]([email protected]([email protected])): + [email protected]([email protected]([email protected])): dependencies: - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) [email protected]([email protected]): dependencies: - debug: 4.3.7 + debug: 4.4.0 eslint: 8.57.0 eslint-scope: 7.2.2 eslint-visitor-keys: 3.4.3 @@ -19356,33 +19525,33 @@ snapshots: transitivePeerDependencies: - supports-color - [email protected]([email protected]([email protected])): + [email protected](patch_hash=mkgavjrgdsvimm3nsmkswaflk4)([email protected]([email protected])): dependencies: - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) - [email protected]([email protected]([email protected])): + [email protected]([email protected]([email protected])): dependencies: - '@intlify/core-base': 9.11.1 - '@intlify/shared': 9.11.1 - '@vue/devtools-api': 6.5.1 - vue: 3.4.27([email protected]) + '@intlify/core-base': 11.1.1 + '@intlify/shared': 11.1.1 + '@vue/devtools-api': 6.6.4 + vue: 3.4.38([email protected]) - [email protected](@vue/[email protected]([email protected]([email protected])))([email protected])([email protected]([email protected])): + [email protected](@vue/[email protected]([email protected]([email protected])))([email protected])([email protected]([email protected])): dependencies: algoliasearch: 4.23.3 instantsearch-ui-components: 0.5.0 instantsearch.js: 4.68.0([email protected]) mitt: 2.1.0 - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) optionalDependencies: - '@vue/server-renderer': 3.4.27([email protected]([email protected])) + '@vue/server-renderer': 3.4.38([email protected]([email protected])) [email protected]: {} - [email protected]([email protected]([email protected])): + [email protected]([email protected]([email protected])): dependencies: - '@vue/devtools-api': 6.5.1 - vue: 3.4.27([email protected]) + '@vue/devtools-api': 6.6.4 + vue: 3.4.38([email protected]) [email protected]([email protected]): dependencies: @@ -19391,22 +19560,22 @@ snapshots: semver: 7.6.3 typescript: 5.5.4 - [email protected]([email protected]): + [email protected]([email protected]): dependencies: - '@vue/compiler-dom': 3.4.27 - '@vue/compiler-sfc': 3.4.27 - '@vue/runtime-dom': 3.4.27 - '@vue/server-renderer': 3.4.27([email protected]([email protected])) - '@vue/shared': 3.4.27 + '@vue/compiler-dom': 3.4.38 + '@vue/compiler-sfc': 3.4.38 + '@vue/runtime-dom': 3.4.38 + '@vue/server-renderer': 3.4.38([email protected]([email protected])) + '@vue/shared': 3.4.38 optionalDependencies: typescript: 5.5.4 - [email protected]([email protected])([email protected])([email protected]([email protected])): + [email protected]([email protected])([email protected])([email protected]([email protected])): dependencies: - vue: 3.4.27([email protected]) + vue: 3.4.38([email protected]) optionalDependencies: typescript: 5.5.4 - vite-plugin-vuetify: 2.1.0([email protected](@types/[email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))([email protected]) + vite-plugin-vuetify: 2.1.0([email protected](@types/[email protected])([email protected])([email protected])([email protected])([email protected]))([email protected]([email protected]))([email protected]) [email protected]: dependencies: @@ -19416,7 +19585,7 @@ snapshots: dependencies: chalk: 4.1.2 commander: 9.5.0 - debug: 4.3.7 + debug: 4.4.0 transitivePeerDependencies: - supports-color @@ -19584,24 +19753,25 @@ snapshots: [email protected]: {} - [email protected]: + [email protected]: dependencies: idb: 7.1.1 - workbox-core: 7.0.0 + workbox-core: 7.3.0 - [email protected]: + [email protected]: dependencies: - workbox-core: 7.0.0 + workbox-core: 7.3.0 - [email protected](@types/[email protected]): + [email protected](@types/[email protected]): dependencies: '@apideck/better-ajv-errors': 0.3.1([email protected]) - '@babel/core': 7.25.2 - '@babel/preset-env': 7.25.3(@babel/[email protected]) + '@babel/core': 7.26.9 + '@babel/preset-env': 7.25.3(@babel/[email protected]) '@babel/runtime': 7.24.4 - '@rollup/plugin-babel': 5.3.1(@babel/[email protected])(@types/[email protected])([email protected]) - '@rollup/plugin-node-resolve': 11.2.1([email protected]) + '@rollup/plugin-babel': 5.3.1(@babel/[email protected])(@types/[email protected])([email protected]) + '@rollup/plugin-node-resolve': 15.2.3([email protected]) '@rollup/plugin-replace': 2.4.2([email protected]) + '@rollup/plugin-terser': 0.4.4([email protected]) '@surma/rollup-plugin-off-main-thread': 2.2.3 ajv: 8.17.1 common-tags: 1.8.0 @@ -19611,91 +19781,90 @@ snapshots: lodash: 4.17.21 pretty-bytes: 5.6.0 rollup: 2.79.1 - rollup-plugin-terser: 7.0.2([email protected]) source-map: 0.8.0-beta.0 stringify-object: 3.3.0 strip-comments: 2.0.1 tempy: 0.6.0 upath: 1.2.0 - workbox-background-sync: 7.0.0 - workbox-broadcast-update: 7.0.0 - workbox-cacheable-response: 7.0.0 - workbox-core: 7.0.0 - workbox-expiration: 7.0.0 - workbox-google-analytics: 7.0.0 - workbox-navigation-preload: 7.0.0 - workbox-precaching: 7.0.0 - workbox-range-requests: 7.0.0 - workbox-recipes: 7.0.0 - workbox-routing: 7.0.0 - workbox-strategies: 7.0.0 - workbox-streams: 7.0.0 - workbox-sw: 7.0.0 - workbox-window: 7.0.0 + workbox-background-sync: 7.3.0 + workbox-broadcast-update: 7.3.0 + workbox-cacheable-response: 7.3.0 + workbox-core: 7.3.0 + workbox-expiration: 7.3.0 + workbox-google-analytics: 7.3.0 + workbox-navigation-preload: 7.3.0 + workbox-precaching: 7.3.0 + workbox-range-requests: 7.3.0 + workbox-recipes: 7.3.0 + workbox-routing: 7.3.0 + workbox-strategies: 7.3.0 + workbox-streams: 7.3.0 + workbox-sw: 7.3.0 + workbox-window: 7.3.0 transitivePeerDependencies: - '@types/babel__core' - supports-color - [email protected]: + [email protected]: dependencies: - workbox-core: 7.0.0 + workbox-core: 7.3.0 - [email protected]: {} + [email protected]: {} - [email protected]: + [email protected]: dependencies: idb: 7.1.1 - workbox-core: 7.0.0 + workbox-core: 7.3.0 - [email protected]: + [email protected]: dependencies: - workbox-background-sync: 7.0.0 - workbox-core: 7.0.0 - workbox-routing: 7.0.0 - workbox-strategies: 7.0.0 + workbox-background-sync: 7.3.0 + workbox-core: 7.3.0 + workbox-routing: 7.3.0 + workbox-strategies: 7.3.0 - [email protected]: + [email protected]: dependencies: - workbox-core: 7.0.0 + workbox-core: 7.3.0 - [email protected]: + [email protected]: dependencies: - workbox-core: 7.0.0 - workbox-routing: 7.0.0 - workbox-strategies: 7.0.0 + workbox-core: 7.3.0 + workbox-routing: 7.3.0 + workbox-strategies: 7.3.0 - [email protected]: + [email protected]: dependencies: - workbox-core: 7.0.0 + workbox-core: 7.3.0 - [email protected]: + [email protected]: dependencies: - workbox-cacheable-response: 7.0.0 - workbox-core: 7.0.0 - workbox-expiration: 7.0.0 - workbox-precaching: 7.0.0 - workbox-routing: 7.0.0 - workbox-strategies: 7.0.0 + workbox-cacheable-response: 7.3.0 + workbox-core: 7.3.0 + workbox-expiration: 7.3.0 + workbox-precaching: 7.3.0 + workbox-routing: 7.3.0 + workbox-strategies: 7.3.0 - [email protected]: + [email protected]: dependencies: - workbox-core: 7.0.0 + workbox-core: 7.3.0 - [email protected]: + [email protected]: dependencies: - workbox-core: 7.0.0 + workbox-core: 7.3.0 - [email protected]: + [email protected]: dependencies: - workbox-core: 7.0.0 - workbox-routing: 7.0.0 + workbox-core: 7.3.0 + workbox-routing: 7.3.0 - [email protected]: {} + [email protected]: {} - [email protected]: + [email protected]: dependencies: '@types/trusted-types': 2.0.2 - workbox-core: 7.0.0 + workbox-core: 7.3.0 [email protected]: dependencies: @@ -19770,11 +19939,11 @@ snapshots: dependencies: eslint-visitor-keys: 3.4.3 lodash: 4.17.21 - yaml: 2.5.1 + yaml: 2.7.0 [email protected]: {} - [email protected]: {} + [email protected]: {} [email protected]: dependencies: @@ -19788,7 +19957,7 @@ snapshots: [email protected]: dependencies: cliui: 7.0.4 - escalade: 3.1.2 + escalade: 3.2.0 get-caller-file: 2.0.5 require-directory: 2.1.1 string-width: 4.2.3 @@ -19798,7 +19967,7 @@ snapshots: [email protected]: dependencies: cliui: 8.0.1 - escalade: 3.1.2 + escalade: 3.2.0 get-caller-file: 2.0.5 require-directory: 2.1.1 string-width: 4.2.3