• vue 2 与 vue3 获取模版引用 (ref)的区别


    目录

    Vue 2 中获取模板引用

    获取DOM元素引用

    获取组件引用

    v-for 中的模板引用

    vue3 中获取模板引用

    访问模板引用

    v-for 中的模板引用

    函数模板引用

    组件上的 ref


    虽然 Vue 的声明性渲染模型为你抽象了大部分对 DOM 的直接操作,但在某些情况下,我们仍然需要直接访问底层 DOM 元素。要实现这一点,我们可以使用特殊的 ref attribute:

    ref 是一个特殊的 attribute,和 v-for 章节中提到的 key 类似。它允许我们在一个特定的 DOM 元素或子组件实例被挂载后,获得对它的直接引用。这可能很有用,比如说在组件挂载时将焦点设置到一个 input 元素上,或在一个元素上初始化一个第三方库。

    Vue 2 中获取模板引用

    在Vue 2中,我们可以使用ref属性来获取模板中的DOM元素或组件实例的引用。这使得在Vue组件中访问和操作特定元素或组件变得非常方便。

    获取DOM元素引用

    要获取一个DOM元素的引用,我们可以在模板中使用ref属性并为其指定一个名称。然后,我们可以通过this.$refs来访问这个引用。

    1. <template>
    2. <div>
    3. <button ref="myButton">点击我</button>
    4. </div>
    5. </template>
    6. <script>
    7. export default {
    8. mounted() {
    9. // 在生命周期钩子中使用$refs来获取引用
    10. this.$refs.myButton.innerText = '已点击';
    11. }
    12. }
    13. </script>

    在上面的例子中,我们给按钮添加了一个ref属性,值为myButton。然后在mounted生命周期钩子中,我们使用this.$refs.myButton来获取到这个按钮的引用,并修改了它的文本内容。

    获取组件引用

    如果我们想获取一个子组件的引用,也可以使用相同的ref属性来实现。

    1. <template>
    2. <div>
    3. <ChildComponent ref="myChildComponent" />
    4. </div>
    5. </template>
    6. <script>
    7. import ChildComponent from './ChildComponent.vue';
    8. export default {
    9. components: {
    10. ChildComponent
    11. },
    12. mounted() {
    13. // 在生命周期钩子中使用$refs来获取子组件的引用
    14. this.$refs.myChildComponent.someMethod();
    15. }
    16. }
    17. </script>

    在上面的例子中,我们在父组件中引入了一个名为ChildComponent的子组件,并在模板中使用了ref属性来获取它的引用。然后在mounted生命周期钩子中,我们可以使用this.$refs.myChildComponent来访问并调用子组件的方法。

    v-for 中的模板引用

    当在 v-for 中使用模板引用时,相应的引用中包含的值是一个数组

    1. <script>
    2. export default {
    3. data() {
    4. return {
    5. list: [
    6. /* ... */
    7. ]
    8. }
    9. },
    10. mounted() {
    11. console.log(this.$refs.items)
    12. }
    13. }
    14. </script>
    15. <template>
    16. <ul>
    17. <li v-for="item in list" ref="items">
    18. {{ item }}
    19. </li>
    20. </ul>
    21. </template>

    应该注意的是,ref 数组并不保证与源数组相同的顺序。

    vue3 中获取模板引用

    访问模板引用

    为了通过组合式 API 获得该模板引用,我们需要声明一个同名的 ref:

    1. <script setup>
    2. import { ref, onMounted } from 'vue'
    3. // 声明一个 ref 来存放该元素的引用
    4. // 必须和模板里的 ref 同名
    5. const input = ref(null)
    6. onMounted(() => {
    7. input.value.focus()
    8. })
    9. </script>
    10. <template>
    11. <input ref="input" />
    12. </template>

    如果不使用