search
HomeWeb Front-endVue.jsAn article to talk about the KeepAlive component in Vue
An article to talk about the KeepAlive component in VueNov 14, 2022 pm 08:21 PM
front endvue.jsfront-end framework

An article to talk about the KeepAlive component in Vue

Recently, I was looking at Vue-related knowledge points. When I saw the KeepAlive component, I was curious about how it does not re-render when switching between components, so I took a closer look. (Learning video sharing: vue video tutorial)

If you are also interested in knowing how the specific internal implementation is implemented or you have a certain understanding but are not familiar enough, then you can also join us. Consolidate

Tips: In this way, you can ask others about this knowledge point loudly during the interview?

What is KeepAlive

<keepalive></keepalive> is a built-in component, its function is to dynamically switch between multiple components Whencachethe removed component instance.

KeepAlive function

The word KeepAlive is borrowed from the HTTP protocol. In the HTTP protocol, KeepAlive is also called a persistent connection. Its function is to allow multiple requests/responses to share the same HTTP Connection solves the additional performance overhead caused by frequent destruction and creation of HTTP connections. In the same way, the KeepAlive component in Vue is also intended to avoid a component being frequently destroyed/rebuilt and avoid performance overhead.

// App.vue
<Test :msg="curTab" v-if="curTab === &#39;Test&#39;"></Test>
<HelloWorld :msg="curTab" v-if="curTab === &#39;HelloWorld&#39;"></HelloWorld>
<div @click="toggle">toggle</div>

As you can see from the above code, if we click toggle frequently, the Test/HelloWorld component will be frequently rendered. When the user clicks frequently, the Test component needs to be destroyed/rendered frequently, which results in a large rendering time. Performance loss.

So in order to solve this performance overhead, you need to know when it is time to use the KeepAlive component.

<KeepAlive>
  <component :is="curTab === &#39;Test&#39; ? Test : HelloWorld" :msg="curTab"></component>
</KeepAlive>
<div @click="toggle">toggle</div>

You can see this screen recording. After the first loading, frequent switching does not destroy and mount again, but only inactivates the component (instead of Destroyed), you only need to reactivate it when rendering, without remounting. If the component to be rendered is large, you can have good performance optimization.

If you want to experience it, you can take a look at this example?Official demo, in which the data will be cached, which also needs to be noticed during development and use

How to implement

The implementation principle is actually very simple. In fact, it is cache management and specific destruction and rendering logic, which makes it different from other components.

KeepAlive component cannot really uninstall it when uninstalling the component, but puts it into a hidden container , and removes it from the hidden container when it is activated Just take it out and mount it on the real dom, which corresponds to the two unique life cycles of KeepAlive activated and deactivated.

An article to talk about the KeepAlive component in Vue

First let’s briefly understand the component mounting process

So the An article to talk about the KeepAlive component in Vue subcomponents in KeepAlive Specific rendering logic will be executed during mount and unmount, so that the mounting and destruction logic will not be performed

