1. SetupCombination API:
1. The first parameter in the setup function — props export default { props: { title: String }, setup(props) { console.log(props.title) } } However, because import { toRefs } from 'vue' setup(props) { const { title } = toRefs(props) console.log(title.value) } 2. context
xport default { setup(props, context) { // Attribute (non-responsive object) console.log(context.attrs) // Slot (non-responsive object) console.log(context.slots) // Trigger event (method) console.log(context.emit) } }
export default { setup(props, { attrs, slots, emit }) { ... } } 2. Return value of setup function1. The return value of the setup function - object If <template> <!-- It will be automatically unpacked when used in the template, so .value is not needed --> <div>{{ readersNumber }} {{ book.title }}</div> </template> <script> import { ref, reactive } from 'vue' export default { setup() { const readersNumber = ref(0) const book = reactive({ title: 'Vue 3 Guide' }) // expose to template return { readersNumber, book } } } </script> Note: refs returned from setup are automatically unwrapped when accessed in templates, so you should not use .value in templates. 3. Responsive System API1. reactive const obj = reactive({ count: 0 }) Responsive transformations are "deep": they affect all nested properties inside the object. Based on the ES2015 Proxy implementation, the returned proxy object is not equal to the original object. It is recommended to use only proxy objects and avoid relying on the original objects. <template> <div id="app">{ state.count }</div> </template> <script> import { reactive } from 'vue' export default { setup() { // state is now a reactive state const state = reactive({ count: 0, }) } } </script> 2. ref Accepts a value and returns a responsive, mutable const count = ref(0) console.log(count.value) // 0 count.value++ console.log(count.value) // 1 If Access in template: When <template> <div>{{ count }}</div> </template> <script> export default { setup() { return { count: ref(0), } }, } </script> Access as a property of a responsive object: When ref is accessed or modified as const count = ref(0) const state = reactive({ count, }) console.log(state.count) // 0 state.count = 1 console.log(count.value) // 1 Note: If you assign a new const otherCount = ref(2) state.count = otherCount console.log(state.count) // 2 console.log(count.value) // 1 Note: const arr = reactive([ref(0)]) // .value is needed here console.log(arr[0].value) const map = reactive(new Map([['foo', ref(0)]])) // .value is needed here console.log(map.get('foo').value) Type definitions: interface Ref<T> { value: T } function ref<T>(value: T): Ref<T> Sometimes we may need to make a more complex type annotation for const foo = ref<string | number>('foo') // Type of foo: Ref<string | number> foo.value = 123 // Passes! 3. computed There are two ways to use the responsive (1) Pass in a const count = ref(1) const plusOne = computed(() => count.value + 1) console.log(plusOne.value) // 2 plusOne.value++ // Error! (2) Pass in an object with const count = ref(1) const plusOne = computed({ get: () => count.value + 1, set: (val) => { count.value = val - 1 }, }) plusOne.value = 1 console.log(count.value) // 0 Type definitions: // read-only function computed<T>(getter: () => T): Readonly<Ref<Readonly<T>>> // Modifiable function computed<T>(options: { get: () => T set: (value: T) => void }): Ref<T> 4. readonly Pass an object (responsive or normal) or const original = reactive({ count: 0 }) const copy = readonly(original) watchEffect(() => { // Dependency tracking console.log(copy.count) }) // Modifications on original will trigger listeners on copy original.count++ // Cannot modify copy and will be warned copy.count++ // warning! 5. watchEffectImmediately executes a function passed in, and reactively tracks its dependencies and re-runs the function if its dependencies change. const count = ref(0) watchEffect(() => console.log(count.value)) //-> print out 0 setTimeout(() => { count.value++ //-> print out 1 }, 100) 5.1 Stop listening When In some cases, you can also explicitly call the return value to stop listening: const stop = watchEffect(() => { /* ... */ }) // Then stop() 5.2 Clearing Side Effects Sometimes a side-effect function performs some asynchronous side effects that need to be cleaned up when it is invalid (i.e. the state has changed before it completes). Therefore, the function passed in by the listening side effect can receive an
watchEffect((onInvalidate) => { const token = performAsyncOperation(id.value) onInvalidate(() => { // When the id changes or stops listening // Cancel the previous asynchronous operation token.cancel() }) }) The reason we register the invalidation callback by passing a function instead of returning it from the callback (like in When performing data requests, the side-effect function is often an asynchronous function: const data = ref(null) watchEffect(async () => { data.value = await fetchData(props.id) }) We know that asynchronous functions implicitly return a 5.3 Side Effect Refresh Timing <template> <div>{{ count }}</div> </template> <script> export default { setup() { const count = ref(0) watchEffect(() => { console.log(count.value) }) return { count, } }, } </script> In this example: Please note: the initialization run is executed before the component onMounted(() => { watchEffect(() => { // You can access DOM or template refs here }) }) If the side effect needs to be re-run synchronously or before the component is updated, we can pass an object with a flush property as options (defaults to ' // Run watchEffect synchronously( () => { /* ... */ }, { flush: 'sync', } ) // Execute watchEffect( () => { /* ... */ }, { flush: 'pre', } ) 5.4 Listener Debugging
Both callbacks will receive a debugger event containing information about the dependencies. It is recommended to write debugger statements in the following callbacks to check dependencies: watchEffect( () => { /* Side effects */ }, { onTrigger(e) { debugger }, } )
Type definitions: function watchEffect( effect: (onInvalidate: InvalidateCbRegistrator) => void, options?: WatchEffectOptions ): StopHandle interface WatchEffectOptions { flush?: 'pre' | 'post' | 'sync' onTrack?: (event: DebuggerEvent) => void onTrigger?: (event: DebuggerEvent) => void } interface DebuggerEvent { effect: ReactiveEffect target: any type: OperationTypes key: string | symbol | undefined } type InvalidateCbRegistrator = (invalidate: () => void) => void type StopHandle = () => void 6. watch
// Listen to a getter const state = reactive({ count: 0 }) watch( () => state.count, (count, prevCount) => { /* ... */ } ) // Listen to a ref directly const count = ref(0) watch(count, (count, prevCount) => { /* ... */ }) 6.1 Listening to Multiple Data Sources watch([fooRef, barRef], ([foo, bar], [prevFoo, prevBar]) => { /* ... */ }) 6.2 Behaviors shared with watchEffect Type definitions: // Listen to a single data source function watch<T>( source: WatcherSource<T>, callback: value: T, oldValue: T, onInvalidate: InvalidateCbRegistrator ) => void, options?: WatchOptions ): StopHandle // Listen to multiple data sources function watch<T extends WatcherSource<unknown>[]>( sources: T callback: values: MapSources<T>, oldValues: MapSources<T>, onInvalidate: InvalidateCbRegistrator ) => void, options? : WatchOptions ): StopHandle type WatcherSource<T> = Ref<T> | (() => T) type MapSources<T> = { [K in keyof T]: T[K] extends WatcherSource<infer V> ? V : never } // For common properties, please refer to the type definition of `watchEffect` interface WatchOptions extends WatchEffectOptions { immediate?: boolean // default: false deep?: boolean } This is the end of this article about the quick start of vue3 document organization. For more relevant vue3 document organization content, please search 123WORDPRESS.COM's previous articles or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future! You may also be interested in:
|
<<: Nginx configures the same domain name to support both http and https access
>>: Briefly describe the MySQL InnoDB storage engine
By default, Nginx supports only one SSL certifica...
Project scenario: 1. Upload file restrictions Fun...
As we all know, SSH is currently the most reliabl...
background In order to support Docker containeriz...
Table of contents 1. Scenario description: 2. Cas...
1. DNS server concept Communication on the Intern...
Table of contents Example Method 1: delete Method...
1. Introduction By enabling the slow query log, M...
Preface: This article mainly introduces the conte...
Table of contents text 1. Prepare the machine 2. ...
MySQL Create Database After logging into the MySQ...
Table of contents 1. filter() 2. forEach() 3. som...
Table of contents 1. Resource download 2. Unzip t...
Table of contents 1. Introduction to computed 1.1...
MySQL backup Cold backup:停止服務進行備份,即停止數據庫的寫入Hot ba...