>  기사  >  웹 프론트엔드  >  vue.js 내장 구성 요소의 연결 유지 구성 요소 사용에 대한 자세한 예

vue.js 내장 구성 요소의 연결 유지 구성 요소 사용에 대한 자세한 예

无忌哥哥
无忌哥哥원래의
2018-07-12 14:02:451756검색

keep-alive는 Vue.js에 내장된 구성 요소입니다. 이번 글에서는 주로 vue.js에 내장된 컴포넌트인 keep-alive 컴포넌트의 사용법을 소개합니다. 필요한 친구들이 참고하면 됩니다.

keep-alive는 Vue.js에 내장된 컴포넌트입니다. 7c9485ff8c3cba5ae9343ed63c2dc3f7 동적 구성 요소를 래핑할 때 비활성 구성 요소 인스턴스는 삭제되는 대신 캐시됩니다. DOM 요소 자체를 렌더링하지 않으며 상위 구성 요소 체인에도 나타나지 않습니다. 구성 요소가 7c9485ff8c3cba5ae9343ed63c2dc3f7 내에서 전환되면 활성화 및 비활성화되는 두 가지 수명 주기 후크 기능이 그에 따라 실행됩니다. 구성요소를 조건부로 캐시할 수 있는 포함 및 제외라는 두 가지 속성을 제공합니다.

예를 들어

<keep-alive>
  <router-view v-if="$route.meta.keepAlive"></router-view>
 </keep-alive>
 <router-view v-if="!$route.meta.keepAlive"></router-view>

버튼을 클릭하면 두 입력이 전환되지만 이때 두 입력 상자의 상태는 캐시되며 입력 태그의 내용은 캐시되지 않습니다. 구성 요소를 전환할 때 사라짐으로 인해 변경됩니다.

* 포함 - 문자열 또는 정규식. 일치하는 구성 요소만 캐시됩니다.
* 제외 - 문자열 또는 정규식. 일치하는 구성 요소는 캐시되지 않습니다.

<keep-alive include="a">
 <component></component>
</keep-alive>

이름이 a

<keep-alive exclude="a">
 <component></component>
</keep-alive>

이름이 a인 컴포넌트를 제외하고 다른 모든 컴포넌트는 캐시됩니다.

Life Cycle Hook

Life Hook Keep -alive는 활성화 및 비활성화라는 두 가지 구명 후크를 제공합니다.

Keep-alive는 구성 요소를 메모리에 저장하고 이를 파괴하거나 다시 생성하지 않으므로 구성 요소의 생성 및 기타 메서드를 다시 호출하지 않기 때문에 활성화 및 비활성화의 두 가지 생명 고리를 사용해야 합니다. 현재 구성 요소가 활성 상태인지 확인합니다.

keep-alive 구성요소 구현에 대해 자세히 알아보세요


vue--keep-alive 구성요소 소스 코드를 보고 다음 정보를 얻으세요

생성된 후크는 캐시 개체를 생성합니다. vnode 노드를 저장하는 캐시 컨테이너.

props: {
 include: patternTypes,
 exclude: patternTypes,
 max: [String, Number]
},
created () {
 // 创建缓存对象
 this.cache = Object.create(null)
 // 创建一个key别名数组(组件name)
 this.keys = []
},

destroyed 후크는 구성 요소가 삭제될 때 캐시의 모든 구성 요소 인스턴스를 지웁니다.

destroyed () {
 /* 遍历销毁所有缓存的组件实例*/
 for (const key in this.cache) {
  pruneCacheEntry(this.cache, key, this.keys)
 }
},

:::demo

