SoFunction
Updated on 2025-04-03

Template syntax summary in Vue3

Preface

From versionTo version, official code cases and recommended use are template syntax. So in this article, we will also learn about the template syntax based on the official recommendations.

1. What is template syntax?

We canThe template syntax is directly understood asHTMLAn extension of syntax, all template node declarations, attribute settings, event registration, etc. are as followsHTMLsyntax to perform extended design. According to the official statement, "allVueThe templates are syntax-level legalHTML, can be compliant with the specifications andHTMLparser parsing”.

Vue uses an HTML-based template syntax that enables us to declaratively bind data from its component instances to the rendered DOM

2. Content rendering command

1. v-text

usev-texThe t directive fills the data in plain text to its empty elements

// Combination<script setup>

    import { reactive } from 'vue'

    let student = reactive({
        name: 'Jack',
        desc: '<h3>I am a child from China!  </h3>'
    })
    
&lt;/script&gt;

&lt;template&gt;

  &lt;!-- usev-textinstruction,Fill data into empty elements in plain text --&gt;
  
  &lt;div v-text=""&gt;&lt;/div&gt;

  &lt;!-- v-text:Display data in plain text --&gt;
  &lt;div v-text=""&gt;&lt;/div&gt;

  &lt;!-- The following code will report an error:div Elements are not empty elements --&gt;
  &lt;!-- &lt;div v-text=""&gt;This is originaldivdata&lt;/div&gt; --&gt;
   
&lt;/template&gt;

2. {{ }} Interpolation expression

Render data in plain text at a certain location in the element

// Combination&lt;script setup&gt;

import { reactive } from 'vue'

let student = reactive({
    name: 'Jack',
    desc: '<h3>I am a child from China!  </h3>'
})

&lt;/script&gt;

&lt;template&gt;

    &lt;!-- Interpolation expressions:Render data in plain text at a certain location in the element --&gt;
    &lt;div&gt;This is a DIV element,{{  }},{{  }}&lt;/div&gt;

&lt;/template&gt;

3. v-html

usev-htmlInstructions to use dataHTMLSyntax fills its empty elements

// Combination&lt;script setup&gt;

import { reactive } from 'vue'

let student = reactive({
    name: 'Jack',
    desc: '<h3>I am a child from China!  </h3>'
})


&lt;/script&gt;

&lt;template&gt;

    &lt;!-- usev-htmlinstruction,Use dataHTMLSyntax fills its empty elements --&gt;

    &lt;div v-html=""&gt;&lt;/div&gt;

    &lt;!-- v-html:by HTML Syntax display data --&gt;
    &lt;div v-html=""&gt;&lt;/div&gt;

    &lt;!-- The following code will report an error:div Elements are not empty elements --&gt;
    &lt;!-- &lt;div v-html=""&gt;This is originaldivdata&lt;/div&gt; --&gt;

&lt;/template&gt;

3. Two-way binding instructions

1. v-model

v-modelTwo-way data binding instructions, view data and data source synchronization
Under normal circumstancesv-modelDirectives are used in form elements:

  • The <input> and <textarea> elements of text types bind the value attribute and listen for input events
  • <input type="checkbox"> and <input type="radio"> bind to the checked property and listen for change events
  • <select> will bind the value attribute and listen for change events
// Combination&lt;script setup&gt;

import { ref } from 'vue' 

let inputText = ref('ABC')  // Single line text boxlet message = ref('The following points are available in this update:...') // Multi-line text boxlet open = ref(true) // Turn on the light (check box)let determine = ref('uncertain') // Is it OK (check box)let likes = ref(['YMQ']) // Hobbies (check box)let sex = ref('woman') // Gender (radio button)let level = ref('B') // // Certificate level (single-select drop-down box)let city = ref(['Su C', 'Su B']) // City you have been to (multiple-select drop-down box)
&lt;/script&gt;