Specific implementation (implementing a small and simple KeepAlive)

  • KeepAlive component properties

  • const KeepAliveImpl: ComponentOptions = {
      name: "KeepAlive",
      // 标识这是一个 KeepAlive 组件
      __isKeepAlive: true,
      // props
      props: {
        exclude: [String, Array, RegExp],
        include: [String, Array, RegExp],
        max: [String, Number]
      }
     }
     
     // isKeepAlive
     export const isKeepAlive = (vnode: VNode): boolean =>
      (vnode.type as any).__isKeepAlive
  • KeepAlive component setup logic and rendering logic (focus on it)

  • // setup 接着上面的代码
    // 获取到当前 KeepAlive 组件实例
    const instance = getCurrentInstance()! as any;
    // 拿到 ctx
    const sharedContext = instance.ctx as KeepAliveContext;
    // cache 缓存
    // key: vnode.key | vnode.type value: vnode
    const cache: Cache = new Map()
    // 需要拿到某些的 renderer 操作函数,需要自己特定执行渲染和卸载逻辑
    const { renderer: { p: patch, m: move, um: _unmount, o: { createElement } } } = sharedContext
    // 隐藏的容器,用来存储需要隐藏的 dom
    const storeageContainer = createElement(&#39;div&#39;)
    
    // 存储当前的子组件的缓存 key
    let pendingKey: CacheKey | null = null
    
    sharedContext.activate = (vnode, container, anchor) => {
      // KeepAlive 下组件激活时执行的 move 逻辑
      move(vnode, container, anchor, 0 /* ENTER */)
    }
    
    sharedContext.deactivate = (vnode) => {
      // KeepAlive 下组件失活时执行的 move 逻辑
      move(vnode, storeageContainer, null, 1 /* LEAVE */)
    }
    
    return () => {
      // 没有子组件
      if (!slots.default) {
        return null;
      }
      const children = slots.default() as VNode[];
      const rawNode = children[0];
      let vnode = rawNode;
      const comp = vnode.type as ConcreteComponent;
      const name = comp.displayName || comp.name
      const { include, exclude } = props;
      // 没有命中的情况
      if (
        (include && (!name || !matches(include, name))) ||
        (exclude && name && matches(exclude, name))
      ) {
        // 直接渲染子组件
        return rawNode;
      }
      // 获取子组件的 vnode key
      const key = vnode.key == null ? comp : vnode.key;
      // 获取子组件缓存的 vnode
      const cachedVNode = cache.get(key);
    
      pendingKey = key;
      // 命中缓存
      if (cachedVNode) {
        vnode.el = cachedVNode.el;
        // 继承组件实例
        vnode.component = cachedVNode.component;
        // 在 vnode 上更新 shapeFlag,标记为 COMPONENT_KEPT_ALIVE 属性,防止渲染器重新挂载
        vnode.shapeFlag |= ShapeFlags.COMPONENT_KEPT_ALIVE
      } else {
        // 没命中将其缓存
        cache.set(pendingKey, vnode)
      }
      // 在 vnode 上更新 shapeFlag,标记为 COMPONENT_SHOULD_KEEP_ALIVE 属性,防止渲染器将组件卸载了
      vnode.shapeFlag |= ShapeFlags.COMPONENT_SHOULD_KEEP_ALIVE
      // 渲染组件 vnode
      return vnode;
    }
  • When the KeepAlive component is mounted, the renderer is mounted to ctx

In the KeepAlive component, it will be obtained from the renderer on the sharedContext Some methods such as move, createElement, etc.

function mountComponent() {
 // ...
 if (isKeepAlive(initialVNode)) {
    ;(instance.ctx as KeepAliveContext).renderer = internals
  }
}

  • Subcomponent performs specific destruction and rendering logic

First of all, as you can see from the above, in

When rendering the KeepAlive component, the corresponding shapeFlag flag will be added to the vnode of the subcomponent

For example, the

COMPONENT_KEPT_ALIVE flag tells the renderer when the component is mounted that this does not require mount And special processing is required

const processComponent = (
    n1: VNode | null,
    n2: VNode,
    container: RendererElement,
    anchor: RendererNode | null,
  ) => {
    if (n1 == null) {
      // 在 KeepAlive 组件渲染时会对子组件增加 COMPONENT_KEPT_ALIVE 标志
      // 挂载子组件时会判断是否 COMPONENT_KEPT_ALIVE ,如果是不会调用 mountComponent 而是直接执行 activate 方法
      if (n2.shapeFlag & ShapeFlags.COMPONENT_KEPT_ALIVE) {
        ;(parentComponent!.ctx as KeepAliveContext).activate(
          n2,
          container,
          anchor
        )
      }
      // ...
    }
  }

Similarly

COMPONENT_SHOULD_KEEP_ALIVE flag is also used to tell the renderer when the component is unmounted that it does not require unmount but requires special processing.

const unmount: UnmountFn = (vnode) => {
  // ...
  // 在 KeepAlive 组件渲染时会对子组件增加 COMPONENT_SHOULD_KEEP_ALIVE 标志
  // 然后在子组件卸载时并不会真实的卸载而是调用 KeepAlive 的 deactivate 方法
  if (shapeFlag & ShapeFlags.COMPONENT_SHOULD_KEEP_ALIVE) {
    ;(parentComponent!.ctx as KeepAliveContext).deactivate(vnode)
    return
  }
}

  • How to mount

    activated and deactivated life cycle (you don’t need to focus on the life cycle related ones)

First of all, these two life cycles are uniquely declared within the KeepAlive component and are directly exported for use.

export function onActivated(
  hook: Function,
  target?: ComponentInternalInstance | null
) {
  // 注册 activated 的回调函数到当前的 instance 的钩子函数上
  registerKeepAliveHook(hook, LifecycleHooks.ACTIVATED, target)
}
export function onDeactivated(
  hook: Function,
  target?: ComponentInternalInstance | null
) {
  // 注册 deactivated 的回调函数到当前的 instance 的钩子函数上
  registerKeepAliveHook(hook, LifecycleHooks.DEACTIVATED, target)
}

然后因为这两个生命周期会注册在 setup 里面,所以只要执行 setup 就会将两个生命周期的回调函数注册到当前的 instance 实例上

// renderer.ts
// mount 函数逻辑
const mountComponent = (initialVNode,
  container,
  anchor,
  parentComponent,
  parentSuspense,
  isSVG,
  optimized
) => {
  // ...
  const instance: ComponentInternalInstance =
    compatMountInstance ||
    (initialVNode.component = createComponentInstance(
    initialVNode,
    parentComponent,
    parentSuspense
  ))
  // 执行 setup
  setupComponent(instance)
}
// setupcomponent 处理 setup 函数值
export function setupComponent(
  instance: ComponentInternalInstance,
  isSSR = false
) {
  // ...
  const isStateful = isStatefulComponent(instance)
  // ...
  const setupResult = isStateful
    // setupStatefulComponent 函数主要功能是设置当前的 instance
    ? setupStatefulComponent(instance, isSSR)
    : undefined
  // ...
}

function setupStatefulComponent(
  instance: ComponentInternalInstance
){
  if (setup) {
    //设置当前实例
    setCurrentInstance(instance)
    // 执行组件内 setup 函数,执行 onActivated 钩子函数进行回调函数收集
    const setupResult = callWithErrorHandling(
      setup,
      instance,
      ErrorCodes.SETUP_FUNCTION,
      [__DEV__ ? shallowReadonly(instance.props) : instance.props, setupContext]
    )
    // currentInstance = null;
    unsetCurrentInstance()
  }
}

最后在执行sharedContext.activatesharedContext.deactivate的时候将注册在实例上的回调函数取出来直接执行就OK了,执行时机在 postRender 之后

sharedContext.activate = (vnode, container, anchor) => {
  // KeepAlive 下组件激活时执行的 move 逻辑
  move(vnode, container, anchor, 0 /* ENTER */)
  // 把回调推入到 postFlush 的异步任务队列中去执行
  queuePostRenderEffect(() => {
    if (instance.a) {
      // a是 activated 钩子的简称
      invokeArrayFns(instance.a)
    }
  })
}
sharedContext.activate = (vnode, container, anchor) => {
  // KeepAlive 下组件失活时执行的 move 逻辑
  move(vnode, container, anchor, 0 /* ENTER */)
  queuePostRenderEffect(() => {
    if (instance.da) {
      // da是 deactivated 钩子的简称
      invokeArrayFns(instance.da)
    }
  })
}

export const enum LifecycleHooks {
  // ... 其他生命周期声明
  DEACTIVATED = &#39;da&#39;,
  ACTIVATED = &#39;a&#39;,
}
export interface ComponentInternalInstance {
// ... 其他生命周期
[LifecycleHooks.ACTIVATED]: Function[]
[LifecycleHooks.DEACTIVATED]: Function[]
}

以下是关于上述demo如何实现的简化流程图

An article to talk about the KeepAlive component in Vue

需要注意的知识点

1、什么时候缓存

KeepAlive 组件的onMountedonUpdated生命周期时进行缓存

2、什么时候取消缓存

  • 缓存数量超过设置的 max 时

  • 监听 include 和 exclude 修改的时候,会读取缓存中的知进行判断是否需要清除缓存

修剪缓存的时候也要 unmount(如果该缓存不是当前组件)或者 resetShapeFlag 将标志为从 KeepAlive 相关 shapeFlag 状态重置为 STATEFUL_COMPONENT 状态(如果该缓存是当前组件,但是被exclude了),当然 unmount 函数内包含 resetShapeFlag 操作

3、缓存策略

KeepAlive 组件的缓存策略是 LRU(last recently used)缓存策略

核心思想在于需要把当前访问或渲染的组件作为最新一次渲染的组件,并且该组件在缓存修剪过程中始终是安全的,即不会被修剪。

看下面的图更加直观,图片来源一篇讲keepAlive 缓存优化的文章

4、如何添加到 vue devtools 组件树上

sharedContext.activate = (vnode, container, anchor) => {
  // instance 是子组件实例
  const instance = vnode.component!
  // ...
  // dev环境下设置, 自己模拟写的
  devtools.emit(&#39;component:added&#39;, instance.appContext.app, instance.uid, instance.parent ? instance.parent.uid: undefined, instance)
  // 官方添加
  if (__DEV__ || __FEATURE_PROD_DEVTOOLS__) {
    // Update components tree
    devtoolsComponentAdded(instance)
  }
}
// 同理 sharedContext.deactivates 上也要添加,不然不会显示在组件树上

5、缓存的子组件 props 更新处理

当子组件有 prop 更新时是需要重新去 patch 的,所以在 activate 的时候需要重新执行 patch 进行子组件更新

sharedContext.activate = (vnode, container, anchor) => {
  // ...
  // props 改变需要重新 patch(update)
  patch(
    instance.vnode,
    vnode,
    container,
    anchor,
    instance,
    parentSuspense,
    isSVG,
    vnode.slotScopeIds,
    optimized
  )
}

(学习视频分享:web前端开发编程基础视频

The above is the detailed content of An article to talk about the KeepAlive component in Vue. For more information, please follow other related articles on the PHP Chinese website!

Statement
This article is reproduced at:掘金社区. If there is any infringement, please contact admin@php.cn delete
5个常见的JavaScript内存错误5个常见的JavaScript内存错误Aug 25, 2022 am 10:27 AM

JavaScript 不提供任何内存管理操作。相反,内存由 JavaScript VM 通过内存回收过程管理,该过程称为垃圾收集。

实战:vscode中开发一个支持vue文件跳转到定义的插件实战:vscode中开发一个支持vue文件跳转到定义的插件Nov 16, 2022 pm 08:43 PM

vscode自身是支持vue文件组件跳转到定义的,但是支持的力度是非常弱的。我们在vue-cli的配置的下,可以写很多灵活的用法,这样可以提升我们的生产效率。但是正是这些灵活的写法,导致了vscode自身提供的功能无法支持跳转到文件定义。为了兼容这些灵活的写法,提高工作效率,所以写了一个vscode支持vue文件跳转到定义的插件。

巧用CSS实现各种奇形怪状按钮(附代码)巧用CSS实现各种奇形怪状按钮(附代码)Jul 19, 2022 am 11:28 AM

本篇文章带大家看看怎么使用 CSS 轻松实现高频出现的各类奇形怪状按钮,希望对大家有所帮助!

Node.js 19正式发布,聊聊它的 6 大特性!Node.js 19正式发布,聊聊它的 6 大特性!Nov 16, 2022 pm 08:34 PM

Node 19已正式发布,下面本篇文章就来带大家详解了解一下Node.js 19的 6 大特性,希望对大家有所帮助!

浅析Vue3动态组件怎么进行异常处理浅析Vue3动态组件怎么进行异常处理Dec 02, 2022 pm 09:11 PM

Vue3动态组件怎么进行异常处理?下面本篇文章带大家聊聊Vue3 动态组件异常处理的方法,希望对大家有所帮助!

聊聊如何选择一个最好的Node.js Docker镜像?聊聊如何选择一个最好的Node.js Docker镜像?Dec 13, 2022 pm 08:00 PM

选择一个Node​的Docker镜像看起来像是一件小事,但是镜像的大小和潜在漏洞可能会对你的CI/CD流程和安全造成重大的影响。那我们如何选择一个最好Node.js Docker镜像呢?

聊聊Node.js中的 GC (垃圾回收)机制聊聊Node.js中的 GC (垃圾回收)机制Nov 29, 2022 pm 08:44 PM

Node.js 是如何做 GC (垃圾回收)的?下面本篇文章就来带大家了解一下。

【6大类】实用的前端处理文件的工具库,快来收藏吧!【6大类】实用的前端处理文件的工具库,快来收藏吧!Jul 15, 2022 pm 02:58 PM

本篇文章给大家整理和分享几个前端文件处理相关的实用工具库,共分成6大类一一介绍给大家,希望对大家有所帮助。

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Tools

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

MantisBT

MantisBT

Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.