A brief discussion on the implementation principle of Vue slot

A brief discussion on the implementation principle of Vue slot

1. Sample code

<!-- Subcomponent comA -->
<template>
  <div class='demo'>
    <slot><slot>
    <slot name='test'></slot>
    <slot name='scopedSlots' test='demo'></slot>
  </div>
</template>
<!-- Parent component -->
<comA>
  <span>This is the default slot</span>
  <template slot='test'>This is a named slot</template>
  <template slot='scopedSlots' slot-scope='scope'>This is a scoped slot (old version) {{scope.test}}</template>
  <template v-slot:scopedSlots='scopeProps' slot-scope='scope'>This is a scoped slot (new version) {{scopeProps.test}}</template>
</comA>

2. See the essence through the phenomenon

The role of slots is to achieve content distribution. To achieve content distribution, two conditions are required:

  • Placeholder
  • Distribute content

slot tag defined inside the component can be understood as a placeholder, and the slot content in the parent component is the content to be distributed. The essence of slot processing is to put the specified content in the specified location. Without further ado, from this article, you will learn:

  • The implementation principle of slots
  • How to use slots in render method

3. Implementation Principle

The order of instantiation of vue components is: parent component state initialization ( data , computed , watch ...) --> template compilation --> generate render method --> instantiate rendering watcher --> call render method, generate VNode --> patch VNode , convert to real DOM --> instantiate child component --> ...repeat the same process --> the real DOM generated by the child component is mounted on the real DOM generated by the parent component, mounted on the page --> remove the old node

From the above process, we can infer that:

1. The parent component template is parsed before the child component, so the parent component will first get the slot template content

2. The subcomponent template is parsed later, so when the subcomponent calls render method to generate VNode , you can use some means to get VNode node of the slot

3. The scope slot can obtain variables in the subcomponent, so the VNode generation of the scope slot is dynamic, that is, scope of the subcomponent needs to be passed in real time

The entire slot processing phase is roughly divided into three steps:

  • Compile
  • Generate rendering template
  • Generate VNode

Taking the following code as an example, the operation process of the slot is briefly outlined.

<div id='app'>
  <test>
    <template slot="hello">
      123
    </template>
  </test>
</div>
<script>
  new Vue({
    el: '#app',
    components:
      test: {
        template: '<h1>' +
          '<slot name="hello"></slot>' +
          '</h1>'
      }
    }
  })
</script>

4. Parent component compilation phase

Compilation is to parse the template file into an AST syntax tree, and parse the slot template into the following data structure:

{
  tag: 'test',
  scopedSlots: { // scope slot // slotName: ASTNode,
    // ...
  }
  children: [
    {
      tag: 'template',
      // ...
      parent: parentASTNode,
      children: [ childASTNode ], // slot content child node, i.e. text node 123
      slotScope: undefined, // Scope slot binding value slotTarget: "\"hello\"", // Named slot name slotTargetDynamic: false // Is it a dynamically bound slot// ...
    }
  ]
}

5. Parent component generates rendering method

According to the AST syntax tree, the rendering method string is parsed and generated. The final result generated by the parent component is as follows. This structure is consistent with the direct writing of render method. The essence is to generate VNode , but _c or h is the abbreviation of this.$createElement .

with(this){
  return _c('div',{attrs:{"id":"app"}},
  [_c('test',
    [
      _c('template',{slot:"hello"},[_v("\n 123\n ")])],2)
    ],
  1)
}

6. Parent component generates VNode

Call the render method to generate VNode . The specific format VNode is as follows:

{
  tag: 'div',
  parent: undefined,
  data: { // Store VNode configuration items attrs: { id: '#app' }
  },
  context: componentContext, // component scope elm: undefined, // real DOM element children: [
    {
      tag: 'vue-component-1-test',
      children: undefined, // The component is the smallest unit of the page, and the slot content is parsed in the child component parent: undefined,
      componentOptions: { // Component configuration item Ctor: VueComponentCtor, // Component construction method data: {
          hook: {
            init: fn, //Instantiate component calling method insert: fn,
            prepatch: fn,
            destroy: fn
          },
          scopedSlots: { //Scope slot configuration item, used to generate scope slot VNode
            slotName: slotFn
          }
        },
        children: [ // Component slot node tag: 'template',
          propsData: undefined, // props parameters listeners: undefined,
          data: {
            slot: 'hello'
          },
          children: [ VNode ],
          parent: undefined,
          context: componentContext // parent component scope // ...
        ] 
      }
    }
  ],
  // ...
}

