Custom Directives

    • API has been renamed to better align with component lifecycle
    • Custom directives will be controlled by child component via

    For more information, read on!

    In Vue 2, custom directives were created by using the hooks listed below to target an element’s lifecycle, all of which are optional:

    • bind - Occurs once the directive is bound to the element. Occurs only once.
    • inserted - Occurs once the element is inserted into the parent DOM.
    • update - This hook is called when the element updates, but children haven’t been updated yet.
    • unbind - This hook is called once the directive is removed. Also called only once.

    Here’s an example of this:

    1. Vue.directive('highlight', {
    2. bind(el, binding, vnode) {
    3. el.style.background = binding.value
    4. })

    In Vue 3, however, we’ve created a more cohesive API for custom directives. As you can see, they differ greatly from our component lifecycle methods even though we’re hooking into similar events. We’ve now unified them like so:

    • bind → beforeMount
    • inserted → mounted
    • beforeUpdate: new! this is called before the element itself is updated, much like the component lifecycle hooks.
    • componentUpdated → updated
    • beforeUnmount new! similar to component lifecycle hooks, this will be called right before an element is unmounted.
    • unbind -> unmounted

    The final API is as follows:

    The resulting API could be used like this, mirroring the example from earlier:

    1. <p v-highlight="yellow">Highlight this text bright yellow</p>

    In Vue 3, we’re now supporting fragments, which allow us to return more than one DOM node per component. You can imagine how handy that is for something like a component with multiple lis or the children elements of a table:

    1. <template>
    2. <li>Vue</li>
    3. <li>Devs!</li>
    4. </template>

    As wonderfully flexible as this is, we can potentially encounter a problem with a custom directive that could have multiple root nodes.

    As a result, custom directives are now included as part of a virtual DOM node’s data. When a custom directive is used on a component, hooks are passed down to the component as extraneous props and end up in .

    This is consistent with the attribute fallthrough behavior, so when a child component uses v-bind="$attrs" on an inner element, it will apply any custom directives used on it as well.