version: 4.6.3

This commit is contained in:
XiaoDaiGua-Ray 2024-02-09 14:05:09 +08:00
parent 25599cea24
commit 3fa9478ee4
28 changed files with 579 additions and 281 deletions

View File

@ -1,5 +1,57 @@
# CHANGE LOG # CHANGE LOG
## 4.6.3
## Feats
- `GlobalSearch` 相关
- 取消递归查找,使用 `getRoutes` 方法替代查找,提高查找速度
- 现在是用快捷键激活搜索框的时候,如果再次按下快捷键并且搜索框已经是激活状态,则不会重新渲染搜索框
- 补充 `resolveOption` 方法注释。在使用该方法的时候,需要开发者自己手动补充当前项的 `fullPath` 字段。因为该方法在处理的时候,并不能准确的感知到当前项的 `fullPath` 字段,所以需要手动补充
```ts
import { useMenuActions } from '@/store'
const { resolveOption } = useMenuActions()
resolveOption({
// ...your option
fullPath: '/your path',
})
```
- 优化 `GlobalSearch` 组件样式
- `addStyle` 方法相关
- 方法重写并且更名为 `setStyle`
- 支持自动补全内核前缀
- 支持识别样式变量css var方式插入
- 支持字符串数组形式插入样式
- `queryElements` 方法支持默认值配置项
- `addClass` 相关
- 方法更名为 `setClass`
- 支持数组传参
- `hasClass`, `removeClass` 方法支持数组传参
- 补充 `pick`, `omit` 方法类型重载
- `menu store` 相关
- 新增 `depthSearchAppMenu` 方法,用于深度搜索菜单,并且该方法会缓存上一次的搜索结果
- 新增 `isAsyncFunction` 方法,用于判断是否为 `async` 函数
```ts
import { depthSearchAppMenu } from '@/store'
const result = depthSearchAppMenu(appMenuOptions, 'target fullPath')
```
- `useBadge` 相关
- 使用 `depthSearchAppMenu` 方法替代原查找方法
- 将 `equal` 方法提取到 `utils` 包中,并且更名为 `equalRouterPath`,用于判断两个路径是否相等
## Fixes
- 修复 `SettingDrawer` 组件某些开关不能正确同步状态问题
- 修复 `usePrint` 方法在 `unrefElement` 方法获取失败后不执行的问题。在 `print-js` 逻辑中,如果未获取到 `dom`,会视为其他的打印方式,不符合 `print-js` 的设计
- `isPromise` 方法修正,现在会正确的识别 `async` 标记d的函数
## 4.6.2 ## 4.6.2
## Feats ## Feats

View File

