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
## 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
## Feats

View File

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

View File

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

View File

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

View File

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

View File

@ -298,7 +298,7 @@ export default defineComponent({
// 避免重复渲染
if (echartInst?.getDom()) {
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

View File

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

View File

@ -1,4 +1,4 @@
import { useMenuGetters } from '@/store'
import { useMenuGetters, depthSearchAppMenu } from '@/store'
import { isValueType } from '@/utils'
import { createMenuExtra } from '@/store/modules/menu/helper'
@ -25,64 +25,16 @@ const renderExtra = (
cachePreNormal = option
}
/**
*
* @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 = (
// 根据匹配的菜单项渲染 extra
const renderExtraWithNormalMenuOption = (
options: AppMenuOption[],
target: string,
fn: string,
assignExtra: AppMenuExtraOptions,
) => {
if (cachePreNormal && equal(cachePreNormal.fullPath, target)) {
renderExtra(cachePreNormal, assignExtra)
const menuOption = depthSearchAppMenu(options, target)
return cachePreNormal
}
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
}
if (menuOption) {
renderExtra(menuOption, assignExtra)
}
}
@ -95,11 +47,11 @@ const normalOption = (
const { getMenuOptions } = useMenuGetters()
if (typeof target === 'string') {
deep(getMenuOptions.value, target, fn, assignExtra)
renderExtraWithNormalMenuOption(getMenuOptions.value, target, assignExtra)
} else if (isValueType<'object'>(target, 'Object')) {
const { fullPath } = target
deep(getMenuOptions.value, fullPath, fn, assignExtra)
renderExtraWithNormalMenuOption(getMenuOptions.value, fullPath, assignExtra)
} else {
console.warn(`[useBadge ${fn}]: target expect string or object.`)
}

View File

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

View File

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

View File

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

View File

@ -30,7 +30,9 @@ export const useVueRouter = () => {
throw new Error()
}
} 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 {
border-radius: 6px;
min-width: 800px;
min-width: 560px;
& .ray-icon {
color: var(--ray-theme-primary-color);
@ -22,8 +22,9 @@ $globalSearchWidth: 650px;
padding: 16px 12px 12px 12px;
}
& .n-card__content {
min-height: 115px;
& .n-card__content,
& .n-spin-content {
min-height: 90px;
}
& .content-item {

View File

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

View File

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

View File

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

View File

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

View File

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

View File

@ -25,7 +25,7 @@
import { NEllipsis } from 'naive-ui'
import { setStorage, pick } from '@/utils'
import { setStorage, pick, equalRouterPath } from '@/utils'
import { validRole, validMenuItemShow } from '@/router/helper/routerCopilot'
import {
parseAndFindMatchingNodes,
@ -43,6 +43,47 @@ import type { AppMenuOption, MenuTagOptions } from '@/types'
import type { MenuState } from '@/store/modules/menu/type'
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(
'menu',
() => {
@ -64,9 +105,13 @@ export const piniaMenuStore = defineStore(
/**
*
* @param option
*
* @returns
*
* AppMenu
* @description
* AppMenu
* fullPath
* fullPath
*
* @example
* resolveOption({ path: '/dashboard', name: 'Dashboard', meta: { i18nKey: 'menu.Dashboard' } })

View File

@ -115,3 +115,11 @@ export interface StorageOptions<T = any> {
prefixKey?: string
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,
BasicTypes,
AnyFC,
PropertyName,
Recordable,
Many,
} from '@/types'
import type { Recordable } from '@/types'
/**
*
*
* @description
*
*
* 可以直接使用: __DEV__
* 可以直接使用: __DEV__
*
* @example
* 是否为开发环境: __DEV__
*
* @example
* const { BASE_URL } = getAppEnvironment() BASE_URL
* const { MODE } = getAppEnvironment() MODE
* const { SSR } = getAppEnvironment() SSR
* const { your config } = getAppEnvironment()
* // 获取 BASE_URL
* const { BASE_URL } = getAppEnvironment()
* // 获取 MODE当前环境
* const { MODE } = getAppEnvironment()
* // 是否启用 SSR
* const { SSR } = getAppEnvironment()
* // 获取你自定义的配置项
* const { your config } = getAppEnvironment()
*/
export const getAppEnvironment = () => {
const env = import.meta.env
@ -33,10 +40,11 @@ export const getAppEnvironment = () => {
*
* @param data
*
* base64
* @description
* base64
*
* @example
* arrayBufferToBase64Image('base64') => Image
* const Image = arrayBufferToBase64Image('base64')
*/
export const arrayBufferToBase64Image = (data: ArrayBuffer): string | null => {
if (!data || data.byteLength) {
@ -60,7 +68,8 @@ export const arrayBufferToBase64Image = (data: ArrayBuffer): string | null => {
* @param base64 base64
* @param fileName file name
*
* base64 downloadAnyFile
* @description
* base64 downloadAnyFile
*
* @example
* downloadBase64File('base64', 'file name')
@ -84,8 +93,10 @@ export const downloadBase64File = (base64: string, fileName: string) => {
* @param type
*
* @example
* isValueType<string>('123', 'String') => true
* isValueType<object>({}, 'Object') => true
* isValueType<string>('123', 'String') // true
* isValueType<object>({}, 'Object') // true
* isValueType<number>([], 'Array') // true
* isValueType<number>([], 'Object') // false
*/
export const isValueType = <T extends BasicTypes>(
value: unknown,
@ -101,6 +112,9 @@ export const isValueType = <T extends BasicTypes>(
* @param length uuid
* @param radix uuid
*
* @description
* uuid
*
* @example
* uuid(8) => 'B8tGcl0FCKJkpO0V'
*/
@ -136,7 +150,8 @@ export const uuid = (length = 16, radix = 62) => {
* @param data base64, Blob, ArrayBuffer type
* @param fileName file name
*
* base64, Blob, ArrayBuffer
* @description
* base64, Blob, ArrayBuffer
*
* @example
* 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 targetKeys key
*
* key
* targetObject null undefined
* @description
* key
* targetObject null undefined
*
* @example
* 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: 2, 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,
targetKeys: K | K[],
): Omit<T, K> => {
) {
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]
@ -228,53 +259,94 @@ export const omit = <T extends Recordable, K extends keyof T>(
return targetObject
}
export function pick<T extends object>(
object: T | null | undefined,
...paths: Array<Many<PropertyName>>
): Partial<T>
/**
*
* @param targetObject target object
* @param targetKeys target keys
*
* key
* targetObject null undefined
* @description
* key
* targetObject null undefined
*
* @example
* 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 }, []) => {}
* 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 }, []) // {}
* pick(null) // {}
*/
export const pick = <T extends Recordable, K extends keyof T>(
export function pick<T extends object, K extends keyof T>(
targetObject: T,
targetKeys: K | K[],
): Pick<T, K> => {
) {
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 result = {} as Pick<T, K>
if (!keys.length) {
return result
return targetObject
}
keys.forEach((key) => {
result[key] = targetObject[key]
})
const result = keys.reduce(
(pre, curr) => {
if (Reflect.has(targetObject, curr)) {
pre[curr] = targetObject[curr]
}
return pre
},
{} as Pick<T, K>,
)
return result
}
/**
*
* @param value
* @param func
* @returns async
*
* Promise
* @description
* async
*
* @example
* isPromise(Promise.resolve(123)) => true
* isPromise(() => {}) => false
* isPromise(123) => false
* isAsyncFunction(() => {}) // false
* isAsyncFunction(async () => {}) // true
* 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> => {
if (isAsyncFunction(value)) {
return true
}
return (
!!value &&
(typeof value === 'object' || typeof value === 'function') &&
@ -288,7 +360,8 @@ export const isPromise = <T>(value: unknown): value is Promise<T> => {
* @param errorCallback
* @param args
*
*
* @description
*
*
* @example
* callWithErrorHandling((x: number) => { return x }, () => {}, [123]) => 123
@ -316,7 +389,8 @@ export const callWithErrorHandling = <T extends AnyFC, E extends Error>(
* @param errorCallback
* @param args
*
*
* @description
*
*
* @example
* callWithAsyncErrorHandling(async () => { console.log('A') }, () => {}, []) => Promise { undefined }
@ -346,8 +420,10 @@ export const callWithAsyncErrorHandling = async <
/**
*
*
* Unknown
* @description
*
*
* Unknown
*
* @example
* detectOperatingSystem() => 'Windows' | 'MacOS' | 'Linux' | 'Android' | 'IOS' | 'Unknown'
@ -377,3 +453,36 @@ export const detectOperatingSystem = () => {
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 options print-dom options, dom-to-image options
*
* useDomToImage print-js Ref Dom
* dom
* @description
* useDomToImage print-js Ref Dom
* dom
*
* printOptions printable, type, base64 使 ts
* 使 jpeg 使
* printOptions printable, type, base64 使 ts
* 使 jpeg 使
*
* useDomToImage imageType
* print-js printable type
* useDomToImage imageType
* print-js printable type
*
* @example
* const refDom = ref<HTMLElement>()

View File

@ -1,29 +1,37 @@
import { APP_REGEX } from '@/app-config'
import { effectDispose, unrefElement, isValueType } from '@/utils'
import type { PartialCSSStyleDeclaration, ElementSelector } from '@/types'
import type { BasicTarget } from '@/types'
import type {
BasicTarget,
QueryElementsOptions,
ElementSelector,
} from '@/types'
/**
*
* @param target Target element dom
* @param className className: 'xxx xxx' | 'xxx' ( css )
* @param target ref
* @param classNames
*
* className(: 'xxx xxx' | 'xxx')
* @description
*
*
* @example
* targetDom class: a-class b-class
* addClass(targetDom, 'c-class') => a-class b-class c-class
* // targetDom 当前 class: a-class b-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>,
className: string,
classNames: string | string[],
) => {
const update = () => {
const element = unrefElement(target)
if (element) {
const classes = className.trim().split(' ')
const classes =
typeof classNames === 'string'
? classNames.trim().split(' ')
: classNames
classes.forEach((item) => {
if (item) {
@ -42,30 +50,35 @@ export const addClass = (
/**
*
* @param target Target element dom
* @param className className: 'xxx xxx' | 'xxx' ( css )
* @param target ref
* @param className
*
* className(: 'xxx xxx' | 'xxx')
* removeAllClass class name
* @description
*
*
* @example
* targetDom class: a-class b-class
* removeClass(targetDom, 'a-class') => b-class
* // targetDom 当前 class: a-class b-class
* removeClass(targetDom, 'a-class') // b-class
* removeClass(targetDom, ['a-class', 'b-class']) // null
* removeClass(targetDom, 'removeAllClass') // null
*/
export const removeClass = (
target: BasicTarget<Element | HTMLElement | SVGAElement>,
className: string | 'removeAllClass',
classNames: string | 'removeAllClass' | string[],
) => {
const update = () => {
const element = unrefElement(target)
if (element) {
if (className === 'removeAllClass') {
if (classNames === 'removeAllClass') {
const classList = element.classList
classList.forEach((curr) => classList.remove(curr))
} else {
const classes = className.trim().split(' ')
const classes =
typeof classNames === 'string'
? classNames.trim().split(' ')
: classNames
classes.forEach((item) => {
if (item) {
@ -85,15 +98,20 @@ export const removeClass = (
/**
*
* @param target Target element dom
* @param className className: 'xxx xxx' | 'xxx' ( css )
* @param target ref
* @param className
*
* className(: 'xxx xxx' | 'xxx' )
* @description
*
*
* @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 update = () => {
@ -104,12 +122,17 @@ export const hasClass = (target: BasicTarget<Element>, className: string) => {
} else {
const elementClassName = element.className
const classes = className
.trim()
.split(' ')
.filter((item: string) => item !== '')
const classes =
typeof classNames === 'string'
? classNames
.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
}
/**
*
* @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 styles (, )
*
* @description
*
*
* @example
* style of string
* ```
* const styles = 'width: 100px; height: 100px; background: red;'
*
* addStyle(styles)
* setStyle(styles)
* ```
* style of object
* ```
@ -141,14 +192,37 @@ export const hasClass = (target: BasicTarget<Element>, className: string) => {
* height: '100px',
* }
*
* addStyle(styles)
* setStyle(styles)
* ```
*/
export const addStyle = (
export const setStyle = (
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 element = unrefElement(target)
@ -158,26 +232,18 @@ export const addStyle = (
}
if (isValueType<string>(styles, 'String')) {
styleObj = styles.split(';').reduce((pre, curr) => {
const [key, value] = curr.split(':').map((s) => s.trim())
if (key && value) {
pre[key] = value
}
return pre
}, {} as PartialCSSStyleDeclaration)
set(styles, element)
} else if (isValueType<string[]>(styles, 'Array')) {
styles.forEach((curr) => {
set(curr, element)
})
} 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, {
@ -192,6 +258,9 @@ export const addStyle = (
* @param el Target element dom
* @param styles
*
* @description
*
*
*
*
* @example
@ -225,14 +294,15 @@ export const removeStyle = (
* @param color
* @param alpha
*
* @description
* rgba rgba, rgb
*
* @example
* colorToRgba('#123632', 0.8) => rgba(18, 54, 50, 0.8)
* colorToRgba('rgb(18, 54, 50)', 0.8) => rgb(18, 54, 50)
* 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('not a color', 0.3) => not a color
* colorToRgba('#123632', 0.8) // rgba(18, 54, 50, 0.8)
* colorToRgba('rgb(18, 54, 50)', 0.8) // rgb(18, 54, 50)
* 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('not a color', 0.3) // not a color
*/
export const colorToRgba = (color: string, alpha = 1) => {
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
* @returns
*
* @remark 使 querySelectorAll
* @remark attribute , 'attr:xxx'
* @description
* 使 querySelectorAll
*
* attribute , 'attr:xxx'
*
* @example
* class:
* // class:
* const el = queryElements('.demo')
* id:
* // id:
* const el = queryElements('#demo')
* attribute:
* // attribute:
* const el = queryElements('attr:type=button')
*
* // 或者可以这样写
* const el = queryElements('attr:type')
* // 默认元素
* const el = queryElements('.demo', { defaultElement: document.body })
*/
export const queryElements = <T extends Element = Element>(
selector: ElementSelector,
options?: QueryElementsOptions<T>,
) => {
const { defaultElement } = options || {}
if (!selector) {
return null
return defaultElement ? [defaultElement] : null
}
const queryParam = selector.startsWith('attr:')
@ -300,9 +377,12 @@ export const queryElements = <T extends Element = Element>(
return elements
} 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 unit css
*
* @remark
* @description
*
*/
export const completeSize = (size: number | string, unit = 'px') => {
if (typeof size === 'number') {

View File

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

View File

@ -17,7 +17,15 @@ import type { AnyFC } from '@/types'
*
* @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) {
if (getCurrentScope()) {

View File

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

View File

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

View File

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