&lt;template&gt;

    &lt;!-- Single line text box --&gt;
    &lt;input type="text" v-model="inputText"&gt;

    &lt;hr&gt;
    &lt;!-- Multi-line text box --&gt;
    &lt;textarea v-model="message"&gt;&lt;/textarea&gt;

    &lt;hr&gt;
    &lt;!-- By default,Value of the check box:true/false --&gt;
    &lt;input type="checkbox" v-model="open"&gt; lamp

    &lt;hr&gt;
    &lt;!-- Custom checkbox values: true-value/false-value --&gt;
    &lt;input type="checkbox" true-value="Sure" false-value="uncertain" v-model="determine"&gt; Is it sure

    &lt;hr&gt;
    &lt;input type="checkbox" value="LQ" v-model="likes"&gt; basketball
    &lt;input type="checkbox" value="ZQ" v-model="likes"&gt; football
    &lt;input type="checkbox" value="YMQ" v-model="likes"&gt; badminton
    &lt;input type="checkbox" value="PPQ" v-model="likes"&gt; table tennis

    &lt;hr&gt;
    &lt;input type="radio" value="man" v-model="sex"&gt; male
    &lt;input type="radio" value="woman" v-model="sex"&gt; female

    &lt;hr&gt;
    Certificate Level:
    &lt;select v-model="level"&gt;
        &lt;option value="C"&gt;primary&lt;/option&gt;
        &lt;option value="B"&gt;intermediate&lt;/option&gt;
        &lt;option value="A"&gt;advanced&lt;/option&gt;
    &lt;/select&gt;

    &lt;hr&gt;
    Cities I've been to:
    &lt;select multiple v-model="city"&gt;
        &lt;option value="Su A"&gt;Nanjing&lt;/option&gt;
        &lt;option value="Su B"&gt;Wuxi&lt;/option&gt;
        &lt;option value="Su C"&gt;Xuzhou&lt;/option&gt;
        &lt;option value="Su D"&gt;Changzhou&lt;/option&gt;
    &lt;/select&gt;

&lt;/template&gt;

2. V-model modifier

Modifier effect Example
.number Automatically convert user input values ​​into numeric types <input ="age" />
.trim Automatically filter the beginning and end blank characters entered by the user <input ="msg" />
.lazy existchangTime rather thaninputUpdated on time <input ="msg" />
// Combination&lt;script setup&gt;

import { ref } from 'vue' 

let age = ref(20)
let nickname = ref('')

&lt;/script&gt;

&lt;template&gt;
    
    &lt;p&gt;Convert the user input value to a numeric value .number,Lazy update .lazy&lt;/p&gt;
    &lt;!-- 。number Convert the user input value to a numeric value,If the content entered by the user cannot be converted into numbers,The data source will not be updated --&gt;
    &lt;!-- .lazy exist change Update data source,Instead input  --&gt;
    &lt;input type="text" ="age"&gt;

    &lt;hr&gt;
    &lt;p&gt;Remove the beginning and end blank characters&lt;/p&gt;
    &lt;input type="text" ="nickname"&gt;

&lt;/template&gt;

4. Attribute binding instructions

  • Responsively bind an element attribute, it should be usedv-bind:instruction
  • If the bound value isnullorundefined, then this property will be removed from the rendered element
  • becausev-bindVery commonly used, we provide specific abbreviation syntax:
// Combination&lt;script setup&gt;

import { reactive } from 'vue'