@ -1,7 +1,7 @@
{ {
"name": "ray-template", "name": "ray-template",
"private": false, "private": false,
"version": "4.6.2", "version": "4.6.3",
"type": "module", "type": "module",
"engines": { "engines": {
"node": "^18.0.0 || >=20.0.0", "node": "^18.0.0 || >=20.0.0",

View File

@ -11,9 +11,9 @@
import { get } from 'lodash-es' import { get } from 'lodash-es'
import { import {
addClass, setClass,
removeClass, removeClass,
addStyle, setStyle,
colorToRgba, colorToRgba,
getStorage, getStorage,
} from '@/utils' } from '@/utils'
@ -62,7 +62,7 @@ export default defineComponent({
const el = document.getElementById('pre-loading-animation') const el = document.getElementById('pre-loading-animation')
if (el) { if (el) {
addStyle(el, { setStyle(el, {
display: 'none', display: 'none',
}) })
} }
@ -84,7 +84,7 @@ export default defineComponent({
? removeClass(body, lightClassName) ? removeClass(body, lightClassName)
: removeClass(body, darkClassName) : removeClass(body, darkClassName)
addClass(body, bool ? darkClassName : lightClassName) setClass(body, bool ? darkClassName : lightClassName)
} }
syncPrimaryColorToBody() syncPrimaryColorToBody()

View File

@ -120,6 +120,7 @@ export const APP_CATCH_KEY = {
appPiniaSigningStore: 'piniaSigningStore', appPiniaSigningStore: 'piniaSigningStore',
appVersionProvider: 'appVersionProvider', appVersionProvider: 'appVersionProvider',
isAppLockScreen: 'isAppLockScreen', isAppLockScreen: 'isAppLockScreen',
appGlobalSearchOptions: 'appGlobalSearchOptions',
} as const } as const
/** /**

View File

@ -29,12 +29,14 @@ import type { AppRawRequestConfig } from '@/axios/type'
/** /**
* *
* @param fetchOption axios
* @param option useRequest
*
* @description
* effect 使 * effect 使
* vue effect scope 使 * vue effect scope 使
* *
* vue effect 使
* @example * @example
*
* // 请求函数 * // 请求函数
* const getUser = () => request({ url: 'http://localhost:3000/user' }) * const getUser = () => request({ url: 'http://localhost:3000/user' })
* *

View File

@ -298,7 +298,7 @@ export default defineComponent({
// 避免重复渲染 // 避免重复渲染
if (echartInst?.getDom()) { if (echartInst?.getDom()) {
console.warn( console.warn(
'RChart mount: There is a chart instance already initialized on the dom. Execution was interrupted.', '[RChart mount]: There is a chart instance already initialized on the dom. Execution was interrupted.',
) )
return return

View File

@ -14,7 +14,7 @@
* directive name: disabled * directive name: disabled
*/ */
import { addClass, removeClass } from '@/utils' import { setClass, removeClass } from '@/utils'
import type { CustomDirectiveFC } from '@/directives/type' import type { CustomDirectiveFC } from '@/directives/type'
@ -25,7 +25,7 @@ const updateElementDisabledType = (el: HTMLElement, value: boolean) => {
if (value) { if (value) {
el.setAttribute('disabled', 'disabled') el.setAttribute('disabled', 'disabled')
addClass(el, classes) setClass(el, classes)
} else { } else {
el.removeAttribute('disabled') el.removeAttribute('disabled')

View File

@ -1,4 +1,4 @@
import { useMenuGetters } from '@/store' import { useMenuGetters, depthSearchAppMenu } from '@/store'
import { isValueType } from '@/utils' import { isValueType } from '@/utils'
import { createMenuExtra } from '@/store/modules/menu/helper' import { createMenuExtra } from '@/store/modules/menu/helper'
@ -25,64 +25,16 @@ const renderExtra = (
cachePreNormal = option cachePreNormal = option
} }
/** // 根据匹配的菜单项渲染 extra
* const renderExtraWithNormalMenuOption = (
* @param path1 1
* @param path2 2
*
* @description
*
*
* @example
* equal('/a/', '/a') // true
* equal('/a', '/a') // true
*/
const equal = (path1: string, path2: string) => {
const path1End = path1.endsWith('/')
const path2End = path2.endsWith('/')
if (path1End && path2End) {
return path1.slice(0, -1) === path2.slice(0, -1)
}
if (!path1End && !path2End) {
return path1 === path2
}
return (
path1 === path2 ||
path1.slice(0, -1) === path2 ||
path1 === path2.slice(0, -1)
)
}
// 递归查找匹配的菜单项,缓存上一次的匹配项
const deep = (
options: AppMenuOption[], options: AppMenuOption[],
target: string, target: string,
fn: string,
assignExtra: AppMenuExtraOptions, assignExtra: AppMenuExtraOptions,
) => { ) => {
if (cachePreNormal && equal(cachePreNormal.fullPath, target)) { const menuOption = depthSearchAppMenu(options, target)
renderExtra(cachePreNormal, assignExtra)
return cachePreNormal if (menuOption) {
} renderExtra(menuOption, assignExtra)
for (const curr of options) {
if (equal(curr.fullPath, target)) {
renderExtra(curr, assignExtra)
cachePreNormal = curr
return curr
}
if (curr.children?.length) {
deep(curr.children, target, fn, assignExtra)
continue
}
} }
} }
@ -95,11 +47,11 @@ const normalOption = (
const { getMenuOptions } = useMenuGetters() const { getMenuOptions } = useMenuGetters()
if (typeof target === 'string') { if (typeof target === 'string') {
deep(getMenuOptions.value, target, fn, assignExtra) renderExtraWithNormalMenuOption(getMenuOptions.value, target, assignExtra)
} else if (isValueType<'object'>(target, 'Object')) { } else if (isValueType<'object'>(target, 'Object')) {
const { fullPath } = target const { fullPath } = target
deep(getMenuOptions.value, fullPath, fn, assignExtra) renderExtraWithNormalMenuOption(getMenuOptions.value, fullPath, assignExtra)
} else { } else {
console.warn(`[useBadge ${fn}]: target expect string or object.`) console.warn(`[useBadge ${fn}]: target expect string or object.`)
} }

View File

@ -212,13 +212,14 @@ export function useSiderBar() {
'path', 'path',
'name', 'name',
'redirect', 'redirect',
]) as unknown as AppMenuOption ])
const res = resolveOption(pickOption as unknown as AppMenuOption)
changeMenuModelValue( changeMenuModelValue(
pickOption.path, res.path,
resolveOption({ resolveOption({
...pickOption, ...res,
fullPath: pickOption.path, fullPath: res.path,
}), }),
) )
} }

View File

@ -34,6 +34,8 @@ export interface UseDomToImageOptions extends ReDomToImageOptions {
* dom * dom
* *
* @param element current dom * @param element current dom
*
* @default undefined
*/ */
beforeCreate?: <T extends TargetType = Element>( beforeCreate?: <T extends TargetType = Element>(
element: T | null | undefined, element: T | null | undefined,
@ -44,6 +46,8 @@ export interface UseDomToImageOptions extends ReDomToImageOptions {
* @param result dom to image result * @param result dom to image result
* *
* dom * dom
*
* @default undefined
*/ */
created?: <T extends TargetType = Element>( created?: <T extends TargetType = Element>(
result: DomToImageResult, result: DomToImageResult,
@ -54,6 +58,8 @@ export interface UseDomToImageOptions extends ReDomToImageOptions {
* @param error dom to image error * @param error dom to image error
* *
* dom * dom
*
* @default undefined
*/ */
createdError?: (error?: Error) => void createdError?: (error?: Error) => void
/** /**
@ -61,6 +67,8 @@ export interface UseDomToImageOptions extends ReDomToImageOptions {
* @param element current dom * @param element current dom
* *
* dom * dom
*
* @default undefined
*/ */
finally?: () => void finally?: () => void
} }
@ -78,12 +86,15 @@ const domToImageMethods = {
* @param target ref dom * @param target ref dom
* @param options dom-to-image options * @param options dom-to-image options
* *
* 使 dom-to-image dom dom-to-image v2.6.0 * @see https://github.com/tsayen/dom-to-image
* imageType
* *
* create imageType options.imageType * @description
* imageType 使 options.imageType * 使 dom-to-image dom dom-to-image v2.6.0
* 使 jpeg * imageType
*
* create imageType options.imageType
* imageType 使 options.imageType
* 使 jpeg
* *
* @example * @example
* const refDom = ref<HTMLElement>() * const refDom = ref<HTMLElement>()

View File

@ -1,4 +1,3 @@
/* eslint-disable @typescript-eslint/no-explicit-any */
import print from 'print-js' import print from 'print-js'
import { unrefElement } from '@/utils' import { unrefElement } from '@/utils'
@ -7,7 +6,7 @@ import type { BasicTarget } from '@/types'
export interface UsePrintOptions export interface UsePrintOptions
extends Omit<print.Configuration, 'printable'> {} extends Omit<print.Configuration, 'printable'> {}
export type UsePrintTarget<T = any> = export type UsePrintTarget<T = unknown> =
| BasicTarget | BasicTarget
| string | string
| Blob | Blob
@ -19,12 +18,16 @@ export type UsePrintTarget<T = any> =
* @param target ref dom * @param target ref dom
* @param options print-js options * @param options print-js options
* *
* print-js usePrint ref Dom * @see https://printjs.crabbly.com/
*
* @description
* print-js usePrint ref Dom
* *
* @example * @example
* const refDom = ref<HTMLElement>() * const refDom = ref<HTMLElement>()
* *
* const { print } = usePrint(refDom, {}) * const { print } = usePrint(refDom, {})
*
* @example * @example
* const { print } = usePrint('#id', {}) * const { print } = usePrint('#id', {})
* const { print } = usePrint('base64', {}) // 设置为 base64 时,一定要设置配置项 base64 为 true * const { print } = usePrint('base64', {}) // 设置为 base64 时,一定要设置配置项 base64 为 true
@ -33,14 +36,13 @@ export type UsePrintTarget<T = any> =
*/ */
export const usePrint = (target: UsePrintTarget, options?: UsePrintOptions) => { export const usePrint = (target: UsePrintTarget, options?: UsePrintOptions) => {
const run = () => { const run = () => {
const element = unrefElement(target as BasicTarget) // 为了兼容 ref 注册的 dom如果未获取到 dom则会视为其他的输出方式交由 print-js 处理
const _target = unrefElement(target as BasicTarget) || target
if (element) { print({
print({ ...options,
...options, printable: _target,
printable: element, })
})
}
} }
return { return {

View File

@ -30,7 +30,9 @@ export const useVueRouter = () => {
throw new Error() throw new Error()
} }
} catch (e) { } catch (e) {
throw new Error('router is not defined') throw new Error(
`[useVueRouter]: An error occurred during registration of vue-router. ${e}`,
)
} }
} }

View File

@ -12,7 +12,7 @@ $globalSearchWidth: 650px;
& .global-search__card { & .global-search__card {
border-radius: 6px; border-radius: 6px;
min-width: 800px; min-width: 560px;
& .ray-icon { & .ray-icon {
color: var(--ray-theme-primary-color); color: var(--ray-theme-primary-color);
@ -22,8 +22,9 @@ $globalSearchWidth: 650px;
padding: 16px 12px 12px 12px; padding: 16px 12px 12px 12px;
} }
& .n-card__content { & .n-card__content,
min-height: 115px; & .n-spin-content {
min-height: 90px;
} }
& .content-item { & .content-item {

View File

@ -31,9 +31,9 @@ import {
} from 'naive-ui' } from 'naive-ui'
import { RIcon } from '@/components' import { RIcon } from '@/components'
import { queryElements, addClass, removeClass } from '@/utils' import { queryElements, setClass, removeClass, pick } from '@/utils'
import { debounce } from 'lodash-es' import { debounce } from 'lodash-es'
import { useMenuGetters, useMenuActions } from '@/store' import { useMenuActions } from '@/store'
import { validMenuItemShow } from '@/router/helper/routerCopilot' import { validMenuItemShow } from '@/router/helper/routerCopilot'
import { useDevice } from '@/hooks' import { useDevice } from '@/hooks'
import { useEventListener } from '@vueuse/core' import { useEventListener } from '@vueuse/core'
@ -51,7 +51,9 @@ export default defineComponent({
}, },
emits: ['update:show'], emits: ['update:show'],
setup(props, { emit }) { setup(props, { emit }) {
const { changeMenuModelValue } = useMenuActions() const { changeMenuModelValue, resolveOption } = useMenuActions()
const { getRoutes } = useRouter()
const modelShow = computed({ const modelShow = computed({
get: () => props.show, get: () => props.show,
set: (val) => { set: (val) => {
@ -62,8 +64,6 @@ export default defineComponent({
} }
}, },
}) })
const { getMenuOptions } = useMenuGetters()
const state = reactive({ const state = reactive({
searchValue: null, searchValue: null,
searchOptions: [] as AppMenuOption[], searchOptions: [] as AppMenuOption[],
@ -102,6 +102,10 @@ export default defineComponent({
/** 按下 ctrl + k 或者 command + k 激活搜索栏 */ /** 按下 ctrl + k 或者 command + k 激活搜索栏 */
const registerArouseKeyboard = (e: KeyboardEvent) => { const registerArouseKeyboard = (e: KeyboardEvent) => {
if (modelShow.value) {
return
}
if ((e.ctrlKey || e.metaKey) && e.key === 'k') { if ((e.ctrlKey || e.metaKey) && e.key === 'k') {
e.preventDefault() e.preventDefault()
e.stopPropagation() e.stopPropagation()
@ -113,8 +117,6 @@ export default defineComponent({
/** 根据输入值模糊检索菜单 */ /** 根据输入值模糊检索菜单 */
const fuzzySearchMenuOptions = (value: string) => { const fuzzySearchMenuOptions = (value: string) => {
const arr: AppMenuOption[] = []
if (value) { if (value) {
loading.value = true loading.value = true
} else { } else {
@ -124,37 +126,35 @@ export default defineComponent({
return return
} }
const filterArr = (options: AppMenuOption[]) => { const arr = getRoutes().reduce((pre, curr) => {
for (const curr of options) { const pickOption = pick(curr, [
if (curr.children?.length && validMenuItemShow(curr)) { 'children',
filterArr(curr.children) 'meta',
'path',
'name',
]) as unknown as AppMenuOption
continue const res = resolveOption({
} ...pickOption,
fullPath: curr.path,
})
const { breadcrumbLabel } = res
/** 处理菜单名与输入值, 不区分大小写 */ // 是否模糊匹配字符、满足展示条件
const $breadcrumbLabel = curr.breadcrumbLabel?.toLocaleLowerCase() if (
const $value = String(value).toLocaleLowerCase() breadcrumbLabel
?.toLocaleLowerCase()
// 是否模糊匹配字符、满足展示条件 ?.includes(value.toLocaleLowerCase()) &&
if ( validMenuItemShow(res)
$breadcrumbLabel?.includes($value) && ) {
validMenuItemShow(curr) && pre.push(res)
!curr.children?.length
) {
arr.push(curr)
}
} }
}
return pre
}, [] as AppMenuOption[])
setTimeout(() => { setTimeout(() => {
if (value) { state.searchOptions = arr
filterArr(getMenuOptions.value)
state.searchOptions = arr
} else {
state.searchOptions = []
}
nextTick().then(() => { nextTick().then(() => {
autoFocusingSearchItem() autoFocusingSearchItem()
@ -203,7 +203,7 @@ export default defineComponent({
if (searchElementOptions?.length) { if (searchElementOptions?.length) {
const [el] = searchElementOptions const [el] = searchElementOptions
addClass(el, activeClass) setClass(el, activeClass)
} }
}) })
} }
@ -218,7 +218,7 @@ export default defineComponent({
} else if (typeof icon === 'function') { } else if (typeof icon === 'function') {
return () => icon return () => icon
} else { } else {
return <RIcon name="table" size="24" /> return <RIcon name="search" size="24" />
} }
} }
@ -381,8 +381,7 @@ export default defineComponent({
justify="center" justify="center"
class="global-search__empty-content" class="global-search__empty-content"
> >
<RIcon name="empty" size="24" />
</NFlex> </NFlex>
), ),
}} }}

View File

@ -30,7 +30,7 @@ export default defineComponent({
const operatingSystem = detectOperatingSystem() const operatingSystem = detectOperatingSystem()
if (operatingSystem === 'MacOS') { if (operatingSystem === 'MacOS') {
return '⌘ K' return '⌘ + K'
} }
if (operatingSystem === 'Windows') { if (operatingSystem === 'Windows') {

View File

@ -64,12 +64,18 @@ export default defineComponent({
emit('update:show', bool) emit('update:show', bool)
}, },
}) })
const modelSwitchReactive = reactive({ // 为了方便管理多个 computed因为 computed 不能被逆向修改
getMenuTagSwitch: getMenuTagSwitch.value, const modelSwitchReactive = computed({
getBreadcrumbSwitch: getBreadcrumbSwitch.value, get: () => {
getCopyrightSwitch: getCopyrightSwitch.value, return {
getContentTransition: getContentTransition.value, getMenuTagSwitch: getMenuTagSwitch.value,
getWatermarkSwitch: getWatermarkSwitch.value, getBreadcrumbSwitch: getBreadcrumbSwitch.value,
getCopyrightSwitch: getCopyrightSwitch.value,
getContentTransition: getContentTransition.value,
getWatermarkSwitch: getWatermarkSwitch.value,
}
},
set: (value) => {},
}) })
return { return {

View File

@ -11,6 +11,9 @@ const multiMenu: AppRouteRecordRaw = {
i18nKey: t('menu.MultiMenu'), i18nKey: t('menu.MultiMenu'),
icon: 'other', icon: 'other',
order: 4, order: 4,
extra: {
label: 'cache',
},
}, },
children: [ children: [
{ {

View File

@ -13,8 +13,8 @@ export default async () => {
*/ */
{ {
path: '/', path: '/',
name: 'login', name: 'RLogin',
component: () => import('@/views/login/index'), component: () => import('@/views/login'),
}, },
/** /**
* *
@ -22,7 +22,7 @@ export default async () => {
*/ */
{ {
path: '/', path: '/',
name: 'layout', name: 'RLayout',
redirect: getRootPath.value, redirect: getRootPath.value,
component: Layout, component: Layout,
children: appExpandRoutes(), children: appExpandRoutes(),

View File

@ -25,7 +25,7 @@
import { NEllipsis } from 'naive-ui' import { NEllipsis } from 'naive-ui'
import { setStorage, pick } from '@/utils' import { setStorage, pick, equalRouterPath } from '@/utils'
import { validRole, validMenuItemShow } from '@/router/helper/routerCopilot' import { validRole, validMenuItemShow } from '@/router/helper/routerCopilot'
import { import {
parseAndFindMatchingNodes, parseAndFindMatchingNodes,
@ -43,6 +43,47 @@ import type { AppMenuOption, MenuTagOptions } from '@/types'
import type { MenuState } from '@/store/modules/menu/type' import type { MenuState } from '@/store/modules/menu/type'
import type { LocationQuery } from 'vue-router' import type { LocationQuery } from 'vue-router'
let cachePreNormal: AppMenuOption | undefined = void 0
/**
*
* @param options
* @param target
*
* @returns
*
* @description
*
*
*
* fullPath
*
* @example
* depthSearchAppMenu([{ path: '/dashboard', name: 'Dashboard', meta: { i18nKey: 'menu.Dashboard' } }], '/dashboard')
*/
export const depthSearchAppMenu = (
options: AppMenuOption[],
target: string,
) => {
if (cachePreNormal && equalRouterPath(cachePreNormal.fullPath, target)) {
return cachePreNormal
}
for (const curr of options) {
if (equalRouterPath(curr.fullPath, target)) {
cachePreNormal = curr
return curr
}
if (curr.children?.length) {
depthSearchAppMenu(curr.children, target)
continue
}
}
}
export const piniaMenuStore = defineStore( export const piniaMenuStore = defineStore(
'menu', 'menu',
() => { () => {
@ -64,9 +105,13 @@ export const piniaMenuStore = defineStore(
/** /**
* *
* @param option * @param option
*
* @returns * @returns
* *
* AppMenu * @description
* AppMenu
* fullPath
* fullPath
* *
* @example * @example
* resolveOption({ path: '/dashboard', name: 'Dashboard', meta: { i18nKey: 'menu.Dashboard' } }) * resolveOption({ path: '/dashboard', name: 'Dashboard', meta: { i18nKey: 'menu.Dashboard' } })

View File

@ -115,3 +115,11 @@ export interface StorageOptions<T = any> {
prefixKey?: string prefixKey?: string
defaultValue?: T defaultValue?: T
} }
export interface QueryElementsOptions<T extends Element = Element> {
defaultElement?: T
}
export type PropertyName = string | number | symbol
export type Many<T> = T | ReadonlyArray<T>

View File

@ -5,23 +5,30 @@ import type {
DownloadAnyFileDataType, DownloadAnyFileDataType,
BasicTypes, BasicTypes,
AnyFC, AnyFC,
PropertyName,
Recordable,
Many,
} from '@/types' } from '@/types'
import type { Recordable } from '@/types'
/** /**
* *
* * @description
*
* *
* 可以直接使用: __DEV__ * 可以直接使用: __DEV__
* *
* @example * @example
* 是否为开发环境: __DEV__ * 是否为开发环境: __DEV__
* *
* @example * @example
* const { BASE_URL } = getAppEnvironment() BASE_URL * // 获取 BASE_URL
* const { MODE } = getAppEnvironment() MODE * const { BASE_URL } = getAppEnvironment()
* const { SSR } = getAppEnvironment() SSR * // 获取 MODE当前环境
* const { your config } = getAppEnvironment() * const { MODE } = getAppEnvironment()
* // 是否启用 SSR
* const { SSR } = getAppEnvironment()
* // 获取你自定义的配置项
* const { your config } = getAppEnvironment()
*/ */
export const getAppEnvironment = () => { export const getAppEnvironment = () => {
const env = import.meta.env const env = import.meta.env
@ -33,10 +40,11 @@ export const getAppEnvironment = () => {
* *
* @param data * @param data
* *
* base64 * @description
* base64
* *
* @example * @example
* arrayBufferToBase64Image('base64') => Image * const Image = arrayBufferToBase64Image('base64')
*/ */
export const arrayBufferToBase64Image = (data: ArrayBuffer): string | null => { export const arrayBufferToBase64Image = (data: ArrayBuffer): string | null => {
if (!data || data.byteLength) { if (!data || data.byteLength) {
@ -60,7 +68,8 @@ export const arrayBufferToBase64Image = (data: ArrayBuffer): string | null => {
* @param base64 base64 * @param base64 base64
* @param fileName file name * @param fileName file name
* *
* base64 downloadAnyFile * @description
* base64 downloadAnyFile
* *
* @example * @example
* downloadBase64File('base64', 'file name') * downloadBase64File('base64', 'file name')
@ -84,8 +93,10 @@ export const downloadBase64File = (base64: string, fileName: string) => {
* @param type * @param type
* *
* @example * @example
* isValueType<string>('123', 'String') => true * isValueType<string>('123', 'String') // true
* isValueType<object>({}, 'Object') => true * isValueType<object>({}, 'Object') // true
* isValueType<number>([], 'Array') // true
* isValueType<number>([], 'Object') // false
*/ */
export const isValueType = <T extends BasicTypes>( export const isValueType = <T extends BasicTypes>(
value: unknown, value: unknown,
@ -101,6 +112,9 @@ export const isValueType = <T extends BasicTypes>(
* @param length uuid * @param length uuid
* @param radix uuid * @param radix uuid
* *
* @description
* uuid
*
* @example * @example
* uuid(8) => 'B8tGcl0FCKJkpO0V' * uuid(8) => 'B8tGcl0FCKJkpO0V'
*/ */
@ -136,7 +150,8 @@ export const uuid = (length = 16, radix = 62) => {
* @param data base64, Blob, ArrayBuffer type * @param data base64, Blob, ArrayBuffer type
* @param fileName file name * @param fileName file name
* *
* base64, Blob, ArrayBuffer * @description
* base64, Blob, ArrayBuffer
* *
* @example * @example
* downloadAnyFile('base64', 'file name') * downloadAnyFile('base64', 'file name')
@ -195,24 +210,40 @@ export const downloadAnyFile = (
}) })
} }
export function omit<T extends Recordable, K extends PropertyName[]>(
targetObject: T,
...paths: K
): Pick<T, Exclude<keyof T, K[number]>>
export function omit<T extends object>(
object: T | null | undefined,
...paths: Array<Many<PropertyName>>
): Partial<T>
/** /**
* *
* @param targetObject * @param targetObject
* @param targetKeys key * @param targetKeys key
* *
* key * @description
* targetObject null undefined * key
* targetObject null undefined
* *
* @example * @example
* omit({ a: 1, b: 2, c: 3 }, 'a') => { b: 2, c: 3 } * omit({ a: 1, b: 2, c: 3 }, 'a') // { b: 2, c: 3 }
* omit({ a: 1, b: 2, c: 3 }, ['a', 'b']) => { c: 3 } * omit({ a: 1, b: 2, c: 3 }, ['a', 'b']) // { c: 3 }
* omit(null) // {}
*/ */
export const omit = <T extends Recordable, K extends keyof T>( export function omit<T extends Recordable, K extends keyof T>(
targetObject: T, targetObject: T,
targetKeys: K | K[], targetKeys: K | K[],
): Omit<T, K> => { ) {
if (!targetObject) { if (!targetObject) {
return {} as Omit<T, K> console.warn(
`[omit]: The targetObject is expected to be an object, but got ${targetObject}.`,
)
return {}
} }
const keys = Array.isArray(targetKeys) ? targetKeys : [targetKeys] const keys = Array.isArray(targetKeys) ? targetKeys : [targetKeys]
@ -228,53 +259,94 @@ export const omit = <T extends Recordable, K extends keyof T>(
return targetObject return targetObject
} }
export function pick<T extends object>(
object: T | null | undefined,
...paths: Array<Many<PropertyName>>
): Partial<T>
/** /**
* *
* @param targetObject target object * @param targetObject target object
* @param targetKeys target keys * @param targetKeys target keys
* *
* key * @description
* targetObject null undefined * key
* targetObject null undefined
* *
* @example * @example
* pick({ a: 1, b: 2, c: 3 }, 'a') => { a: 1 } * pick({ a: 1, b: 2, c: 3 }, 'a') // { a: 1 }
* pick({ a: 1, b: 2, c: 3 }, ['a', 'b']) => { a: 1, b: 2 } * pick({ a: 1, b: 2, c: 3 }, ['a', 'b']) // { a: 1, b: 2 }
* pick({ a: 1, b: 2, c: 3 }, []) => {} * pick({ a: 1, b: 2, c: 3 }, []) // {}
* pick(null) // {}
*/ */
export const pick = <T extends Recordable, K extends keyof T>( export function pick<T extends object, K extends keyof T>(
targetObject: T, targetObject: T,
targetKeys: K | K[], targetKeys: K | K[],
): Pick<T, K> => { ) {
if (!targetObject) { if (!targetObject) {
return {} as Pick<T, K> console.warn(
`[pick]: The targetObject is expected to be an object, but got ${targetObject}.`,
)
return {}
} }
const keys = Array.isArray(targetKeys) ? targetKeys : [targetKeys] const keys = Array.isArray(targetKeys) ? targetKeys : [targetKeys]
const result = {} as Pick<T, K>
if (!keys.length) { if (!keys.length) {
return result return targetObject
} }
keys.forEach((key) => { const result = keys.reduce(
result[key] = targetObject[key] (pre, curr) => {
}) if (Reflect.has(targetObject, curr)) {
pre[curr] = targetObject[curr]
}
return pre
},
{} as Pick<T, K>,
)
return result return result
} }
/** /**
* *
* @param value * @param func
* @returns async
* *
* Promise * @description
* async
* *
* @example * @example
* isPromise(Promise.resolve(123)) => true * isAsyncFunction(() => {}) // false
* isPromise(() => {}) => false * isAsyncFunction(async () => {}) // true
* isPromise(123) => false * isAsyncFunction(function() {}) // false
* isAsyncFunction(async function() {}) // true
*/
export const isAsyncFunction = <T>(func: T) => {
return func instanceof Function && func.constructor.name === 'AsyncFunction'
}
/**
*
* @param value
*
* @description
* Promise
*
* @example
* isPromise(Promise.resolve(123)) // true
* isPromise(() => {}) // false
* isPromise(123) // false
* isPromise(async () => {}) // true
*/ */
export const isPromise = <T>(value: unknown): value is Promise<T> => { export const isPromise = <T>(value: unknown): value is Promise<T> => {
if (isAsyncFunction(value)) {
return true
}
return ( return (
!!value && !!value &&
(typeof value === 'object' || typeof value === 'function') && (typeof value === 'object' || typeof value === 'function') &&
@ -288,7 +360,8 @@ export const isPromise = <T>(value: unknown): value is Promise<T> => {
* @param errorCallback * @param errorCallback
* @param args * @param args
* *
* * @description
*
* *
* @example * @example
* callWithErrorHandling((x: number) => { return x }, () => {}, [123]) => 123 * callWithErrorHandling((x: number) => { return x }, () => {}, [123]) => 123
@ -316,7 +389,8 @@ export const callWithErrorHandling = <T extends AnyFC, E extends Error>(
* @param errorCallback * @param errorCallback
* @param args * @param args
* *
* * @description
*
* *
* @example * @example
* callWithAsyncErrorHandling(async () => { console.log('A') }, () => {}, []) => Promise { undefined } * callWithAsyncErrorHandling(async () => { console.log('A') }, () => {}, []) => Promise { undefined }
@ -346,8 +420,10 @@ export const callWithAsyncErrorHandling = async <
/** /**
* *
* * @description
* Unknown *
*
* Unknown
* *
* @example * @example
* detectOperatingSystem() => 'Windows' | 'MacOS' | 'Linux' | 'Android' | 'IOS' | 'Unknown' * detectOperatingSystem() => 'Windows' | 'MacOS' | 'Linux' | 'Android' | 'IOS' | 'Unknown'
@ -377,3 +453,36 @@ export const detectOperatingSystem = () => {
return OperatingSystem.Unknown return OperatingSystem.Unknown
} }
/**
*
* @param path1 1
* @param path2 2
*
* @returns
*
* @description
*
*
* @example
* equal('/a/', '/a') // true
* equal('/a', '/a') // true
*/
export const equalRouterPath = (path1: string, path2: string) => {
const path1End = path1.endsWith('/')
const path2End = path2.endsWith('/')
if (path1End && path2End) {
return path1.slice(0, -1) === path2.slice(0, -1)
}
if (!path1End && !path2End) {
return path1 === path2
}
return (
path1 === path2 ||
path1.slice(0, -1) === path2 ||
path1 === path2.slice(0, -1)
)
}

View File

@ -25,14 +25,15 @@ export interface PrintDomOptions {
* @param target ref dom * @param target ref dom
* @param options print-dom options, dom-to-image options * @param options print-dom options, dom-to-image options
* *
* useDomToImage print-js Ref Dom * @description
* dom * useDomToImage print-js Ref Dom
* dom
* *
* printOptions printable, type, base64 使 ts * printOptions printable, type, base64 使 ts
* 使 jpeg 使 * 使 jpeg 使
* *
* useDomToImage imageType * useDomToImage imageType
* print-js printable type * print-js printable type
* *
* @example * @example
* const refDom = ref<HTMLElement>() * const refDom = ref<HTMLElement>()

View File

@ -1,29 +1,37 @@
import { APP_REGEX } from '@/app-config' import { APP_REGEX } from '@/app-config'
import { effectDispose, unrefElement, isValueType } from '@/utils' import { effectDispose, unrefElement, isValueType } from '@/utils'
import type { PartialCSSStyleDeclaration, ElementSelector } from '@/types' import type {
import type { BasicTarget } from '@/types' BasicTarget,
QueryElementsOptions,
ElementSelector,
} from '@/types'
/** /**
* *
* @param target Target element dom * @param target ref
* @param className className: 'xxx xxx' | 'xxx' ( css ) * @param classNames
* *
* className(: 'xxx xxx' | 'xxx') * @description
*
* *
* @example * @example
* targetDom class: a-class b-class * // targetDom 当前 class: a-class b-class
* addClass(targetDom, 'c-class') => a-class b-class c-class * setClass(targetDom, 'c-class') // a-class b-class c-class
* setClass(targetDom, ['c-class', 'c-class']) // a-class b-class c-class
*/ */
export const addClass = ( export const setClass = (
target: BasicTarget<Element | HTMLElement | SVGAElement>, target: BasicTarget<Element | HTMLElement | SVGAElement>,
className: string, classNames: string | string[],
) => { ) => {
const update = () => { const update = () => {
const element = unrefElement(target) const element = unrefElement(target)
if (element) { if (element) {
const classes = className.trim().split(' ') const classes =
typeof classNames === 'string'
? classNames.trim().split(' ')
: classNames
classes.forEach((item) => { classes.forEach((item) => {
if (item) { if (item) {
@ -42,30 +50,35 @@ export const addClass = (
/** /**
* *
* @param target Target element dom * @param target ref
* @param className className: 'xxx xxx' | 'xxx' ( css ) * @param className
* *
* className(: 'xxx xxx' | 'xxx') * @description
* removeAllClass class name *
* *
* @example * @example
* targetDom class: a-class b-class * // targetDom 当前 class: a-class b-class
* removeClass(targetDom, 'a-class') => b-class * removeClass(targetDom, 'a-class') // b-class
* removeClass(targetDom, ['a-class', 'b-class']) // null
* removeClass(targetDom, 'removeAllClass') // null
*/ */
export const removeClass = ( export const removeClass = (
target: BasicTarget<Element | HTMLElement | SVGAElement>, target: BasicTarget<Element | HTMLElement | SVGAElement>,
className: string | 'removeAllClass', classNames: string | 'removeAllClass' | string[],
) => { ) => {
const update = () => { const update = () => {
const element = unrefElement(target) const element = unrefElement(target)
if (element) { if (element) {
if (className === 'removeAllClass') { if (classNames === 'removeAllClass') {
const classList = element.classList const classList = element.classList
classList.forEach((curr) => classList.remove(curr)) classList.forEach((curr) => classList.remove(curr))
} else { } else {
const classes = className.trim().split(' ') const classes =
typeof classNames === 'string'
? classNames.trim().split(' ')
: classNames
classes.forEach((item) => { classes.forEach((item) => {
if (item) { if (item) {
@ -85,15 +98,20 @@ export const removeClass = (
/** /**
* *
* @param target Target element dom * @param target ref
* @param className className: 'xxx xxx' | 'xxx' ( css ) * @param className
* *
* className(: 'xxx xxx' | 'xxx' ) * @description
*
* *
* @example * @example
* hasClass(targetDom, 'matchClassName') => Ref<true> | Ref<false> * hasClass(targetDom, 'matchClassName') // Ref<true> | Ref<false>
* hasClass(targetDom, ['matchClassName', 'matchClassName']) // Ref<true> | Ref<false>
*/ */
export const hasClass = (target: BasicTarget<Element>, className: string) => { export const hasClass = (
target: BasicTarget<Element>,
classNames: string | string[],
) => {
const hasClassRef = ref(false) const hasClassRef = ref(false)
const update = () => { const update = () => {
@ -104,12 +122,17 @@ export const hasClass = (target: BasicTarget<Element>, className: string) => {
} else { } else {
const elementClassName = element.className const elementClassName = element.className
const classes = className const classes =
.trim() typeof classNames === 'string'
.split(' ') ? classNames
.filter((item: string) => item !== '') .trim()
.split(' ')
.filter((curr: string) => curr !== '')
: classNames
hasClassRef.value = elementClassName.includes(classes.join(' ')) hasClassRef.value = classes.some((curr) =>
elementClassName.includes(curr),
)
} }
} }
@ -122,17 +145,45 @@ export const hasClass = (target: BasicTarget<Element>, className: string) => {
return hasClassRef return hasClassRef
} }
/**
*
* @param style
*
* @returns
*
* @description
*
*
* @example
* autoPrefixStyle('transform') => {webkitTransform: 'transform', mozTransform: 'transform', msTransform: 'transform', oTransform: 'transform'}
*/
export const autoPrefixStyle = (style: string) => {
const prefixes = ['webkit', 'moz', 'ms', 'o']
const styleWithPrefixes = {}
prefixes.forEach((prefix) => {
styleWithPrefixes[
`${prefix}${style.charAt(0).toUpperCase()}${style.slice(1)}`
] = style
})
return styleWithPrefixes
}
/** /**
* *
* @param target Target element dom * @param target Target element dom
* @param styles (, ) * @param styles (, )
* *
* @description
*
*
* @example * @example
* style of string * style of string
* ``` * ```
* const styles = 'width: 100px; height: 100px; background: red;' * const styles = 'width: 100px; height: 100px; background: red;'
* *
* addStyle(styles) * setStyle(styles)
* ``` * ```
* style of object * style of object
* ``` * ```
@ -141,14 +192,37 @@ export const hasClass = (target: BasicTarget<Element>, className: string) => {
* height: '100px', * height: '100px',
* } * }
* *
* addStyle(styles) * setStyle(styles)
* ``` * ```
*/ */
export const addStyle = ( export const setStyle = (
target: BasicTarget<HTMLElement | SVGAElement>, target: BasicTarget<HTMLElement | SVGAElement>,
styles: PartialCSSStyleDeclaration | string, styles: Partial<CSSStyleDeclaration> | string | string[],
) => { ) => {
let styleObj: PartialCSSStyleDeclaration const set = (styleStr: string, element: HTMLElement | SVGAElement) => {
styleStr.split(';').forEach((curr) => {
const [key, value] = curr.split(':')
if (key && value) {
const trimKey = key.trim()
const trimValue = value.trim()
// 是否为 css variable
if (key.startsWith('--')) {
element.style.setProperty(trimKey, trimValue)
} else {
// 兼容浏览器前缀
const kitFix = autoPrefixStyle(trimKey)
Object.keys(kitFix).forEach((key) => {
element.style[key] = kitFix[key]
})
// 设置默认需要添加样式
element.style[trimKey] = trimValue
}
}
})
}
const update = () => { const update = () => {
const element = unrefElement(target) const element = unrefElement(target)
@ -158,26 +232,18 @@ export const addStyle = (
} }
if (isValueType<string>(styles, 'String')) { if (isValueType<string>(styles, 'String')) {
styleObj = styles.split(';').reduce((pre, curr) => { set(styles, element)
const [key, value] = curr.split(':').map((s) => s.trim()) } else if (isValueType<string[]>(styles, 'Array')) {
styles.forEach((curr) => {
if (key && value) { set(curr, element)
pre[key] = value })
}
return pre
}, {} as PartialCSSStyleDeclaration)
} else { } else {
styleObj = styles const keys = Object.keys(styles)
keys.forEach((curr) => {
set(`${curr}: ${styles[curr]}`, element)
})
} }
Object.keys(styleObj).forEach((key) => {
const value = styleObj[key]
if (key in element!.style) {
element!.style[key] = value
}
})
} }
const watcher = watch(() => unrefElement(target), update, { const watcher = watch(() => unrefElement(target), update, {
@ -192,6 +258,9 @@ export const addStyle = (
* @param el Target element dom * @param el Target element dom
* @param styles * @param styles
* *
* @description
*
*
* *
* *
* @example * @example
@ -225,14 +294,15 @@ export const removeStyle = (
* @param color * @param color
* @param alpha * @param alpha
* *
* @description
* rgba rgba, rgb * rgba rgba, rgb
* *
* @example * @example
* colorToRgba('#123632', 0.8) => rgba(18, 54, 50, 0.8) * colorToRgba('#123632', 0.8) // rgba(18, 54, 50, 0.8)
* colorToRgba('rgb(18, 54, 50)', 0.8) => rgb(18, 54, 50) * colorToRgba('rgb(18, 54, 50)', 0.8) // rgb(18, 54, 50)
* colorToRgba('#ee4f12', 0.3) => rgba(238, 79, 18, 0.3) * colorToRgba('#ee4f12', 0.3) // rgba(238, 79, 18, 0.3)
* colorToRgba('rgba(238, 79, 18, 0.3)', 0.3) => rgba(238, 79, 18, 0.3) * colorToRgba('rgba(238, 79, 18, 0.3)', 0.3) // rgba(238, 79, 18, 0.3)
* colorToRgba('not a color', 0.3) => not a color * colorToRgba('not a color', 0.3) // not a color
*/ */
export const colorToRgba = (color: string, alpha = 1) => { export const colorToRgba = (color: string, alpha = 1) => {
const hexPattern = /^#([0-9a-f]{3}|[0-9a-f]{6}|[0-9a-f]{8})$/i const hexPattern = /^#([0-9a-f]{3}|[0-9a-f]{6}|[0-9a-f]{8})$/i
@ -271,24 +341,31 @@ export const colorToRgba = (color: string, alpha = 1) => {
* @param element * @param element
* @returns * @returns
* *
* @remark 使 querySelectorAll * @description
* @remark attribute , 'attr:xxx' * 使 querySelectorAll
*
* attribute , 'attr:xxx'
* *
* @example * @example
* class: * // class:
* const el = queryElements('.demo') * const el = queryElements('.demo')
* id: * // id:
* const el = queryElements('#demo') * const el = queryElements('#demo')
* attribute: * // attribute:
* const el = queryElements('attr:type=button') * const el = queryElements('attr:type=button')
* * // 或者可以这样写
* const el = queryElements('attr:type') * const el = queryElements('attr:type')
* // 默认元素
* const el = queryElements('.demo', { defaultElement: document.body })
*/ */
export const queryElements = <T extends Element = Element>( export const queryElements = <T extends Element = Element>(
selector: ElementSelector, selector: ElementSelector,
options?: QueryElementsOptions<T>,
) => { ) => {
const { defaultElement } = options || {}
if (!selector) { if (!selector) {
return null return defaultElement ? [defaultElement] : null
} }
const queryParam = selector.startsWith('attr:') const queryParam = selector.startsWith('attr:')
@ -300,9 +377,12 @@ export const queryElements = <T extends Element = Element>(
return elements return elements
} catch (error) { } catch (error) {
console.error(`Failed to get elements for selector '${selector}'`, error) console.error(
`[queryElements]: Failed to get elements for selector '${selector}'`,
error,
)
return null return defaultElement ? [defaultElement] : null
} }
} }
@ -311,7 +391,8 @@ export const queryElements = <T extends Element = Element>(
* @param size css size * @param size css size
* @param unit css * @param unit css
* *
* @remark * @description
*
*/ */
export const completeSize = (size: number | string, unit = 'px') => { export const completeSize = (size: number | string, unit = 'px') => {
if (typeof size === 'number') { if (typeof size === 'number') {

View File

@ -67,7 +67,8 @@ const currencyPrototypeKeys = [
* @param dividend * @param dividend
* @param cb * @param cb
* *
* @remark , 使 * @description
* , 使
*/ */
const basic = ( const basic = (
valueOptions: CurrencyArguments[], valueOptions: CurrencyArguments[],
@ -99,10 +100,10 @@ const basic = (
* s, intValue, p, value... , currency.js * s, intValue, p, value... , currency.js
* *
* @example * @example
* isCurrency(1.23) => false * isCurrency(1.23) // false
* isCurrency('1.23') => false * isCurrency('1.23') // false
* isCurrency({ s: 1, intValue: 1, p: 1, value: 1 }) => false * isCurrency({ s: 1, intValue: 1, p: 1, value: 1 }) // false
* isCurrency(currency(1)) => true * isCurrency(currency(1)) // true
*/ */
export const isCurrency = (value: unknown) => { export const isCurrency = (value: unknown) => {
if (typeof value === 'string' || typeof value === 'number') { if (typeof value === 'string' || typeof value === 'number') {
@ -118,10 +119,16 @@ export const isCurrency = (value: unknown) => {
/** /**
* *
* , * @description
* number * ,
* *
* (: 货币单位), 使 currency format * number
*
* (: 货币单位), 使 currency format
*
* @example
* format(0.1) // 0.1
* format(0.1, { symbol: '¥' }) // ¥0.1
*/ */
export const format = ( export const format = (
value: CurrencyArguments, value: CurrencyArguments,
@ -136,11 +143,12 @@ export const format = (
/** /**
* *
* * @description
*
* *
* @example * @example
* format(add(0.1, 0.2)) => 0.3 * format(add(0.1, 0.2)) // 0.3
* format(add(0.2, 0.33)) => 0.53 * format(add(0.2, 0.33)) // 0.53
*/ */
export const add = (...args: CurrencyArguments[]) => { export const add = (...args: CurrencyArguments[]) => {
if (args.length === 1) { if (args.length === 1) {
@ -154,11 +162,12 @@ export const add = (...args: CurrencyArguments[]) => {
/** /**
* *
* * @description
*
* *
* @example * @example
* format(subtract(0.1, 0.12312)) => -0.02 * format(subtract(0.1, 0.12312)) // -0.02
* format(subtract(0.2, 0.33)) => -0.13 * format(subtract(0.2, 0.33)) // -0.13
*/ */
export const subtract = (...args: CurrencyArguments[]) => { export const subtract = (...args: CurrencyArguments[]) => {
if (args.length === 1) { if (args.length === 1) {
@ -185,11 +194,12 @@ export const subtract = (...args: CurrencyArguments[]) => {
/** /**
* *
* * @description
*
* *
* @example * @example
* format(multiply(1, 0.2)) => 0.2 * format(multiply(1, 0.2)) // 0.2
* format(multiply(0.2, 0.33)) => 0.07 * format(multiply(0.2, 0.33)) // 0.07
*/ */
export const multiply = (...args: CurrencyArguments[]) => { export const multiply = (...args: CurrencyArguments[]) => {
if (args.length === 1) { if (args.length === 1) {
@ -203,11 +213,12 @@ export const multiply = (...args: CurrencyArguments[]) => {
/** /**
* *
* * @description
*
* *
* @example * @example
* format(divide(1, 0.2)) => 5 * format(divide(1, 0.2)) // 5
* format(divide(0.2, 0.33)) => 0.61 * format(divide(0.2, 0.33)) // 0.61
*/ */
export const divide = (...args: CurrencyArguments[]) => { export const divide = (...args: CurrencyArguments[]) => {
if (args.length === 1) { if (args.length === 1) {
@ -230,12 +241,13 @@ export const divide = (...args: CurrencyArguments[]) => {
/** /**
* *
* () * @description
* ()
* undefined null 0 * undefined null 0
* *
* @example * @example
* distribute(0, 1) => [0] * distribute(0, 1) // [0]
* distribute(0, 3) => [0, 0, 0] * distribute(0, 3) // [0, 0, 0]
*/ */
export const distribute = (value: CurrencyArguments, length: number) => { export const distribute = (value: CurrencyArguments, length: number) => {
if (length <= 1) { if (length <= 1) {

View File

@ -17,7 +17,15 @@ import type { AnyFC } from '@/types'
* *
* @param fc effect * @param fc effect
* *
* @remark true effect false effect * @description
* true effect false effect
*
* @example
* const watchStop = watch(() => {}, () => {})
* const watchEffectStop = watchEffect(() => {})
*
* effectDispose(watchStop)
* effectDispose(watchEffectStop)
*/ */
export function effectDispose<T extends AnyFC>(fc: T) { export function effectDispose<T extends AnyFC>(fc: T) {
if (getCurrentScope()) { if (getCurrentScope()) {

View File

@ -70,14 +70,14 @@ const RDirective = defineComponent({
v-throttle={{ v-throttle={{
func: this.updateDemoValue.bind(null, 'throttleBtnClickCount'), func: this.updateDemoValue.bind(null, 'throttleBtnClickCount'),
trigger: 'click', trigger: 'click',
wait: 1000, wait: 3000,
options: {}, options: {},
}} }}
> >
</NButton> </NButton>
<p>{this.throttleBtnClickCount}</p> <p>{this.throttleBtnClickCount}</p>
<p> 1s </p> <p> 3s </p>
</NFlex> </NFlex>
</NCard> </NCard>
<NCard title="防抖"> <NCard title="防抖">
@ -86,14 +86,14 @@ const RDirective = defineComponent({
v-debounce={{ v-debounce={{
func: this.updateDemoValue.bind(null, 'debounceBtnClickCount'), func: this.updateDemoValue.bind(null, 'debounceBtnClickCount'),
trigger: 'click', trigger: 'click',
wait: 1000, wait: 3000,
options: {}, options: {},
}} }}
> >
</NButton> </NButton>
<p>{this.debounceBtnClickCount}</p> <p>{this.debounceBtnClickCount}</p>
<p> 1s </p> <p> 3s </p>
</NFlex> </NFlex>
</NCard> </NCard>
<NCard title="禁用"> <NCard title="禁用">

View File

@ -4,6 +4,7 @@ $positionY: 24px;
.login { .login {
width: 100%; width: 100%;
display: flex; display: flex;
overflow: hidden;
& .login-wrapper { & .login-wrapper {
position: relative; position: relative;

View File

@ -5,6 +5,7 @@
"module": "ESNext", "module": "ESNext",
"moduleResolution": "bundler", "moduleResolution": "bundler",
"strict": true, "strict": true,
"newLine": "LF",
"jsx": "preserve", "jsx": "preserve",
"sourceMap": true, "sourceMap": true,
"resolveJsonModule": true, "resolveJsonModule": true,