指南
以下是 VueUse 函数的指南。你也可以将它们作为编写自己的可组合函数或应用的参考。
你也可以找到一些关于这些设计决策的原因,以及一些使用Anthony Fu的关于 VueUse 的演讲来编写可组合函数的技巧。
通用
- 从
"vue-demi"
导入所有 Vue API - 尽可能使用
ref
而不是reactive
- 尽可能使用选项对象作为参数,以便在未来扩展时更加灵活。
- 当包装大量数据时,使用
shallowRef
而不是ref
。 - 使用
configurableWindow
(等等)在使用全局变量(如window
)时,以便在处理多窗口、测试模拟和 SSR 时更加灵活。 - 当涉及到浏览器尚未广泛实现的 Web API 时,也输出
isSupported
标志 - 当在内部使用
watch
或watchEffect
时,尽可能使immediate
和flush
选项可配置 - 使用
tryOnUnmounted
来优雅地清除副作用 - 避免使用控制台日志
- 当函数是异步时,返回 PromiseLike
另请阅读:最佳实践
浅引用
当包装大量数据时,使用 shallowRef
而不是 ref
。
ts
export function useFetch<T>(url: MaybeRefOrGetter<string>) {
// use `shallowRef` to prevent deep reactivity
const data = shallowRef<T | undefined>()
const error = shallowRef<Error | undefined>()
fetch(toValue(url))
.then(r => r.json())
.then(r => data.value = r)
.catch(e => error.value = e)
/* ... */
}
可配置的全局变量
在使用全局变量(如 window
或 document
)时,支持选项接口中的 configurableWindow
或 configurableDocument
,以便在多窗口、测试模拟和 SSR 等场景中使函数更加灵活。
了解有关实现的更多信息:_configurable.ts
ts
import type { ConfigurableWindow } from '../_configurable'
import { defaultWindow } from '../_configurable'
export function useActiveElement<T extends HTMLElement>(
options: ConfigurableWindow = {},
) {
const {
// defaultWindow = isClient ? window : undefined
window = defaultWindow,
} = options
let el: T
// skip when in Node.js environment (SSR)
if (window) {
window.addEventListener('blur', () => {
el = window?.document.activeElement
}, true)
}
/* ... */
}
使用示例
ts
// in iframe and bind to the parent window
useActiveElement({ window: window.parent })
监听选项
当在内部使用 watch
或 watchEffect
时,尽可能使 immediate
和 flush
选项可配置。例如 watchDebounced
ts
import type { WatchOptions } from 'vue-demi'
// extend the watch options
export interface WatchDebouncedOptions extends WatchOptions {
debounce?: number
}
export function watchDebounced(
source: any,
cb: any,
options: WatchDebouncedOptions = {},
): WatchStopHandle {
return watch(
source,
() => { /* ... */ },
options, // pass watch options
)
}
控制
我们使用 controls
选项,允许用户使用单个返回值来进行简单的使用,同时能够在需要时获得更多控制和灵活性。阅读更多:#362.
何时提供 controls
选项
- 该函数通常与单个
ref
或 - 示例:
useTimestamp
useInterval
ts
// common usage
const timestamp = useTimestamp()
// more controls for flexibility
const { timestamp, pause, resume } = useTimestamp({ controls: true })
参考 useTimestamp
的源代码以了解适当 TypeScript 支持的实现。
何时不提供 controls
选项
- 该函数通常与多个返回值一起使用
- 示例:
useRafFn
useRefHistory
ts
const { pause, resume } = useRafFn(() => {})
isSupported
标志
当涉及到浏览器尚未广泛实现的 Web API 时,也输出 isSupported
标志。
例如 useShare
ts
export function useShare(
shareOptions: MaybeRef<ShareOptions> = {},
options: ConfigurableNavigator = {},
) {
const { navigator = defaultNavigator } = options
const isSupported = useSupported(() => navigator && 'canShare' in navigator)
const share = async (overrideOptions) => {
if (isSupported.value) {
/* ...implementation */
}
}
return {
isSupported,
share,
}
}
异步可组合函数
当可组合函数是异步的,如 useFetch
,最好从可组合函数中返回一个 PromiseLike 对象,以便用户能够等待该函数。这在 Vue 的 <Suspense>
api 的情况下尤其有用。
- 使用
ref
来确定函数何时应该解析,例如isFinished
- 将返回值状态存储在一个变量中,因为它必须返回两次,一次在返回中,一次在 promise 中。
- 返回类型应该是返回值类型和 PromiseLike 之间的交集,例如
UseFetchReturn & PromiseLike<UseFetchReturn>
ts
export function useFetch<T>(url: MaybeRefOrGetter<string>): UseFetchReturn<T> & PromiseLike<UseFetchReturn<T>> {
const data = shallowRef<T | undefined>()
const error = shallowRef<Error | undefined>()
const isFinished = ref(false)
fetch(toValue(url))
.then(r => r.json())
.then(r => data.value = r)
.catch(e => error.value = e)
.finally(() => isFinished.value = true)
// Store the return state in a variable
const state: UseFetchReturn<T> = {
data,
error,
isFinished,
}
return {
...state,
// Adding `then` to an object allows it to be awaited.
then(onFulfilled, onRejected) {
return new Promise<UseFetchReturn<T>>((resolve, reject) => {
until(isFinished)
.toBeTruthy()
.then(() => resolve(state))
.then(() => reject(state))
}).then(onFulfilled, onRejected)
},
}
}
无渲染组件
- 使用渲染函数而不是 Vue SFC
- 将 props 包装在
reactive
中,以便轻松地将它们作为 props 传递给插槽 - 优先使用函数选项作为 prop 类型,而不是自己重新创建它们
- 只有在函数需要绑定目标时,才将插槽包装在 HTML 元素中
ts
import type { MouseOptions } from '@vueuse/core'
import { useMouse } from '@vueuse/core'
import { defineComponent, reactive } from 'vue-demi'
export const UseMouse = defineComponent<MouseOptions>({
name: 'UseMouse',
props: ['touch', 'resetOnTouchEnds', 'initialValue'] as unknown as undefined,
setup(props, { slots }) {
const data = reactive(useMouse(props))
return () => {
if (slots.default)
return slots.default(data)
}
},
})
有时函数可能有多个参数,在这种情况下,你可能需要创建一个新的接口,将所有接口合并成一个单一的接口,作为组件 props。
ts
import type { TimeAgoOptions } from '@vueuse/core'
import { useTimeAgo } from '@vueuse/core'
interface UseTimeAgoComponentOptions extends Omit<TimeAgoOptions<true>, 'controls'> {
time: MaybeRef<Date | number | string>
}
export const UseTimeAgo = defineComponent<UseTimeAgoComponentOptions>({ /* ... */ })