let picture = reactive({
    src: '/2015/0424/', // Image address    width: 200 // Display width})

&lt;/script&gt;

&lt;template&gt;

    &lt;input type="range" min="100" max="500" v-model=""&gt;

    &lt;hr&gt;
    &lt;!-- v-bind: for src Properties binding specified data source --&gt;
    &lt;img v-bind:src="" v-bind:width=""&gt;

    &lt;hr&gt;
    &lt;!-- : yes v-bind: Abbreviation form --&gt;
    &lt;img :src="" :width=""&gt;

    &lt;hr&gt;

    &lt;!-- 如果绑定的值yes null or undefined,Then this property will be removed from the rendered element --&gt;
    &lt;button @click=" = null"&gt;设置宽度forNULL&lt;/button&gt;

&lt;/template&gt;

1. Dynamically bind multiple attribute values

Use directlyv-bindTo bind multiple attributes and their values ​​to elements

// Combination&lt;script setup&gt;

import {reactive} from 'vue'

let attrs = reactive({
    class: 'error',
    id: 'borderBlue'
})

&lt;/script&gt;

&lt;template&gt;
    
    &lt;!-- Use directly v-bind To bind multiple attributes and their values ​​to elements --&gt;
    &lt;button v-bind="attrs"&gt;I'm a normal button&lt;/button&gt;

&lt;/template&gt;

&lt;style&gt;
    .error {
        background-color: rgb(167, 58, 58);
        color: white;
    }

    #borderBlue {
        border: 2px solid rgb(44, 67, 167);
    }
&lt;/style&gt;

Rendering result:
<button class="redBack" >I am a normal button</button>

2. Bind class and style attributes

classandstyleCan be used like other propertiesv-bindBinding them with dynamic strings; however, when dealing with more complex bindings, generating strings by splicing is cumbersome and error-prone; therefore,VueSpecially forclassandstyleofv-bindUsage provides special functional enhancements; in addition to strings, the value of an expression can also be an object or an array.

class attribute binding

Bind Object

// Combination&lt;script setup&gt;

import { ref, reactive } from 'vue'

let btnClassObject = reactive({
    error: false, // Theme color    flat: false // Shadow})

let capsule = ref(false)// Capsuleslet block = ref(false)// piece
&lt;/script&gt;

&lt;template&gt;

    &lt;input type="checkbox" v-model=""&gt; error
    &lt;input type="checkbox" v-model=""&gt; flat
    &lt;br&gt;
    &lt;br&gt;
    &lt;button :class="btnClassObject"&gt;I'm a normal button&lt;/button&gt;


    &lt;hr&gt;
    &lt;input type="checkbox" v-model="capsule"&gt; capsule
    &lt;input type="checkbox" v-model="block"&gt; piece
    &lt;br&gt;
    &lt;br&gt;
    &lt;button :class="{ 'rounded': capsule, 'fullWidth':  block }"&gt;I'm a normal button&lt;/button&gt;

&lt;/template&gt;

&lt;style&gt;
button {
    border: none;
    padding: 15px 20px;
    background-color: rgb(179, 175, 175);
}

.error {
    background-color: rgb(167, 58, 58);
    color: white;
}

.flat {
    box-shadow: 0 0 8px gray;
}

.rounded {
    border-radius: 100px;
}

.fullWidth {
    width: 100%;
}
&lt;/style&gt;

Bind array

// Combination&lt;script setup&gt;

import { ref, reactive } from 'vue'

let btnTheme = ref([]) // Button class array
let capsule = ref(false)// Capsuleslet widthTheme = ref([])// Width array
&lt;/script&gt;

&lt;template&gt;

    &lt;input type="checkbox" value="error" v-model="btnTheme"&gt; error
    &lt;input type="checkbox" value="flat" v-model="btnTheme"&gt; flat
    &lt;br&gt;
    &lt;br&gt;
    &lt;!-- Directly use array data sources,What are the values ​​in the array,Directly in the elementclassThe corresponding class name appears in --&gt;
    &lt;button :class="btnTheme"&gt;I'm a normal button&lt;/button&gt;


    &lt;hr&gt;
    &lt;input type="checkbox" v-model="capsule"&gt; capsule
    &lt;input type="checkbox" value="fullWidth" v-model="widthTheme"&gt; piece
    &lt;br&gt;
    &lt;br&gt;
    &lt;!-- Use arrays and objects together --&gt;
    &lt;button :class="[{ 'rounded': capsule }, widthTheme]"&gt;I'm a normal button&lt;/button&gt;

&lt;/template&gt;

&lt;style&gt;
button {
    border: none;
    padding: 15px 20px;
    background-color: rgb(179, 175, 175);
}

.error {
    background-color: rgb(167, 58, 58);
    color: white;
}

.flat {
    box-shadow: 0 0 8px gray;
}

.rounded {
    border-radius: 100px;
}

.fullWidth {
    width: 100%;
}
&lt;/style&gt;

style attribute binding

Bind Object

// Combination&lt;script setup&gt;

import { reactive, ref } from 'vue'

let btnTheme = reactive({
    backgroundColor: '#FF0000', // Background color    color: '#000000' // Text color})

let backColor = ref('#0000FF') // Background colorlet color = ref('#FFFFFF') // Text colorlet borRadius = ref(20) // Border rounded corners
&lt;/script&gt;

&lt;template&gt;

    Background color:&lt;input type="color" v-model=""&gt;
    Text color:&lt;input type="color" v-model=""&gt;
    &lt;br&gt;
    &lt;br&gt;
    &lt;!-- style:You can directly bind the object data source,But the attribute name of the object data source is the style attribute(Hump ​​nomenclature,kebab-casedform) --&gt;
    &lt;button :style="btnTheme"&gt;I'm a normal button&lt;/button&gt;

    &lt;hr&gt;

    Background color:&lt;input type="color" v-model="backColor"&gt;
    Text color:&lt;input type="color" v-model="color"&gt;
    Border rounded corners:&lt;input type="range" min="0" max="20" v-model="borRadius"&gt;
    &lt;br&gt;
    &lt;br&gt;
    &lt;!-- style:Can write objects directly,But the object's attribute name is the style attribute(Hump ​​nomenclature,kebab-casedform) --&gt;
    &lt;button :style="{
        backgroundColor: backColor,
        color,
        'border-radius': borRadius + 'px'
    }"&gt;I'm a normal button&lt;/button&gt;

&lt;/template&gt;

&lt;style&gt;
button {
    border: none;
    padding: 15px 20px;
    background-color: rgb(179, 175, 175);
}
&lt;/style&gt;

Bind array

Can also give:styleBind an array of multiple style objects that are merged and rendered on the same element

// Combination&lt;!-- Script area --&gt;
&lt;script setup&gt;
import { ref, reactive } from 'vue'

const btnTheme = ref([
    {
        backgroundColor: '#FF0000', // Background color        color: '#FFFFFF' // Text color    },
    {
        borderRadius: 0 // Border rounded corners    }
])

const colorTheme = reactive({
    backgroundColor: '#000000', // Background color    color: '#FFFFFF' // Text color})

const radiusTheme = reactive({
    borderRadius: 0 // Border rounded corners})
&lt;/script&gt;

&lt;!-- View area --&gt;
&lt;template&gt;

    Background color:&lt;input type="color" v-model="btnTheme[0].backgroundColor"&gt;
    Text color:&lt;input type="color" v-model="btnTheme[0].color"&gt;
    capsule:&lt;input type="checkbox" true-value="5px" false-value="0" v-model="btnTheme[1].borderRadius"&gt;
    &lt;br&gt;
    &lt;br&gt;
    &lt;!-- Pass directly into the array --&gt;
    &lt;button :style="btnTheme"&gt;I'm a normal button&lt;/button&gt;

    &lt;hr&gt;

    Background color:&lt;input type="color" v-model=""&gt;
    Text color:&lt;input type="color" v-model=""&gt;
    capsule:&lt;input type="checkbox" true-value="5px" false-value="0" v-model=""&gt;
    &lt;br&gt;
    &lt;br&gt;
    &lt;!-- Write arrays directly --&gt;
    &lt;button :style="[colorTheme, radiusTheme]"&gt;I'm a normal button&lt;/button&gt;
&lt;/template&gt;

&lt;style&gt;
button {
    padding: 15px 20px;
    border: none;
}
&lt;/style&gt;

5. Conditional rendering instructions

1. v-if、v-else-if、v-else

  • v-ifDirectives are used to render elements conditionally; this content will only be rendered when the directive's expression returns true value.
  • v-else-ifWhat is provided is the correspondingv-ifofelse ifBlock, it can be reused several times in a row
  • You can also usev-elseforv-ifAdd oneelseBlocks
  • v-elseandv-else-ifThe instructions must be coordinated
  • v-ifUse the directive together, otherwise it will not be recognized, and no other elements can appear in the middle of the statement blockv-ifSupport in<template>Used on the element, this is just an invisible wrapper element, and the final rendering result will not contain this<template>element
// Combination&lt;script setup&gt;

import { ref } from 'vue'

let isShow = ref(false)  // Whether to displaylet age = ref(20)  // agelet week = ref(3)  // Weekly
&lt;/script&gt;


&lt;template&gt;

    Whether to display:&lt;input type="checkbox" v-model="isShow"&gt;
    &lt;!-- 
        v-if:The element will be rendered only when the instruction expression is true. 
        fortrueThis element is created when,forfalseThis element will be destroyed when
    --&gt;
    &lt;h3 v-if="isShow"&gt;This is a normal title tag&lt;/h3&gt;

    &lt;hr&gt;

    age: &lt;input type="range" min="0" max="100" v-model="age"&gt; {{ age }}
    &lt;!-- 
        v-if:Can cooperate v-else-if and v-else To build multiple judgment conditions,Don't mix irrelevant elements between them 
    --&gt;
    &lt;h1 v-if="age &lt; 18"&gt;Minor&lt;/h1&gt;
    &lt;!-- &lt;span&gt;Insignificant elements&lt;/span&gt; --&gt;
    &lt;h2 v-else-if="age &lt; 35"&gt;youth&lt;/h2&gt;
    &lt;h3 v-else-if="age &lt; 50"&gt;middle aged&lt;/h3&gt;
    &lt;h4 v-else&gt;elderly&lt;/h4&gt;

    &lt;hr&gt;

    What day of the week: &lt;input type="range" min="1" max="7" v-model="week"&gt; {{ week }}

    &lt;!-- v-if:Can cooperate template Element use,The final rendering result does not include this &lt;template&gt;element --&gt;
    &lt;template v-if="week == 1 || week == 3 || week == 5 || week == 7"&gt;
        &lt;h1&gt;Can swim&lt;/h1&gt;
    &lt;/template&gt;
    &lt;template v-else&gt;
        &lt;h1&gt;不Can swim&lt;/h1&gt;
    &lt;/template&gt;

&lt;/template&gt;

2. v-show

  • v-showInstructions for displaying an element by conditionv-showWill be hereDOMKeep this element in rendering
  • v-showSwitched only the element name isdisplayofCSSproperty
  • v-showNot supported in<template>Used on elements, and cannot be used withv-elseUse with

// Combination&lt;script setup&gt;

import { ref } from 'vue'

let isShow = ref(false)  // Whether to displaylet age = ref(20)  // agelet week = ref(3)  // Weekly
&lt;/script&gt;


&lt;template&gt;

    Whether to display:&lt;input type="checkbox" v-model="isShow"&gt;
    &lt;!-- 
        v-show:The element will be rendered only when the instruction expression is true. 
        Regardless of whether the expression of the directive is true or false,This element is retained in the element
        for true The element's display:none style,for false This element will be added display:none style
    --&gt;
    &lt;h3 v-show="isShow"&gt;This is a normal title tag&lt;/h3&gt;

    &lt;hr&gt;

    age: &lt;input type="range" min="0" max="100" v-model="age"&gt; {{ age }}

    &lt;h1 v-show="age &lt; 18"&gt;Minor&lt;/h1&gt;
    &lt;h2 v-show="age &gt;= 18 &amp;&amp; age &lt; 35"&gt;youth&lt;/h2&gt;
    &lt;h3 v-show="age &gt;= 35 &amp;&amp; age &lt; 50"&gt;middle aged&lt;/h3&gt;
    &lt;h4 v-show="age &gt;= 50"&gt;elderly&lt;/h4&gt;

    &lt;hr&gt;

    What day of the week: &lt;input type="range" min="1" max="7" v-model="week"&gt; {{ week }}

    &lt;!-- v-show:Can't cooperate template Element use --&gt;
    &lt;!-- &lt;template v-show="week == 1 || week == 3 || week == 5 || week == 7"&gt;
        &lt;h1&gt;Can swim&lt;/h1&gt;
    &lt;/template&gt;
    &lt;template v-shw="week == 12 || week == 4 || week == 6"&gt;
        &lt;h1&gt;不Can swim&lt;/h1&gt;
    &lt;/template&gt; --&gt;

&lt;/template&gt;

3. The difference between v-if and v-show

  • v-ifIt is "real" conditional rendering, because it ensures that event listeners and subcomponents within the conditional block are destroyed and rebuilt when switching.
  • v-ifAlso lazy: if the condition value isfalse, then nothing will be done; the condition block will only be when the condition becomestrueIt's rendered only when
  • v-showElements will always be rendered regardless of the initial conditions, only CSSdisplayProperties will be switched
  • v-ifThere is higher switching overhead, andv-showThere is a higher initial rendering overhead; if frequent switching is required, usev-showBetter; if the binding conditions are rarely changed at runtime,v-ifIt would be more suitable

6. Event binding instruction

We can usev-on:Instructions (abbreviated as @) to listenDOMEvent, and execute the corresponding event when the event is triggeredJavaScript
usage:v-on:click=""or@click=""

usage:

// Combination&lt;script&gt;
export default {
    data: () =&gt; ({
        volume: 5  // Volume [0, 10]    }),
    methods: {
        // Add volume        addVolume() {
            // If the volume is not at the highest value, add the volume            if ( !== 10) {
                ++
            }
        },
        // Reduce the volume        subVolume() {
            // If the volume is not at the minimum value, reduce the volume            if ( !== 0) {
                --
            }
        },
        // Set the volume        setVolume(value) {
            // Determine whether the volume is between the value range            if (value &gt;= 0 &amp;&amp; value &lt;= 10) {
                 = value
            }

        }
    }
}
&lt;/script&gt;
&lt;template&gt;

    &lt;h3&gt;Current volume:{{ volume }}&lt;/h3&gt;

    &lt;!-- v-on: Event binding --&gt;
    &lt;button v-on:click="addVolume"&gt;Add volume&lt;/button&gt;
    &lt;button v-on:click="subVolume"&gt;Reduce the volume&lt;/button&gt;

    &lt;hr&gt;

    &lt;!-- @ yes v-on: Abbreviation of --&gt;
    &lt;button @click="setVolume(0)"&gt;Mute&lt;/button&gt;
    &lt;button @click="setVolume(5)"&gt;Moderate volume&lt;/button&gt;
    &lt;button @click="setVolume(10)"&gt;Maximum volume&lt;/button&gt;

&lt;/template&gt;

1. Event modifier

Event modifier illustrate
.prevent Block default behavior
.stop Stop events from bubbles
.capture Trigger the current event handling function in capture mode
.once The bound event is only triggered once
.self Event handling function is triggered only when it is the current element itself
.passive Shows the browser the default behavior of not wanting to block events

.prevent

.prevent: The default behavior of blocking this event

// Combination&lt;script setup&gt;

// Say hellofunction say(name) {
    ('Hello:' + name)
}

&lt;/script&gt;


&lt;template&gt;

    &lt;!-- .prevent Modifier blocks the default behavior of hyperlinks(Jump to Baidu page) --&gt;
    &lt;a href="" rel="external nofollow"  rel="external nofollow"  @="say('baiDu')"&gt;Baidu&lt;/a&gt;

&lt;/template&gt;

.stop

.stop: Prevent the bubbling phenomenon caused by events

// Combination&lt;script setup&gt;
// Say hellofunction say(name) {
    ('Hello:' + name)
}
&lt;/script&gt;

&lt;template&gt;
    &lt;div class="divArea" @click="say('DIV')"&gt;
        &lt;!-- .stop:Prevent bubbling events --&gt;
        &lt;button @="say('BUTTON')"&gt;Bubble button&lt;/button&gt;
    &lt;/div&gt;
&lt;/template&gt;

&lt;style&gt;
.divArea {
    padding: 30px;
    border: 2px solid blue;
}
&lt;/style&gt;

.once

.once: The bound event only triggers1Second-rate

// Combination&lt;script setup&gt;
// Say hellofunction say(name) {
    ('Hello:' + name)
}
&lt;/script&gt;

&lt;template&gt;
    &lt;!-- .once:The bound event is only triggered once --&gt;
    &lt;button @="say('BUTTON')"&gt;Click me to try&lt;/button&gt;
&lt;/template&gt;

.self

.self: Only inIt triggers event handling function when the current element itself

// Combination&lt;script setup&gt;
// Say hellofunction say(name) {
    ('Hello:' + name)
}
&lt;/script&gt;

&lt;template&gt;
    &lt;!-- .self:Only trigger events on this element are valid,Its child elements are invalid --&gt;
    &lt;div class="divArea" @="say('DIV')"&gt;
        &lt;button&gt;I'm a normal button&lt;/button&gt;
    &lt;/div&gt;
&lt;/template&gt;

&lt;style&gt;
.divArea {
    padding: 30px;
    border: 2px solid blue;
}
&lt;/style&gt;

.capture

.captureAdd a listener to the element

  • When an element event bubbling, the event of the element of the modifier is triggered first
  • If there are multiple modifiers, it will be triggered in sequence from the outside to the inside
// Combination&lt;script setup&gt;
// Say hellofunction say(name) {
    ('Hello:' + name)
}
&lt;/script&gt;

&lt;template&gt;
    &lt;!-- 
        .capture Add a listener to the element
        1:When element events bubble,The event that triggers the element of the modifier first
        2:If there are multiple modifiers,Then it is triggered from the outside to the inside
     --&gt;
    &lt;div class="divArea" @="say('DIV-1')"&gt;
        &lt;div class="divArea" @click="say('DIV-2')"&gt;
            &lt;div class="divArea" @="say('DIV-3')"&gt;
                &lt;button&gt;I'm a normal button&lt;/button&gt;
            &lt;/div&gt;
        &lt;/div&gt;
    &lt;/div&gt;
&lt;/template&gt;

&lt;style&gt;
.divArea {
    padding: 30px;
    border: 2px solid blue;
}
&lt;/style&gt;

.passive

.passive: The default behavior of not blocking events, with.preventDo not use it at the same time

// Combination&lt;script setup&gt;
function eventPrevent() {
    // Block event default behavior    ()
}
&lt;/script&gt;

&lt;template&gt;
    &lt;!-- .passive:Execute the default behavior first,Do not consider whether the executed code contains () --&gt;
    &lt;a href="" rel="external nofollow"  rel="external nofollow"  @="eventPrevent"&gt;Baidu&lt;/a&gt;
&lt;/template&gt;

2. Key modifier

Key alias:.enter.tab.esc.space.up.down.left.right.delete(captureDeleteandBackspaceTwo buttons)
System modifier:.ctrl.alt.shift.meta
Accurate modifier:.exact

// Combination&lt;script setup&gt;
// Popup messagefunction showMessage(message) {
    (message)
}
&lt;/script&gt;

