美文网首页
VUE3渲染函数

VUE3渲染函数

作者: Prince_0716 | 来源:发表于2022-03-01 12:33 被阅读0次

    Vue 推荐在绝大多数情况下使用模板来创建你的 HTML。然而在一些场景中,你真的需要 JavaScript 的完全编程的能力。这时你可以用渲染函数,它比模板更接近编译器。

    让我们深入一个简单的例子,这个例子里 render 函数很实用。假设我们要生成一些带锚点的标题:

    <h1>
      <a name="hello-world" href="#hello-world">
        Hello world!
      </a>
    </h1>
    

    锚点标题的使用非常频繁,我们应该创建一个组件:

    <anchored-heading :level="1">Hello world!</anchored-heading>
    
    

    当开始写一个只能通过 level prop 动态生成标题 (heading) 的组件时,我们很快就可以得出这样的结论:

    const { createApp } = Vue
    
    const app = createApp({})
    
    app.component('anchored-heading', {
      template: `
        <h1 v-if="level === 1">
          <slot></slot>
        </h1>
        <h2 v-else-if="level === 2">
          <slot></slot>
        </h2>
        <h3 v-else-if="level === 3">
          <slot></slot>
        </h3>
        <h4 v-else-if="level === 4">
          <slot></slot>
        </h4>
        <h5 v-else-if="level === 5">
          <slot></slot>
        </h5>
        <h6 v-else-if="level === 6">
          <slot></slot>
        </h6>
      `,
      props: {
        level: {
          type: Number,
          required: true
        }
      }
    })
    
    

    这个模板感觉不太好。它不仅冗长,而且我们为每个级别标题重复书写了 <slot></slot>。当我们添加锚元素时,我们必须在每个 v-if/v-else-if 分支中再次重复它。

    虽然模板在大多数组件中都非常好用,但是显然在这里它就不合适了。那么,我们来尝试使用 render 函数重写上面的例子:

    const { createApp, h } = Vue
    
    const app = createApp({})
    
    app.component('anchored-heading', {
      render() {
        return h(
          'h' + this.level, // 标签名
          {}, // prop 或 attribute
          this.$slots.default() // 包含其子节点的数组
        )
      },
      props: {
        level: {
          type: Number,
          required: true
        }
      }
    })
    
    

    render() 函数的实现要精简得多,但是需要非常熟悉组件的实例 property。在这个例子中,你需要知道,向组件中传递不带 v-slot 指令的子节点时,比如 anchored-heading 中的 Hello world! ,这些子节点被存储在组件实例中的 $slots.default 中。如果你还不了解,在深入渲染函数之前推荐阅读实例 property API

    相关文章

      网友评论

          本文标题:VUE3渲染函数

          本文链接:https://www.haomeiwen.com/subject/ommdrrtx.html