?
今天這篇文章,我想跟大家分享一些我在日常工作中收集整理的一些有用的 JavaScript 技巧,希望這些技巧能夠幫助你提升開發(fā)效率。
01、重新加載當(dāng)前頁面
const reload = () => location.reload();
reload()
02、滾動(dòng)到頁面頂部
如果需要將頁面移至最頂部的話,這個(gè)就非常有用。
const goToTop = () => window.scrollTo(0, 0);
goToTop()
03、元素滾動(dòng)
如果希望將元素平滑地滾動(dòng)到視口的起點(diǎn)
const scrollToTop = (element) =>
element.scrollIntoView({ behavior: "smooth", block: "start" })
scrollToTop(document.body)
如果希望將元素平滑地滾動(dòng)到視口的端點(diǎn)
const scrollToBottom = (element) =>
element.scrollIntoView({ behavior: "smooth", block: "end" })
scrollToBottom(document.body)
04、檢查當(dāng)前瀏覽器是否為Internet Explorer
const isIE = !!document.documentMode;
05、從給定文本中去除 HTML
當(dāng)需要從一段文本中過濾掉所有標(biāo)簽時(shí),以下代碼就非常實(shí)用。
const stripHtml = (html) => new DOMParser().parseFromString(html, 'text/html').body.textContent || '';
stripHtml('<div>test</div>') // 'test'
06、重定向
當(dāng)需要導(dǎo)航到另一個(gè)頁面時(shí)。
const goTo = (url) => (location.href = url);
07、文字粘貼
當(dāng)需要將文本復(fù)制到剪貼板時(shí)
const copy = (text) => navigator.clipboard?.writeText && navigator.clipboard.writeText(text)
copy('你需要粘貼的文本')
功能
08、異步函數(shù)檢查
確定函數(shù)是否異步。
const isAsyncFunction = (v) => Object.prototype.toString.call(v) === '[object AsyncFunction]'
isAsyncFunction(async function () {}); // true
09、截?cái)鄶?shù)
當(dāng)需要截?cái)嘈?shù)點(diǎn)后的某些數(shù)字而不進(jìn)行四舍五入時(shí)。
const toFixed = (n, fixed) => `${n}`.match(new RegExp(`^-?\d+(?:.\d{0,${fixed}})?`))[0]
toFixed(10.255, 2) // 10.25
10、四舍五入到最接近的
當(dāng)需要截?cái)嘈?shù)點(diǎn)后的某些數(shù)字并四舍五入到最接近的數(shù)字時(shí)。
const round = (n, decimals = 0) => Number(`${Math.round(`${n}e${decimals}`)}e-${decimals}`)
round(10.255, 2) // 10.26
11、零填充
當(dāng)需要在數(shù)字“num”開頭用零填充直到達(dá)到“l(fā)en”位時(shí)。
const replenishZero = (num, len, zero = 0) => num.toString().padStart(len, zero)
replenishZero(8, 2) // 08
12、刪除無效屬性
當(dāng)需要?jiǎng)h除對(duì)象中值為空或未定義的所有屬性時(shí)。
const removeNullUndefined = (obj) => Object.entries(obj).reduce((a, [k, v]) => (v == null ? a : ((a[k] = v), a)), {});
removeNullUndefined({name: '', age: undefined, sex: null}) // { name: '' }
13、反轉(zhuǎn)對(duì)象鍵值對(duì)
當(dāng)需要交換對(duì)象的鍵值對(duì)時(shí)。
const invert = (obj) => Object.keys(obj).reduce((res, k) => Object.assign(res, { [obj[k]]: k }), {})
invert({name: 'jack'}) // {jack: 'name'}
14、字符串到對(duì)象
當(dāng)需要將‘{name: “jack”}’這樣的字符串轉(zhuǎn)換為對(duì)象時(shí),直接使用 JSON.parse 會(huì)導(dǎo)致錯(cuò)誤。
const strParse = (str) => JSON.parse(str.replace(/(\w+)\s*:/g, (_, p1) => `"${p1}":`).replace(/\'/g, "\""))
strParse('{name: "jack"}')
日期
15、檢查日期是否是今天
const isToday = (date) => date.toISOString().slice(0, 10) === new Date().toISOString().slice(0, 10)
16、日期轉(zhuǎn)換
當(dāng)需要將日期轉(zhuǎn)換為 YYYY-MM-DD 格式時(shí)。
const formatYmd = (date) => date.toISOString().slice(0, 10);
formatYmd(new Date())
17、第二次轉(zhuǎn)換
當(dāng)需要將秒轉(zhuǎn)換為 hh:mm:ss 格式時(shí)。
const formatSeconds = (s) => new Date(s * 1000).toISOString().substr(11, 8)
formatSeconds(200) // 00:03:20
18、獲取某年某月的第一天
const getFirstDate = (d = new Date()) => new Date(d.getFullYear(), d.getMonth(), 1);
getFirstDate(new Date('2024/05'))
19、獲取某年某月的最后一天
const getLastDate = (d = new Date()) => new Date(d.getFullYear(), d.getMonth() + 1, 0);
getLastDate(new Date('2023/03/04'))
20、獲取給定年份的特定月份的總天數(shù)
const getDaysNum = (year, month) => new Date(year, month, 0).getDate()
const day = getDaysNum(2024, 2) // 29
Array
21、生成數(shù)組
當(dāng)需要生成0到99的數(shù)組時(shí)。
//Method1
const createArr = (n) => Array.from(new Array(n), (v, i) => i)
const arr = createArr(100)
//Method2
const createArr = (n) => new Array(n).fill(0).map((v, i) => i)
createArr(100)
22、隨機(jī)排列數(shù)組
當(dāng)有一個(gè)數(shù)組并且需要打亂其順序時(shí)。
const randomSort = list => list.sort(() => Math.random() - 0.5)
randomSort([0,1,2,3,4,5,6,7,8,9]) // Random permutation result
23、簡單的數(shù)組去重
當(dāng)需要僅保留數(shù)組中每個(gè)重復(fù)元素的一個(gè)實(shí)例時(shí)。
const removeDuplicates = list => [...new Set(list)]
removeDuplicates([0, 0, 2, 4, 5]) // [0,2,4,5]
24、數(shù)組唯一值去重
根據(jù)唯一值對(duì)數(shù)組進(jìn)行重復(fù)數(shù)據(jù)刪除。
const duplicateById = list => [...list.reduce((prev, cur) => prev.set(cur.id, cur), new Map()).values()]
duplicateById([{id: 1, name: 'jack'}, {id: 2, name: 'rose'}, {id: 1, name: 'jack'}])
// [{id: 1, name: 'jack'}, {id: 2, name: 'rose'}]
25、多個(gè)數(shù)組的交集
當(dāng)需要找到多個(gè)數(shù)組的交集時(shí)。
const intersection = (a, ...arr) => [...new Set(a)].filter((v) => arr.every((b) => b.includes(v)))
intersection([1, 2, 3, 4], [2, 3, 4, 7, 8], [1, 3, 4, 9])
// [3, 4]
26、查找最大值索引
當(dāng)需要查找數(shù)組中最大值的索引時(shí)。
const indexOfMax = (arr) => arr.reduce((prev, curr, i, a) => (curr > a[prev] ? i : prev), 0);
indexOfMax([1, 3, 9, 7, 5]); // 2
27、查找最小值索引
當(dāng)需要查找數(shù)組中最小值的索引時(shí)。
const indexOfMin = (arr) => arr.reduce((prev, curr, i, a) => (curr < a[prev] ? i : prev), 0)
indexOfMin([2, 5, 3, 4, 1, 0, 9]) // 5
28、查找最接近的數(shù)值
當(dāng)需要在數(shù)組中查找最接近給定數(shù)字的值時(shí)。
const closest = (arr, n) => arr.reduce((prev, curr) => (Math.abs(curr - n) < Math.abs(prev - n) ? curr : prev))
closest([29, 87, 8, 78, 97, 20, 75, 33, 24, 17], 50) // 33
29、壓縮多個(gè)數(shù)組
當(dāng)需要將多個(gè)數(shù)組壓縮為一個(gè)數(shù)組時(shí)。
const zip = (...arr) => Array.from({ length: Math.max(...arr.map((a) => a.length)) }, (_, i) => arr.map((a) => a[i]))
zip([1,2,3,4], ['a', 'b', 'c', 'd'], ['A', 'B', 'C', 'D'])
// [[1, 'a', 'A'], [2, 'b', 'B'], [3, 'c', 'C'], [4, 'd', 'D']]
30、矩陣行列交換
當(dāng)需要交換矩陣的行和列時(shí)。
const transpose = (matrix) => matrix[0].map((col, i) => matrix.map((row) => row[i]));
transpose(
[ // [
[1, 2, 3], // [1, 4, 7],
[4, 5, 6], // [2, 5, 8],
[7, 8, 9], // [3, 6, 9],
] // ]
);
數(shù)字轉(zhuǎn)換
31、基數(shù)轉(zhuǎn)換
要將基數(shù) 10 轉(zhuǎn)換為基數(shù) n,可以使用 toString(n)
const toDecimal = (num, n = 10) => num.toString(n)
// If the number 10 needs to be converted into binary (base 2)
toDecimal(10, 2) // '1010'
要將基數(shù) n 轉(zhuǎn)換為基數(shù) 10,可以使用 parseInt(num, n)
const toDecimalism = (num, n = 10) => parseInt(num, n)
toDecimalism(1010, 2)
其他的
32、比較兩個(gè)對(duì)象
當(dāng)需要比較兩個(gè)對(duì)象時(shí),JavaScript的相等運(yùn)算符只能判斷對(duì)象地址是否相同。當(dāng)?shù)刂凡煌瑫r(shí),無法判斷兩個(gè)對(duì)象的鍵值對(duì)是否相同。
const isEqual = (...objects) => objects.every(obj => JSON.stringify(obj) === JSON.stringify(objects[0]))
isEqual({name: 'jack'}, {name: 'jack'}) // true
isEqual({name: 'jack'}, {name: 'jack1'}, {name: 'jack'}) // false
33、隨機(jī)顏色生成
當(dāng)需要獲得隨機(jī)顏色時(shí)。
const getRandomColor = () => `#${Math.floor(Math.random() * 0xffffff).toString(16)}`
getRandomColor() // '#4c2fd7'
34、顏色格式轉(zhuǎn)換
當(dāng)需要將十六進(jìn)制顏色轉(zhuǎn)換為RGB時(shí)。
const hexToRgb = hex => hex.replace(/^#?([a-f\d])([a-f\d])([a-f\d])$/i, (_, r, g, b) => `#${r}${r}${g}${g}$$`).substring(1).match(/.{2}/g).map((x) => parseInt(x, 16));
hexToRgb('#00ffff'); // [0, 255, 255]
hexToRgb('#0ff'); // [0, 255, 255]
35、獲取隨機(jī)IP
當(dāng)需要生成IP地址時(shí)。
const randomIp = () =>
Array(4)
.fill(0)
.map((_, i) => Math.floor(Math.random() * 255) + (i === 0 ? 1 : 0))
.join('.');
36、uuid
當(dāng)需要生成ID時(shí)。
const uuid = (a) => (a ? (a ^ ((Math.random() * 16) >> (a / 4))).toString(16) : ([1e7] + -1e3 + -4e3 + -8e3 + -1e11).replace(/[018]/g, uuid))
uuid()
37、獲取cookie
當(dāng)需要將cookie轉(zhuǎn)換為對(duì)象時(shí)。
const getCookie = () => document.cookie
.split(';')
.map((item) => item.split('='))
.reduce((acc, [k, v]) => (acc[k.trim().replace('"', '')] = v) && acc, {})
getCookie()
38、強(qiáng)制等待
當(dāng)需要等待一段時(shí)間,但又不想寫在setTimeout函數(shù)中,造成回調(diào)地獄時(shí)。
const sleep = async (t) => new Promise((resolve) => setTimeout(resolve, t));
sleep(2000).then(() => {console.log('time')});
總結(jié)
以上就是我今天跟你分享的38個(gè)實(shí)用的JavaScript技巧,請(qǐng)收藏好,以備不時(shí)之需,不用每次去翻找了。
最后,感謝你的閱讀,祝變成愉快!
該文章在 2024/10/14 11:07:43 編輯過