&lt;template&gt;
    The key pressed contains Enter Key Events: &lt;input type="text" @="showMessage('You pressed the Enter key')"&gt;
    &lt;hr&gt;
    The key pressed contains Shift Enter Key Events:&lt;input type="text" @="showMessage('You pressed the Shift + Enter key')"/&gt;
    &lt;hr&gt;
    The keys pressed are only Shift Enter Key Events:&lt;input type="text" @="showMessage('You only pressed the Shift + Enter key')"/&gt;
&lt;/template&gt;

3. Mouse button modifier

Mouse button modifier:.left.right.middle

// Combination&lt;!-- Script area --&gt;
&lt;script setup&gt;
    function showTest(text) {
        (text)
    }
&lt;/script&gt;

&lt;!-- View area --&gt;
&lt;template&gt;
    &lt;!-- Right-click the mouse --&gt;
    &lt;button @="showTest('The right mouse button is pressed')"&gt;Right-click the mouse&lt;/button&gt;

    &lt;hr&gt;
    &lt;!-- When clicked,The middle mouse button is used --&gt;
    &lt;button @="showTest('The middle mouse button is pressed')"&gt;When clicked,The middle mouse button is used&lt;/button&gt;

    &lt;hr&gt;
    &lt;!-- Press the left mouse button --&gt;
    &lt;button @="showTest('The left mouse button is pressed')"&gt;Press the left mouse button&lt;/button&gt;