In vue , components are the basic units of page structure. From the above VNode , we can also see that VNode page hierarchy ends at test component, and test component children processing will be processed during the subcomponent initialization process. The subcomponent construction method assembly and attribute merging are in the vue-dev\src\core\vdom\create-component.js createComponent method, and the component instantiation call entry is in the vue-dev\src\core\vdom\patch.js createComponent method.

7. Subcomponent state initialization

When instantiating a subcomponent, the subcomponent slot node will be mounted to the component scope vm in initRender -> resolveSlots method in the form of vm.$slots = {slotName: [VNode]} .

8. Subcomponent compilation phase

During the compilation phase, the subcomponent will compile slot node into the following AST structure:

{
  tag: 'h1',
  parent: undefined,
  children: [
    {
      tag: 'slot',
      slotName: "\"hello\"",
      // ...
    }
  ],
  // ...
}

9. Subcomponent generation rendering method

The generated rendering method is as follows, where _t is the abbreviation of renderSlot method. From renderSlot method, we can intuitively link the slot content with the slot point.

// Rendering method with(this){
  return _c('h1',[ _t("hello") ], 2)
}
// Source code path: vue-dev\src\core\instance\render-helpers\render-slot.js
export function renderSlot (
  name: string,
  fallback: ?Array<VNode>,
  props: ?Object,
  bindObject: ?Object
): ?Array<VNode> {
  const scopedSlotFn = this.$scopedSlots[name]
  let nodes
  if (scopedSlotFn) { // scoped slot
    props = props || {}
    if (bindObject) {
      if (process.env.NODE_ENV !== 'production' && !isObject(bindObject)) {
        warn(
          'slot v-bind without argument expects an Object',
          this
        )
      }
      props = extend(extend({}, bindObject), props)
    }
    //Scope slot, get slot VNode
    nodes = scopedSlotFn(props) || fallback
  } else {
    // Get the slot normal slot VNode
    nodes = this.$slots[name] || fallback
  }

  const target = props && props.slot
  if (target) {
    return this.$createElement('template', { slot: target }, nodes)
  } else {
    return nodes
  }
}

Difference between scoped slots and named slots

<!-- demo -->
<div id='app'>
  <test>
      <template slot="hello" slot-scope='scope'>
        {{scope.hello}}
      </template>
  </test>
</div>
<script>
    var vm = new Vue({
        el: '#app',
        components:
            test: {
                data () {
                    return {
                        hello: '123'
                    }
                },
                template: '<h1>' +
                    '<slot name="hello" :hello="hello"></slot>' +
                  '</h1>'
            }
        }
    })

</script>

The main difference between scoped slots and ordinary slots is that the slot content can obtain subcomponent scope variables. Due to the need to inject subcomponent variables, scoped slots are different from named slots in the following ways:

When assembling the rendering method, the scope slot generates a method that contains the injection scope. Compared with createElement to generate VNode , there is an additional layer of injection scope method wrapping, which determines that the slot VNode scope slot is generated when the child component generates VNode , and the named slot is generated when the parent component creates VNode . _u is resolveScopedSlots , which converts the node configuration item into the form of {scopedSlots: {slotName: fn}} .

with (this) {
        return _c('div', {
            attrs: {
                "id": "app"
            }
        }, [_c('test', {
            scopedSlots: _u([{
                key: "hello",
                fn: function(scope) {
                    return [_v("\n " + _s(scope.hello) + "\n ")]
                }
            }])
        })], 1)
    }

When the subcomponent is initialized, the named slot node is processed and mounted to the component $slots , and the scoped slot is directly called in renderSlot

Other than that, the process is pretty much the same. The mechanism of slots is not difficult to understand, but the key is the two steps of template parsing and rendering function generation, which are more complex and have a longer process and are more difficult to understand.

10. Usage Tips

Through the above analysis, we can roughly understand the slot processing flow. Most of the work is done using templates to write vue code, but sometimes templates have certain limitations, and it is necessary to use render method to amplify the component abstraction capabilities of vue . Then in the render method, we use the slot as follows:

10.1. Named Slots

