<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
前言:
Vue自定義指令有全域性註冊和區域性註冊兩種方式。先來看看註冊全域性指令的方式,通過 Vue.directive( id, [definition] ) 方式註冊全域性指令。然後在入口檔案中進行 Vue.use() 呼叫。
在 Vue,除了核心功能預設內建的指令 ( v-model 和 v-show ),Vue 也允許註冊自定義指令。它的作用價值在於當開發人員在某些
import copy from './copy' import longpress from './longpress' // 自定義指令 const directives = { copy, longpress, } export default { install(Vue) { Object.keys(directives).forEach((key) => { Vue.directive(key, directives[key]) }) }, }
場景下需要對普通 DOM 元素進行操作。
Vue自定義指令有全域性註冊和區域性註冊兩種方式。先來看看註冊全域性指令的方式,通過 Vue.directive( id, [definition] ) 方式註冊全域性指令。然後在入口檔案中進行 Vue.use() 呼叫。
批次註冊指令,新建 directives/index.js
檔案
在 main.js 引入並呼叫:
import Vue from 'vue' import Directives from './JS/directives' Vue.use(Directives)
指令定義函數提供了幾個勾點函數(可選):
bind:
只呼叫一次,指令第一次繫結到元素時呼叫,可以定義一個在繫結時執行一次的初始化動作。
inserted:
被繫結元素插入父節點時呼叫(父節點存在即可呼叫,不必存在於 document 中)。
update:
被繫結元素所在的模板更新時呼叫,而不論繫結值是否變化。通過比較更新前後的繫結值。
componentUpdated:
被繫結元素所在模板完成一次更新週期時呼叫。
unbind:
只呼叫一次, 指令與元素解綁時呼叫。
下面分享幾個實用的 Vue 自定義指令:
需求:實現一鍵複製文字內容,用於滑鼠右鍵貼上。
思路:
textarea
標籤,並設定 readOnly 屬性及移出可視區域textarea
標籤的 value 屬性,並插入到 bodyconst copy = { bind(el, { value }) { el.$value = value el.handler = () => { if (!el.$value) { // 值為空的時候,給出提示。可根據專案UI仔細設計 console.log('無複製內容') return } // 動態建立 textarea 標籤 const textarea = document.createElement('textarea') // 將該 textarea 設為 readonly 防止 iOS 下自動喚起鍵盤,同時將 textarea 移出可視區域 textarea.readOnly = 'readonly' textarea.style.position = 'absolute' textarea.style.left = '-9999px' // 將要 copy 的值賦給 textarea 標籤的 value 屬性 textarea.value = el.$value // 將 textarea 插入到 body 中 document.body.appendChild(textarea) // 選中值並複製 textarea.select() const result = document.execCommand('Copy') if (result) { console.log('複製成功') // 可根據專案UI仔細設計 } document.body.removeChild(textarea) } // 繫結點選事件,就是所謂的一鍵 copy 啦 el.addEventListener('click', el.handler) }, // 當傳進來的值更新的時候觸發 componentUpdated(el, { value }) { el.$value = value }, // 指令與元素解綁的時候,移除事件繫結 unbind(el) { el.removeEventListener('click', el.handler) }, } export default copy
使用:給 Dom 加上v-copy
複製文字即可
<template> <button v-copy="copyText">複製</button> </template> <script> export default { data() { return { copyText: 'a copy directives', } }, } </script>
需求:實現長按,使用者需要按下並按住按鈕幾秒鐘,觸發相應的事件
思路:
mousedown
事件,啟動計時器;使用者鬆開按鈕時呼叫 mouseout 事件。const longpress = { bind: function (el, binding, vNode) { if (typeof binding.value !== 'function') { throw 'callback must be a function' } // 定義變數 let pressTimer = null // 建立計時器( 2秒後執行函數 ) let start = (e) => { if (e.type === 'click' && e.button !== 0) { return } if (pressTimer === null) { pressTimer = setTimeout(() => { handler() }, 2000) } } // 取消計時器 let cancel = (e) => { if (pressTimer !== null) { clearTimeout(pressTimer) pressTimer = null } } // 執行函數 const handler = (e) => { binding.value(e) } // 新增事件監聽器 el.addEventListener('mousedown', start) el.addEventListener('touchstart', start) // 取消計時器 el.addEventListener('click', cancel) el.addEventListener('mouseout', cancel) el.addEventListener('touchend', cancel) el.addEventListener('touchcancel', cancel) }, // 當傳進來的值更新的時候觸發 componentUpdated(el, { value }) { el.$value = value }, // 指令與元素解綁的時候,移除事件繫結 unbind(el) { el.removeEventListener('click', el.handler) }, } export default longpress
使用:給 Dom 加上 v-longpress
回撥函數即可
<template> <button v-longpress="longpress">長按</button> </template> <script> export default { methods: { longpress () { alert('長按指令生效') } } } </script>
背景:在開發中,有些提交儲存按鈕有時候會在短時間內被點選多次,這樣就會多次重複請求後端介面,造成資料的混亂,比如新增表單的提交按鈕,多次點選就會新增多條重複的資料。
需求:防止按鈕在短時間內被多次點選,使用防抖函數限制規定時間內只能點選一次。
思路:
const debounce = { inserted: function (el, binding) { let timer el.addEventListener('keyup', () => { if (timer) { clearTimeout(timer) } timer = setTimeout(() => { binding.value() }, 1000) }) }, } export default debounce
使用:給 Dom
加上v-debounce
回撥函數即可
<template> <button v-debounce="debounceClick">防抖</button> </template> <script> export default { methods: { debounceClick () { console.log('只觸發一次') } } } </script>
背景:開發中遇到的表單輸入,往往會有對輸入內容的限制,比如不能輸入表情和特殊字元,只能輸入數位或字母等。
我們常規方法是在每一個表單的on-change
事件上做處理。
<template> <input type="text" v-model="note" @change="vaidateEmoji" /> </template> <script> export default { methods: { vaidateEmoji() { var reg = /[^u4E00-u9FA5|d|a-zA-Z|rns,.?!,。?!…—&$=()-+/*{}[]]|s/g this.note = this.note.replace(reg, '') }, }, } </script>
這樣程式碼量比較大而且不好維護,所以我們需要自定義一個指令來解決這問題。
需求:根據正規表示式,設計自定義處理表單輸入規則的指令,下面以禁止輸入表情和特殊字元為例。
let findEle = (parent, type) => { return parent.tagName.toLowerCase() === type ? parent : parent.querySelector(type) } const trigger = (el, type) => { const e = document.createEvent('HTMLEvents') e.initEvent(type, true, true) el.dispatchEvent(e) } const emoji = { bind: function (el, binding, vnode) { // 正則規則可根據需求自定義 var regRule = /[^u4E00-u9FA5|d|a-zA-Z|rns,.?!,。?!…—&$=()-+/*{}[]]|s/g let $inp = findEle(el, 'input') el.$inp = $inp $inp.handle = function () { let val = $inp.value $inp.value = val.replace(regRule, '') trigger($inp, 'input') } $inp.addEventListener('keyup', $inp.handle) }, unbind: function (el) { el.$inp.removeEventListener('keyup', el.$inp.handle) }, } export default emoji
使用:將需要校驗的輸入框加上 v-emoji 即可
<template> <input type="text" v-model="note" v-emoji /> </template>
背景:在類電商類專案,往往存在大量的圖片,如 banner 廣告圖,選單導航圖,美團等商家列表頭圖等。圖片眾多以及圖片體積過大往往會影響頁面載入速度,造成不良的使用者體驗,所以進行圖片懶載入優化勢在必行。
需求:實現一個圖片懶載入指令,只載入瀏覽器可見區域的圖片。
思路:
如果到了就設定圖片的 src 屬性,否則顯示預設圖片
圖片懶載入有兩種方式可以實現,一是繫結 srcoll 事件進行監聽,二是使用 IntersectionObserver 判斷圖片是否到了可視區域,但是有瀏覽器相容性問題。
下面封裝一個懶載入指令相容兩種方法,判斷瀏覽器是否支援 IntersectionObserver API,如果支援就使用 IntersectionObserver 實現懶載入,否則則使用 srcoll 事件監聽 + 節流的方法實現。
const LazyLoad = { // install方法 install(Vue, options) { const defaultSrc = options.default Vue.directive('lazy', { bind(el, binding) { LazyLoad.init(el, binding.value, defaultSrc) }, inserted(el) { if (IntersectionObserver) { LazyLoad.observe(el) } else { LazyLoad.listenerScroll(el) } }, }) }, // 初始化 init(el, val, def) { el.setAttribute('data-src', val) el.setAttribute('src', def) }, // 利用IntersectionObserver監聽el observe(el) { var io = new IntersectionObserver((entries) => { const realSrc = el.dataset.src if (entries[0].isIntersecting) { if (realSrc) { el.src = realSrc el.removeAttribute('data-src') } } }) io.observe(el) }, // 監聽scroll事件 listenerScroll(el) { const handler = LazyLoad.throttle(LazyLoad.load, 300) LazyLoad.load(el) window.addEventListener('scroll', () => { handler(el) }) }, // 載入真實圖片 load(el) { const windowHeight = document.documentElement.clientHeight const elTop = el.getBoundingClientRect().top const elBtm = el.getBoundingClientRect().bottom const realSrc = el.dataset.src if (elTop - windowHeight < 0 && elBtm > 0) { if (realSrc) { el.src = realSrc el.removeAttribute('data-src') } } }, // 節流 throttle(fn, delay) { let timer let prevTime return function (...args) { const currTime = Date.now() const context = this if (!prevTime) prevTime = currTime clearTimeout(timer) if (currTime - prevTime > delay) { prevTime = currTime fn.apply(context, args) clearTimeout(timer) return } timer = setTimeout(function () { prevTime = Date.now() timer = null fn.apply(context, args) }, delay) } }, } export default LazyLoad
使用:將元件內 標籤的 src 換成v-LazyLoad
<img v-LazyLoad="xxx.jpg" />
背景:在一些後臺管理系統,我們可能需要根據使用者角色進行一些操作許可權的判斷,很多時候我們都是粗暴地給一個元素新增 v-if / v-show 來進行顯示隱藏,但如果判斷條件繁瑣且多個地方需要判斷,這種方式的程式碼不僅不優雅而且冗餘。針對這種情況,我們可以通過全域性自定義指令來處理。
需求:自定義一個許可權指令,對需要許可權判斷的 Dom 進行顯示隱藏。
思路:
function checkArray(key) { let arr = ['1', '2', '3', '4'] let index = arr.indexOf(key) if (index > -1) { return true // 有許可權 } else { return false // 無許可權 } } const permission = { inserted: function (el, binding) { let permission = binding.value // 獲取到 v-permission的值 if (permission) { let hasPermission = checkArray(permission) if (!hasPermission) { // 沒有許可權 移除Dom元素 el.parentNode && el.parentNode.removeChild(el) } } }, } export default permission
使用:給v-permission
賦值判斷即可
<div class="btns"> <!-- 顯示 --> <button v-permission="'1'">許可權按鈕1</button> <!-- 不顯示 --> <button v-permission="'10'">許可權按鈕2</button> </div>
需求:給整個頁面新增背景水印
思路:
function addWaterMarker(str, parentNode, font, textColor) { // 水印文字,父元素,字型,文字顏色 var can = document.createElement('canvas') parentNode.appendChild(can) can.width = 200 can.height = 150 can.style.display = 'none' var cans = can.getContext('2d') cans.rotate((-20 * Math.PI) / 180) cans.font = font || '16px Microsoft JhengHei' cans.fillStyle = textColor || 'rgba(180, 180, 180, 0.3)' cans.textAlign = 'left' cans.textBaseline = 'Middle' cans.fillText(str, can.width / 10, can.height / 2) parentNode.style.backgroundImage = 'url(' + can.toDataURL('image/png') + ')' } const waterMarker = { bind: function (el, binding) { addWaterMarker(binding.value.text, el, binding.value.font, binding.value.textColor) }, } export default waterMarker
使用,設定水印文案,顏色,字型大小即可
<template> <div v-waterMarker="{text:'lzg版權所有',textColor:'rgba(180, 180, 180, 0.4)'}"></div> </template>
需求:實現一個拖拽指令,可在頁面可視區域任意拖拽元素。
思路:
onmousedown
)時記錄目標元素當前的 left 和 top 值。onmousemove
)時計算每次移動的橫向距離和縱向距離的變化值,並改變元素的 left 和 top 值onmouseup
)時完成一次拖拽const draggable = { inserted: function (el) { el.style.cursor = 'move' el.onmousedown = function (e) { let disx = e.pageX - el.offsetLeft let disy = e.pageY - el.offsetTop document.onmousemove = function (e) { let x = e.pageX - disx let y = e.pageY - disy let maxX = document.body.clientWidth - parseInt(window.getComputedStyle(el).width) let maxY = document.body.clientHeight - parseInt(window.getComputedStyle(el).height) if (x < 0) { x = 0 } else if (x > maxX) { x = maxX } if (y < 0) { y = 0 } else if (y > maxY) { y = maxY } el.style.left = x + 'px' el.style.top = y + 'px' } document.onmouseup = function () { document.onmousemove = document.onmouseup = null } } }, } export default draggable
使用: 在 Dom 上加上v-draggable
即可
<template> <div class="el-dialog" v-draggable></div> </template>
到此這篇關於Vue 非常實用的自定義指令分享的文章就介紹到這了,更多相關Vue 非常實用的自定義指令內容請搜尋it145.com以前的文章或繼續瀏覽下面的相關文章希望大家以後多多支援it145.com!
相關文章
<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
综合看Anker超能充系列的性价比很高,并且与不仅和iPhone12/苹果<em>Mac</em>Book很配,而且适合多设备充电需求的日常使用或差旅场景,不管是安卓还是Switch同样也能用得上它,希望这次分享能给准备购入充电器的小伙伴们有所
2021-06-01 09:31:42
除了L4WUDU与吴亦凡已经多次共事,成为了明面上的厂牌成员,吴亦凡还曾带领20XXCLUB全队参加2020年的一场音乐节,这也是20XXCLUB首次全员合照,王嗣尧Turbo、陈彦希Regi、<em>Mac</em> Ova Seas、林渝植等人全部出场。然而让
2021-06-01 09:31:34
目前应用IPFS的机构:1 谷歌<em>浏览器</em>支持IPFS分布式协议 2 万维网 (历史档案博物馆)数据库 3 火狐<em>浏览器</em>支持 IPFS分布式协议 4 EOS 等数字货币数据存储 5 美国国会图书馆,历史资料永久保存在 IPFS 6 加
2021-06-01 09:31:24
开拓者的车机是兼容苹果和<em>安卓</em>,虽然我不怎么用,但确实兼顾了我家人的很多需求:副驾的门板还配有解锁开关,有的时候老婆开车,下车的时候偶尔会忘记解锁,我在副驾驶可以自己开门:第二排设计很好,不仅配置了一个很大的
2021-06-01 09:30:48
不仅是<em>安卓</em>手机,苹果手机的降价力度也是前所未有了,iPhone12也“跳水价”了,发布价是6799元,如今已经跌至5308元,降价幅度超过1400元,最新定价确认了。iPhone12是苹果首款5G手机,同时也是全球首款5nm芯片的智能机,它
2021-06-01 09:30:45