&lt;/template&gt;

&lt;!-- Style area --&gt;
&lt;style&gt;
    button {
        border: none;
        padding: 15px 20px;
    }

    button:active {
        box-shadow: 0 0 5px grey;
    }
&lt;/style&gt;

7. List rendering command

usev-forDirectives render a list based on an array

1. v-for rendering array

grammar:

inPrevious parameter:item in items
item:value
items: An array that needs to be loopedinThe first two parameters:(value, index) in items
value:value
index:index
items: An array that needs to be looped

// Combination&lt;script setup&gt;
import { ref } from 'vue'
// courselet subject = ref([
    { id: 1, name: 'Vue' },
    { id: 2, name: 'Java' },
    { id: 3, name: 'UI Design' },
    { id: 4, name: 'Hadoop' },
    { id: 5, name: 'Later film and television' },
])
&lt;/script&gt;

&lt;template&gt;
    &lt;!-- 
        item in itmes
        item:value,当前Looping arrayvalue
        itmes:Looping array
     --&gt;
    &lt;h6&gt;v-for Rendering array, v-for="item in itmes"&lt;/h6&gt;
    &lt;ul&gt;
        &lt;li v-for="sub in subject"&gt;
            serial number:{{  }} --- name:{{  }}
        &lt;/li&gt;
    &lt;/ul&gt;

    &lt;hr&gt;

    &lt;!-- Deconstructing objects --&gt;
    &lt;h6&gt;v-for Rendering array, v-for="{ Deconstruction…… } in itmes"&lt;/h6&gt;
    &lt;ul&gt;
        &lt;li v-for="{ id , name } in subject"&gt;
            serial number:{{ id }} --- name:{{ name }}
        &lt;/li&gt;
    &lt;/ul&gt;

    &lt;hr&gt;
    &lt;!-- 
        (value, index) in itmes
        value:value
        index:index
        itmes:Looping array
     --&gt;
    &lt;h6&gt;v-for Rendering array, v-for="(value, index) in itmes"&lt;/h6&gt;
    &lt;ul&gt;
        &lt;li v-for="(sub, index) in subject"&gt;
            serial number:{{  }} --- name:{{  }} --- index:{{ index }}
        &lt;/li&gt;
    &lt;/ul&gt;

    &lt;hr&gt;

    &lt;!-- Deconstructing objects --&gt;
    &lt;h6&gt;v-for Rendering array, v-for="({ Deconstruction…… }, index) in itmes"&lt;/h6&gt;
    &lt;ul&gt;
        &lt;li v-for="({ id , name } , index) in subject"&gt;
            serial number:{{ id }} --- name:{{ name }} --- index:{{ index }}
        &lt;/li&gt;
    &lt;/ul&gt;
