溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點(diǎn)擊 登錄注冊 即表示同意《億速云用戶服務(wù)條款》

有哪些ES6方法用來解決實(shí)際開發(fā)的JS問題

發(fā)布時(shí)間:2021-10-19 16:57:42 來源:億速云 閱讀:147 作者:iii 欄目:web開發(fā)

這篇文章主要介紹“有哪些ES6方法用來解決實(shí)際開發(fā)的JS問題”,在日常操作中,相信很多人在有哪些ES6方法用來解決實(shí)際開發(fā)的JS問題問題上存在疑惑,小編查閱了各式資料,整理出簡單好用的操作方法,希望對大家解答”有哪些ES6方法用來解決實(shí)際開發(fā)的JS問題”的疑惑有所幫助!接下來,請跟著小編一起來學(xué)習(xí)吧!

1.如何隱藏所有指定的元素

const hide = (...el) => [...el].forEach(e => (e.style.display = 'none'))  // 事例:隱藏頁面上所有`<img>`元素? hide(document.querySelectorAll('img'))

2.如何檢查元素是否具有指定的類?

頁面DOM里的每個(gè)節(jié)點(diǎn)上都有一個(gè)classList對象,程序員可以使用里面的方法新增、刪除、修改節(jié)點(diǎn)上的CSS類。使用classList,程序員還可以用它來判斷某個(gè)節(jié)點(diǎn)是否被賦予了某個(gè)CSS類。

const hasClass = (el, className) => el.classList.contains(className)  // 事例 hasClass(document.querySelector('p.special'), 'special') // true

3.如何切換一個(gè)元素的類?

const toggleClass = (el, className) => el.classList.toggle(className)  // 事例 移除 p 具有類`special`的 special 類 toggleClass(document.querySelector('p.special'), 'special')

4.如何獲取當(dāng)前頁面的滾動(dòng)位置?

const getScrollPosition = (el = window) => ({   x: el.pageXOffset !== undefined ? el.pageXOffset : el.scrollLeft,   y: el.pageYOffset !== undefined ? el.pageYOffset : el.scrollTop });  // 事例 getScrollPosition(); // {x: 0, y: 200}

5.如何平滑滾動(dòng)到頁面頂部

const scrollToTop = () => {   const c = document.documentElement.scrollTop || document.body.scrollTop;   if (c > 0) {     window.requestAnimationFrame(scrollToTop);     window.scrollTo(0, c - c / 8);   } }  // 事例 scrollToTop()

window.requestAnimationFrame()  告訴瀏覽器&mdash;&mdash;你希望執(zhí)行一個(gè)動(dòng)畫,并且要求瀏覽器在下次重繪之前調(diào)用指定的回調(diào)函數(shù)更新動(dòng)畫。該方法需要傳入一個(gè)回調(diào)函數(shù)作為參數(shù),該回調(diào)函數(shù)會(huì)在瀏覽器下一次重繪之前執(zhí)行。

requestAnimationFrame:優(yōu)勢:由系統(tǒng)決定回調(diào)函數(shù)的執(zhí)行時(shí)機(jī)。60Hz的刷新頻率,那么每次刷新的間隔中會(huì)執(zhí)行一次回調(diào)函數(shù),不會(huì)引起丟幀,不會(huì)卡頓。

6.如何檢查父元素是否包含子元素?

const elementContains = (parent, child) => parent !== child && parent.contains(child);  // 事例 elementContains(document.querySelector('head'), document.querySelector('title'));  // true elementContains(document.querySelector('body'), document.querySelector('body'));  // false

7.如何檢查指定的元素在視口中是否可見?

const elementIsVisibleInViewport = (el, partiallyVisible = false) => {   const { top, left, bottom, right } = el.getBoundingClientRect();   const { innerHeight, innerWidth } = window;   return partiallyVisible     ? ((top > 0 && top < innerHeight) || (bottom > 0 && bottom < innerHeight)) &&         ((left > 0 && left < innerWidth) || (right > 0 && right < innerWidth))     : top >= 0 && left >= 0 && bottom <= innerHeight && right <= innerWidth; };  // 事例 elementIsVisibleInViewport(el); // 需要左右可見 elementIsVisibleInViewport(el, true); // 需要全屏(上下左右)可以見

8.如何獲取元素中的所有圖像?

const getImages = (el, includeDuplicates = false) => {   const images = [...el.getElementsByTagName('img')].map(img => img.getAttribute('src'));   return includeDuplicates ? images : [...new Set(images)]; };  // 事例:includeDuplicates 為 true 表示需要排除重復(fù)元素 getImages(document, true); // ['image1.jpg', 'image2.png', 'image1.png', '...'] getImages(document, false); // ['image1.jpg', 'image2.png', '...']