render () {
 /* 获取插槽 */
 const slot = this.$slots.default
 /* 根据插槽获取第一个组件组件 */
 const vnode: VNode = getFirstComponentChild(slot)
 const componentOptions: ?VNodeComponentOptions = vnode && vnode.componentOptions
 if (componentOptions) {
 // 获取组件的名称(是否设置了组件名称name,没有则返回组件标签名称)
 const name: ?string = getComponentName(componentOptions)
 // 解构对象赋值常量
 const { include, exclude } = this
 if ( /* name不在inlcude中或者在exlude中则直接返回vnode */
  // not included
  (include && (!name || !matches(include, name))) ||
  // excluded
  (exclude && name && matches(exclude, name))
 ) {
  return vnode
 }
 const { cache, keys } = this
 const key: ?string = vnode.key == null
  // same constructor may get registered as different local components
  // so cid alone is not enough (#3269)
  ? componentOptions.Ctor.cid + (componentOptions.tag ? `::${componentOptions.tag}` : &#39;&#39;)
  : vnode.key
 if (cache[key]) { // 判断当前是否有缓存,有则取缓存的实例,无则进行缓存
  vnode.componentInstance = cache[key].componentInstance
  // make current key freshest
  remove(keys, key)
  keys.push(key)
 } else {
  cache[key] = vnode
  keys.push(key)
  // 判断是否设置了最大缓存实例数量,超过则删除最老的数据,
  if (this.max && keys.length > parseInt(this.max)) {
  pruneCacheEntry(cache, keys[0], keys, this._vnode)
  }
 }
 // 给vnode打上缓存标记
 vnode.data.keepAlive = true
 }
 return vnode || (slot && slot[0])
}
// 销毁实例
function pruneCacheEntry (
 cache: VNodeCache,
 key: string,
 keys: Array<string>,
 current?: VNode
) {
 const cached = cache[key]
 if (cached && (!current || cached.tag !== current.tag)) {
 cached.componentInstance.$destroy()
 }
 cache[key] = null
 remove(keys, key)
}
// 缓存
function pruneCache (keepAliveInstance: any, filter: Function) {
 const { cache, keys, _vnode } = keepAliveInstance
 for (const key in cache) {
 const cachedNode: ?VNode = cache[key]
 if (cachedNode) {
  const name: ?string = getComponentName(cachedNode.componentOptions)
  // 组件name 不符合filler条件, 销毁实例,移除cahe
  if (name && !filter(name)) {
  pruneCacheEntry(cache, key, keys, _vnode)
  }
 }
 }
}
// 筛选过滤函数
function matches (pattern: string | RegExp | Array<string>, name: string): boolean {
 if (Array.isArray(pattern)) {
 return pattern.indexOf(name) > -1
 } else if (typeof pattern === &#39;string&#39;) {
 return pattern.split(&#39;,&#39;).indexOf(name) > -1
 } else if (isRegExp(pattern)) {
 return pattern.test(name)
 }
 /* istanbul ignore next */
 return false
}
// 检测 include 和 exclude 数据的变化,实时写入读取缓存或者删除
mounted () {
 this.$watch(&#39;include&#39;, val => {
 pruneCache(this, name => matches(val, name))
 })
 this.$watch(&#39;exclude&#39;, val => {
 pruneCache(this, name => !matches(val, name))
 })
},

:::

Vue 소스 코드를 보면 keep-alive가 기본적으로 include,clude,max 3가지 속성을 전달하는 것을 볼 수 있습니다. , 최대 캐시 길이

소스 코드와 결합하여 구성 가능한 캐시로 라우터 보기를 구현할 수 있습니다

<!--exclude - 字符串或正则表达式。任何匹配的组件都不会被缓存。-->
<!--TODO 匹配首先检查组件自身的 name 选项,如果 name 选项不可用,则匹配它的局部注册名称-->
<keep-alive :exclude="keepAliveConf.value">
 <router-view class="child-view" :key="$route.fullPath"></router-view>
</keep-alive>
<!-- 或者 -->
<keep-alive :include="keepAliveConf.value">
 <router-view class="child-view" :key="$route.fullPath"></router-view>
</keep-alive>
<!-- 具体使用 include 还是exclude 根据项目是否需要缓存的页面数量多少来决定-->

keepAliveConf.js를 만들고 일치해야 하는 구성 요소 이름을 배치합니다

// 路由组件命名集合
 var arr = [&#39;component1&#39;, &#39;component2&#39;];
 export default {value: routeList.join()};

캐시를 재설정하는 전역 메소드 구성

import keepAliveConf from &#39;keepAliveConf.js&#39;
Vue.mixin({
 methods: {
 // 传入需要重置的组件名字
 resetKeepAive(name) {
  const conf = keepAliveConf.value;
  let arr = keepAliveConf.value.split(&#39;,&#39;);
  if (name && typeof name === &#39;string&#39;) {
   let i = arr.indexOf(name);
   if (i > -1) {
    arr.splice(i, 1);
    keepAliveConf.value = arr.join();
    setTimeout(() => {
     keepAliveConf.value = conf
    }, 500);
   }
  }
 },
 }
})

적절한 시점에 this.resetKeepAive(name)를 호출하여 구성 요소 인스턴스를 파괴하기 위해 연결 유지를 트리거합니다.

Vue.js; DOM 노드를 VNode 노드로 추상화하고 -alive 구성 요소의 캐시도 DOM 구조를 직접 저장하는 대신 VNode 노드를 기반으로 합니다. 캐시 개체의 조건을 충족하는 구성 요소를 캐시한 다음 캐시 개체에서 vnode 노드를 꺼내 다시 렌더링해야 할 때 렌더링합니다.

위 내용은 vue.js 내장 구성 요소의 연결 유지 구성 요소 사용에 대한 자세한 예의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.