&lt;/template&gt;

2. v-for rendering object

usev-forIterates through all properties of an object, and the order of traversal will be based on the call to the object()The return value to determine
grammar:

inPrevious parameter:value in object
value: Attribute value
items: Objects that need to be loopedinThe first two parameters:(value, name) in object
value: Attribute value
name:key
items: Objects that need to be loopedinThe first three parameters:(value, name, index) in object
value: Attribute value
name:key
index:index
items: Objects that need to be looped

// Combination&lt;script setup&gt;
import { reactive } from 'vue'
let student = reactive({
    styNum: '007', // Student ID    name: 'Jack', // name    age: 18 //age})
&lt;/script&gt;

&lt;template&gt;
    &lt;!-- 
        value in object
        value:Attribute value
        object:Looping object
     --&gt;
    &lt;h6&gt;v-for Rendering objects, v-for="value in object"&lt;/h6&gt;
    &lt;ul&gt;
        &lt;li v-for="value in student"&gt;
            {{ value }}
        &lt;/li&gt;
    &lt;/ul&gt;

    &lt;hr&gt;

    &lt;!-- 
        (value, name) in object
        value:Attribute value
        name:Attribute name
        object:Looping object
     --&gt;
    &lt;h6&gt;v-for Rendering objects, v-for="(value, name) in object"&lt;/h6&gt;
    &lt;ul&gt;
        &lt;li v-for="(value, name) in student"&gt;
            Attribute name:{{ name }} --- Attribute value: {{ value }}
        &lt;/li&gt;
    &lt;/ul&gt;

    &lt;hr&gt;

    &lt;!-- 
        (value, name, index) in object
        value:Attribute value
        name:Attribute name
        index: index
        object:Looping object
     --&gt;
    &lt;h6&gt;v-for Rendering objects, v-for="(value, name, index) in object"&lt;/h6&gt;
    &lt;ul&gt;
        &lt;li v-for="(value, name, index) in student"&gt;
            Attribute name:{{ name }} --- Attribute value: {{ value }} --- index:{{ index }}
        &lt;/li&gt;
    &lt;/ul&gt;
&lt;/template&gt;

3. Manage status through key

When the data of the list changes, by default,vueWill reuse existing ones as much as possibleDOMelement, thereby improving rendering performance; however, this default performance optimization strategy will cause stateful lists to not be updated correctly.
To givevueA prompt so that it can track the identity of each node, thereby improving rendering performance while ensuring that the stateful list is updated correctly; at this time, a unique key attribute needs to be provided for each item:
keyNotes:

  • keyThe type can only beNumber/String
  • keyValues ​​must be unique
  • It is recommended that the loop list has an attribute whenkey(The value of this property is unique in this list)
  • Don't use indexkey
  • Recommended to usev-forMust specify the instructionskeyThe value of
// Combination&lt;script setup&gt;
import { ref } from 'vue'
// courselet subject = ref([
    { id: 1, name: 'Vue' },
    { id: 2, name: 'Java' },
    { id: 3, name: 'Hadoop' }
])

