import printJs from 'print-js' import { unrefElement } from '@/utils/vue' import { watchEffectWithTarget } from '@/utils/vue' import type { ValidateValueType, DownloadAnyFileDataType, BasicTypes, AnyFC, } from '@/types/modules/utils' import type { BasicTarget, TargetValue } from '@/types/modules/vue' /** * * 获取当前项目环境 * * 如果你只是想单纯的判断是否为开发环境,可以直接使用: __DEV__ * * @example * 是否为开发环境: __DEV__ * * @example * const { BASE_URL } = getAppEnvironment() 获取 BASE_URL * const { MODE } = getAppEnvironment() 获取 MODE,当前环境 * const { SSR } = getAppEnvironment() 是否启用 SSR * const { your config } = getAppEnvironment() 获取你自定义的配置项 */ export const getAppEnvironment = () => { const env = import.meta.env return env } /** * * @param data 二进制流数据 * * 将 base64 格式文件转换为图片 * * @example * arrayBufferToBase64Image('base64') => Image */ export const arrayBufferToBase64Image = (data: ArrayBuffer): string | null => { if (!data || data.byteLength) { return null } const base64 = 'data:image/png;base64,' + window.btoa( new Uint8Array(data).reduce( (data, byte) => data + String.fromCharCode(byte), '', ), ) return base64 } /** * * @param base64 base64 * @param fileName file name * * 该方法仅能下载 base64 文件,如果有其他的文件类型需要下载,请看 downloadAnyFile 方法 * * @example * downloadBase64File('base64', 'file name') */ export const downloadBase64File = (base64: string, fileName: string) => { const link = document.createElement('a') link.href = base64 link.download = fileName link.style.display = 'none' document.body.appendChild(link) link.click() document.body.removeChild(link) } /** * * @param value 目标值 * @param type 类型 * * @example * isValueType('123', 'String') => true * isValueType({}, 'Object') => true */ export const isValueType = ( value: unknown, type: ValidateValueType, ): value is T => { const valid = Object.prototype.toString.call(value) return valid.includes(type) } /** * * @param length uuid 长度 * @param radix uuid 基数 * * @example * uuid(8) => 'B8tGcl0FCKJkpO0V' */ export const uuid = (length = 16, radix = 62) => { // 定义可用的字符集,即 0-9, A-Z, a-z const availableChars = '0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz'.split('') // 定义存储随机字符串的数组 const arr: string[] = [] // 获取加密对象,兼容 IE11 const cryptoObj = window.crypto || window.msCrypto let i = 0 // 循环 length 次,生成随机字符,并添加到数组中 for (i = 0; i < length; i++) { // 生成一个随机数 const randomValues = new Uint32Array(1) cryptoObj.getRandomValues(randomValues) // 根据随机数生成对应的字符,并添加到数组中 const index = randomValues[0] % radix arr.push(availableChars[index]) } // 将数组中的字符连接起来,返回最终的字符串 return arr.join('') } /** * * @param data base64, Blob, ArrayBuffer type * @param fileName file name * * 支持下载任意类型的文件,包括 base64, Blob, ArrayBuffer * * @example * downloadAnyFile('base64', 'file name') * downloadAnyFile('Blob', 'file name') */ export const downloadAnyFile = ( data: DownloadAnyFileDataType, fileName: string, ): Promise => { return new Promise((resolve, reject) => { let blobData!: Blob try { if (typeof data === 'string') { downloadBase64File(data, fileName) resolve() return } if (data instanceof ArrayBuffer) { blobData = new Blob([new Uint8Array(data)], { type: 'application/octet-stream', }) } else if (data instanceof File || data instanceof Blob) { blobData = data } else { reject(new Error('downloadAnyFile: Unsupported data type.')) return } const url = URL.createObjectURL(blobData) const link = document.createElement('a') link.href = url link.download = fileName link.style.display = 'none' const remove = () => { URL.revokeObjectURL(url) document.body.removeChild(link) } link.addEventListener('load', () => { remove() resolve() }) link.addEventListener('error', (error) => { remove() reject(error) }) document.body.appendChild(link) link.click() } catch (error) { reject(error) } }) } /** * * @param target Ref Dom、Dom、Dom id * @param options print 配置项 * * 基于 print-js 封装,允许 Ref 注册 Dom 直接调用打印 * * @example * print(refDom, { printJs.Configuration }) * print(Dom id, { printJs.Configuration }) * print(Dom, { printJs.Configuration }) */ export function print>( target: T, options?: printJs.Configuration, ) { const element = computed(() => unrefElement(target)) const { printable, ...args } = options ?? {} const $print = (element: TargetValue) => { printJs({ ...args, printable: element, }) } const watcher = watch(element, (ndata) => $print(ndata), { immediate: true, }) watchEffectWithTarget(watcher) } /** * * @param targetObject 对象 * @param targetKeys 待删除的 key * * 删除对象中的指定 key * * @example * omit({ a: 1, b: 2, c: 3 }, 'a') => { b: 2, c: 3 } * omit({ a: 1, b: 2, c: 3 }, ['a', 'b']) => { c: 3 } */ export const omit = , K extends keyof T>( targetObject: T, targetKeys: K | K[], ): Omit => { const keys = Array.isArray(targetKeys) ? targetKeys : [targetKeys] keys.forEach((key) => { delete targetObject[key] }) return targetObject } /** * * @param value 待判断的值 * * 判断是否为 Promise 函数 * * @example * isPromise(Promise.resolve(123)) => true * isPromise(() => {}) => false * isPromise(123) => false */ export const isPromise = (value: unknown): value is Promise => { return ( !!value && (typeof value === 'object' || typeof value === 'function') && typeof (value as Promise).then === 'function' ) } /** * * @param fc 正常执行的函数 * @param errorCallback 错误回调 * @param args 当前传递函数参数 * * 用于捕获函数执行时的错误,如果有错误,则执行错误回调 * * @example * callWithErrorHandling((x: number) => { return x }, () => {}, [123]) => 123 * callWithErrorHandling((x: number) => { throw new Error('error') }, (error) => { console.log(error) }, [123]) => undefined */ export const callWithErrorHandling = ( fc: T, errorCallback: AnyFC, args?: Parameters, ) => { let result: ReturnType | undefined try { result = args ? fc(...args) : fc() } catch (error) { errorCallback(error as E) } return result } /** * * @param fn 正常执行的函数 * @param errorCallback 错误回调 * @param args 当前传递函数参数 * * 用于捕获异步函数执行时的错误,如果有错误,则执行错误回调 * * @example * callWithAsyncErrorHandling(async () => { console.log('A') }, () => {}, []) => Promise { undefined } * callWithAsyncErrorHandling(() => { throw new Error('error') }, (error) => { console.log(error) }, []) => undefined * callWithAsyncErrorHandling(async () => { return Promise.resolve('hello') }, () => {}, []) => Promise { 'hello' } */ export const callWithAsyncErrorHandling = async < T extends AnyFC, E extends Error, >( fc: T, errorCallback: (error: E) => void, args?: Parameters, ) => { try { if (!isPromise(fc)) { return Promise.resolve(callWithErrorHandling(fc, errorCallback, args)) } return await fc(...(args as Parameters)) } catch (error) { errorCallback(error as E) return void 0 } }