Slot processing is generally divided into two parts:

  • Parent component: The parent component only needs to be written as a rendering method compiled from the template, that is, specify the slot name
  • Subcomponent: Since the subcomponent directly takes VNode generated by the parent component during the initialization phase, the subcomponent only needs to replace slot tag with VNode generated by the parent component. The subcomponent will mount the named slot to the component $slots attribute when it is initialized.
<div id='app'>
<!-- <test>-->
<!-- <template slot="hello">-->
<!-- 123-->
<!-- </template>-->
<!-- </test>-->
</div>
<script>
  new Vue({
    // el: '#app',
    render (createElement) {
      return createElement('test', [
        createElement('h3', {
          slot: 'hello',
          domProps: {
            innerText: '123'
          }
        })
      ])
    },
    components:
      test: {
        render(createElement) {
          return createElement('h1', [ this.$slots.hello ]);
        }
        // template: '<h1>' +
        // '<slot name="hello"></slot>' +
        // '</h1>'
      }
    }
  }).$mount('#app')
</script>

10.2. Scoped Slots

Scoped slots are more flexible to use and can inject subcomponent states. Scoped slots + render methods are very useful for secondary component encapsulation. For example, when encapsulating ElementUI table components based on JSON data, scoped slots are very useful.

<div id='app'>
<!-- <test>-->
<!-- <span slot="hello" slot-scope='scope'>-->
<!-- {{scope.hello}}-->
<!-- </span>-->
<!-- </test>-->
</div>
<script>
  new Vue({
    // el: '#app',
    render (createElement) {
      return createElement('test', {
        scopedSlots:{
          hello: scope => { // In the parent component rendering method, the final converted scope slot method is consistent with this writing method return createElement('span', {
              domProps: {
                innerText: scope.hello
              }
            })
          }
        }
      })
    },
    components:
      test: {
        data () {
          return {
            hello: '123'
          }
        },
        render (createElement) {
          // The scope slot parent component passes a function, which needs to be called manually to generate a VNode
          let slotVnode = this.$scopedSlots.hello({ hello: this.hello })
          return createElement('h1', [ slotVnode ])
        }
        // template: '<h1>' +
        // '<slot name="hello" :hello="hello"></slot>' +
        // '</h1>'
      }
    }
  }).$mount('#app')

</script>

The above is a brief discussion of the detailed content of the implementation principle of Vue slots. For more information about Vue slots, please pay attention to other related articles on 123WORDPRESS.COM!

You may also be interested in:
  • Vue learning notes slot usage example analysis
  • Vue learning notes: basic usage example analysis of slot slots
  • Vue learning notes scope slot example analysis
  • $slot in vue gets the node instance of the slot
  • Use react context to implement vue slot function
  • A brief analysis of the understanding of Vue slots and scoped slots
  • Vue anonymous slots and scoped slots merging and overwriting behavior
  • Detailed explanation of how to use Vue anonymous, named and scoped slots
  • Detailed explanation of using slots and clustered slots in Vue
  • Understanding and using vue slots

<<:  A friendly alternative to find in Linux (fd command)

>>:  Using puppeteer to implement webpage screenshot function on linux (centos)

Recommend

How to solve the error "ERROR 1045 (28000)" when logging in to MySQL

Today, I logged into the server and prepared to m...

MySQL v5.7.18 decompression version installation detailed tutorial

Download MySQL https://dev.mysql.com/downloads/my...

MySQL Innodb key features insert buffer

Table of contents What is insert buffer? What are...

Detailed explanation of creating stored procedures and functions in mysql

Table of contents 1. Stored Procedure 1.1. Basic ...

How to build php+nginx+swoole+mysql+redis environment with docker

Operating system: Alibaba Cloud ESC instance cent...

Hbase Getting Started

1. HBase Overview 1.1 What is HBase HBase is a No...

MySQL database connection exception summary (worth collecting)

I found a strange problem when deploying the proj...

Vue's detailed code for implementing the shuttle box function

Vue - implement the shuttle box function, the eff...

Tutorial on using iostat command in Linux

Preface It is said that if the people doing opera...

Introduction to RHCE bridging, password-free login and port number modification

Table of contents 1. Configure bridging and captu...

Analysis of the configuration process of installing mariadb based on docker

1. Installation Search the mariadb version to be ...