// Add coursesfunction addSubject() {
    // (front of the array)    ({ id: 4, name: 'Python' })
}
&lt;/script&gt;

&lt;template&gt;

    &lt;button @="addSubject"&gt;Add courses(Front of the array)&lt;/button&gt;

    &lt;h3&gt;Not usedkeyvalue&lt;/h3&gt;
    &lt;ul&gt;
        &lt;li v-for="sub in subject"&gt;
            &lt;input type="checkbox"&gt;
            {{ sub }}
        &lt;/li&gt;
    &lt;/ul&gt;

    &lt;hr&gt;

    &lt;h3&gt;Use indexkeyvalue&lt;/h3&gt;
    
    &lt;ul&gt;
        &lt;li v-for="(sub, index) in subject" :key="index"&gt;
            &lt;input type="checkbox"&gt;
            {{ sub }}
        &lt;/li&gt;
    &lt;/ul&gt;

    &lt;hr&gt;

    &lt;h3&gt;Use list attributeskeyvalue(This property must be unique in this list)&lt;/h3&gt;
    
    &lt;ul&gt;
        &lt;li v-for="sub in subject" :key=""&gt;
            &lt;input type="checkbox"&gt;
            {{ sub }}
        &lt;/li&gt;
    &lt;/ul&gt;

&lt;/template&gt;

References:

Everyone is welcome to join my community, and some selected content will be published from time to time in the community:/forums/db95ba6b828b43ababd4ee5e41e8d251?category=10003

The above is the template syntax in Vue3. If you don’t understand, you can ask me in the comment section or chat with me privately. Some new functions will be released in the future. Please stay tuned.

This is the end of this article about template grammar in Vue3. For more related vue3 template grammar content, please search for my previous articles or continue browsing the related articles below. I hope everyone will support me in the future!