9.如何確定設(shè)備是移動(dòng)設(shè)備還是臺式機(jī)/筆記本電腦?

  /Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent)     ? 'Mobile'     : 'Desktop';  // 事例 detectDeviceType(); // "Mobile" or "Desktop"

10.How to get the current URL?

const currentURL = () => window.location.href  // 事例 currentURL() // 'https://google.com'

11.如何創(chuàng)建一個(gè)包含當(dāng)前URL參數(shù)的對象?

const getURLParameters = url =>   (url.match(/([^?=&]+)(=([^&]*))/g) || []).reduce(     (a, v) => ((a[v.slice(0, v.indexOf('='))] = v.slice(v.indexOf('=') + 1)), a),     {}   );  // 事例 getURLParameters('http://url.com/page?n=Adam&s=Smith'); // {n: 'Adam', s: 'Smith'} getURLParameters('google.com'); // {}

12.如何將一組表單元素轉(zhuǎn)化為對象?

const formToObject = form =>   Array.from(new FormData(form)).reduce(     (acc, [key, value]) => ({       ...acc,       [key]: value     }),     {}   );  // 事例 formToObject(document.querySelector('#form'));  // { email: 'test@email.com', name: 'Test Name' }

13.如何從對象檢索給定選擇器指示的一組屬性?

const get = (from, ...selectors) =>   [...selectors].map(s =>     s       .replace(/\[([^\[\]]*)\]/g, '.$1.')       .split('.')       .filter(t => t !== '')       .reduce((prev, cur) => prev && prev[cur], from)   ); const obj = { selector: { to: { val: 'val to select' } }, target: [1, 2, { a: 'test' }] };  // Example get(obj, 'selector.to.val', 'target[0]', 'target[2].a');  // ['val to select', 1, 'test']

14.如何在等待指定時(shí)間后調(diào)用提供的函數(shù)?

const delay = (fn, wait, ...args) => setTimeout(fn, wait, ...args); delay(   function(text) {     console.log(text);   },   1000,   'later' );   // 1秒后打印 'later'

15.如何在給定元素上觸發(fā)特定事件且能選擇地傳遞自定義數(shù)據(jù)?

const triggerEvent = (el, eventType, detail) =>   el.dispatchEvent(new CustomEvent(eventType, { detail }));  // 事例 triggerEvent(document.getElementById('myId'), 'click'); triggerEvent(document.getElementById('myId'), 'click', { username: 'bob' });

自定義事件的函數(shù)有 Event、CustomEvent 和 dispatchEvent

// 向 window派發(fā)一個(gè)resize內(nèi)置事件 window.dispatchEvent(new Event('resize'))   // 直接自定義事件,使用 Event 構(gòu)造函數(shù): var event = new Event('build'); var elem = document.querySelector('#id') // 監(jiān)聽事件 elem.addEventListener('build', function (e) { ... }, false); // 觸發(fā)事件. elem.dispatchEvent(event);

CustomEvent 可以創(chuàng)建一個(gè)更高度自定義事件,還可以附帶一些數(shù)據(jù),具體用法如下:

var myEvent = new CustomEvent(eventname, options); 其中 options 可以是: {   detail: {     ...   },   bubbles: true,    //是否冒泡   cancelable: false //是否取消默認(rèn)事件 }

其中 detail 可以存放一些初始化的信息,可以在觸發(fā)的時(shí)候調(diào)用。其他屬性就是定義該事件是否具有冒泡等等功能。

內(nèi)置的事件會(huì)由瀏覽器根據(jù)某些操作進(jìn)行觸發(fā),自定義的事件就需要人工觸發(fā)。

dispatchEvent 函數(shù)就是用來觸發(fā)某個(gè)事件:

element.dispatchEvent(customEvent);

上面代碼表示,在 element 上面觸發(fā) customEvent 這個(gè)事件。

// add an appropriate event listener obj.addEventListener("cat", function(e) { process(e.detail) });  // create and dispatch the event var event = new CustomEvent("cat", {"detail":{"hazcheeseburger":true}}); obj.dispatchEvent(event); 使用自定義事件需要注意兼容性問題,而使用 jQuery 就簡單多了:  // 綁定自定義事件 $(element).on('myCustomEvent', function(){});  // 觸發(fā)事件 $(element).trigger('myCustomEvent'); // 此外,你還可以在觸發(fā)自定義事件時(shí)傳遞更多參數(shù)信息:  $( "p" ).on( "myCustomEvent", function( event, myName ) {   $( this ).text( myName + ", hi there!" ); }); $( "button" ).click(function () {   $( "p" ).trigger( "myCustomEvent", [ "John" ] ); });

16.如何從元素中移除事件監(jiān)聽器?

const off = (el, evt, fn, opts = false) => el.removeEventListener(evt, fn, opts);  const fn = () => console.log('!'); document.body.addEventListener('click', fn); off(document.body, 'click', fn);

17.如何獲得給定毫秒數(shù)的可讀格式?

const formatDuration = ms => {   if (ms < 0) ms = -ms;   const time = {     day: Math.floor(ms / 86400000),     hour: Math.floor(ms / 3600000) % 24,     minute: Math.floor(ms / 60000) % 60,     second: Math.floor(ms / 1000) % 60,     millisecond: Math.floor(ms) % 1000   };   return Object.entries(time)     .filter(val => val[1] !== 0)     .map(([key, val]) => `${val} ${key}${val !== 1 ? 's' : ''}`)     .join(', '); };  // 事例 formatDuration(1001); // '1 second, 1 millisecond' formatDuration(34325055574);  // '397 days, 6 hours, 44 minutes, 15 seconds, 574 milliseconds'

18.如何獲得兩個(gè)日期之間的差異(以天為單位)?

const getDaysDiffBetweenDates = (dateInitial, dateFinal) =>   (dateFinal - dateInitial) / (1000 * 3600 * 24);  // 事例 getDaysDiffBetweenDates(new Date('2017-12-13'), new Date('2017-12-22')); // 9

&uml;K45K &uml;G21G

20.如何對傳遞的URL發(fā)出POST請求?

const httpPost = (url, data, callback, err = console.error) => {   const request = new XMLHttpRequest();   request.open('POST', url, true);   request.setRequestHeader('Content-type', 'application/json; charset=utf-8');   request.onload = () => callback(request.responseText);   request.onerror = () => err(request);   request.send(data); };  const newPost = {   userId: 1,   id: 1337,   title: 'Foo',   body: 'bar bar bar' }; const data = JSON.stringify(newPost); httpPost(   'https://jsonplaceholder.typicode.com/posts',   data,   console.log );   // {"userId": 1, "id": 1337, "title": "Foo", "body": "bar bar bar"}

21.如何為指定選擇器創(chuàng)建具有指定范圍,步長和持續(xù)時(shí)間的計(jì)數(shù)器?

const counter = (selector, start, end, step = 1, duration = 2000) => {   let current = start,     _step = (end - start) * step < 0 ? -step : step,     timer = setInterval(() => {       current += _step;       document.querySelector(selector).innerHTML = current;       if (current >= end) document.querySelector(selector).innerHTML = end;       if (current >= end) clearInterval(timer);     }, Math.abs(Math.floor(duration / (end - start))));   return timer; };  // 事例 counter('#my-id', 1, 1000, 5, 2000);  // 讓 `id=“my-id”`的元素創(chuàng)建一個(gè)2秒計(jì)時(shí)器

22.如何將字符串復(fù)制到剪貼板?

const copyToClipboard = str => {   const el = document.createElement('textarea');   el.value = str;   el.setAttribute('readonly', '');   el.style.position = 'absolute';   el.style.left = '-9999px';   document.body.appendChild(el);   const selected =     document.getSelection().rangeCount > 0 ? document.getSelection().getRangeAt(0) : false;   el.select();   document.execCommand('copy');   document.body.removeChild(el);   if (selected) {     document.getSelection().removeAllRanges();     document.getSelection().addRange(selected);   } };  // 事例 copyToClipboard('Lorem ipsum');  // 'Lorem ipsum' copied to clipboard

23.如何確定頁面的瀏覽器選項(xiàng)卡是否聚焦?

const isBrowserTabFocused = () => !document.hidden;  // 事例 isBrowserTabFocused(); // true

24.如何創(chuàng)建目錄(如果不存在)?

const fs = require('fs'); const createDirIfNotExists = dir => (!fs.existsSync(dir) ? fs.mkdirSync(dir) : undefined);  // 事例 createDirIfNotExists('test');

到此,關(guān)于“有哪些ES6方法用來解決實(shí)際開發(fā)的JS問題”的學(xué)習(xí)就結(jié)束了,希望能夠解決大家的疑惑。理論與實(shí)踐的搭配能更好的幫助大家學(xué)習(xí),快去試試吧!若想繼續(xù)學(xué)習(xí)更多相關(guān)知識,請繼續(xù)關(guān)注億速云網(wǎng)站,小編會(huì)繼續(xù)努力為大家?guī)砀鄬?shí)用的文章!

向AI問一下細(xì)節(jié)

免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點(diǎn)不代表本網(wǎng)站立場,如果涉及侵權(quán)請聯(lián)系站長郵箱:is@yisu.com進(jìn)行舉報(bào),并提供相關(guān)證據(jù),一經(jīng)查實(shí),將立刻刪除涉嫌侵權(quán)內(nèi)容。

js
AI