【适合收藏】为了多点时间陪女朋友,我向BAT大佬跪求了这15条JS技巧

陈大鱼头 ... 2021-8-3 Js
  • 前端
  • Api
  • Js
About 4 min

为了减少加班,从而挤出更多的时间来陪女朋友,我就厚着脸皮向一些BAT大佬求来了这15条JS技巧,现在分享给大家,千万别错过。

# 正文

# 返回日期数列里与目标数列最近的日期下标

const getNearestDateIndex = (targetDate, dates) => {
    if (!targetDate || !dates) {
        throw new Error('Argument(s) is illegal !')
    }
    if (!dates.length) {
        return -1
    }
    const distances = dates.map(date => Math.abs(date - targetDate))
    return distances.indexOf(Math.min(...distances))
}

// e.g.
const targetDate = new Date(2019, 7, 20)
const dates = [
    new Date(2018, 0, 1),
    new Date(2019, 0, 1),
    new Date(2020, 0, 1),
]
getNearestDateIndex(targetDate, dates) // 2
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19

# 返回日期数列里最小的日期

const getMinDate = dates => {
    if (!dates) {
        throw new Error('Argument(s) is illegal !')
    }
    if (!dates.length) {
        return dates
	}
    return new Date(Math.min.apply(null, dates)).toISOString()
}

// e.g.
const dates = [
    new Date(2018, 3, 10),
    new Date(2019, 3, 10),
    new Date(2020, 3, 10),
]
getMinDate(dates) // 2018-04-09T16:00:00.000Z
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17

# 打乱数组

const arrayShuffle = array => {
    if (!Array.isArray(array)) {
        throw new Error('Argument must be an array')
	}
    let end = array.length
    if (!end) {
        return array
    }
    while (end) {
        let start = Math.floor(Math.random() * end--)
        ;[array[start], array[end]] = [array[end], array[start]]
    }
    return array
}

// e.g.
arrayShuffle([1, 2, 3])
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17

# 判断是否支持webp图片格式

const canUseWebp = () => (document.createElement('canvas').toDataURL('image/webp', 0.5).indexOf('data:image/webp') === 0)

// e.g.
canUseWebp() // 新版的chrome里为true,火狐里为false
1
2
3
4

# 判断是否是url

const isUrl = str => /^(((ht|f)tps?):\/\/)?[\w-]+(\.[\w-]+)+([\w.,@?^=%&:/~+#-]*[\w@?^=%&/~+#-])?$/.test(str)

// e.g.
isUrl('https://www.baidu.com') // true
isUrl('https://www') // false
1
2
3
4
5

# 判断是否是emoji

const isEmoji = str => /(\ud83c[\udf00-\udfff])|(\ud83d[\udc00-\ude4f\ude80-\udeff])|[\u2600-\u2B55]/g.test(str)

// e.g.
isEmoji('🌏') // true
isEmoji('earth') // false
1
2
3
4
5

# 连字符转驼峰

const toCamelCase = (str = '', separator = '-') => {
    if (typeof str !== 'string') {
        throw new Error('Argument must be a string')
    }
    if (str === '') {
        return str
    }
    const newExp = new RegExp('\\-\(\\w\)', 'g')
    return str.replace(newExp, (matched, $1) => {
        return $1.toUpperCase()
    })
}

// e.g.
toCamelCase('hello-world') // helloWorld
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15

# 驼峰转连字符

const fromCamelCase = (str = '', separator = '-') => {
    if (typeof str !== 'string') {
        throw new Error('Argument must be a string')
    }
    if (str === '') {
        return str
    }
    return str.replace(/([A-Z])/g, `${separator}$1`).toLowerCase()
}

// e.g.
fromCamelCase('helloWorld') // hello-world
1
2
3
4
5
6
7
8
9
10
11
12

# 等级判断

const getLevel = (value = 0, ratio = 50, levels = '一二三四五') => {
    if (typeof value !== 'number') {
        throw new Error('Argument must be a number')
    }
    const levelHash = levels.split('')
    const max = levelHash[levelHash.length - 1]
    return levelHash[Math.floor(value / ratio)] || max
}

// e.g.
getLevel1(0) // 一
getLevel1(40) // 一
getLevel(77) // 二
1
2
3
4
5
6
7
8
9
10
11
12
13

# 事件模拟触发

const event = new Event('click')
const body = document.querySelector('body')
body.addEventListener('click', ev => {
    console.log('biu')
}, false)
body.addEventListener('touchmove', ev => {
    body.dispatchEvent(event)
}, false)
// 这时候在移动端下滑动手指的时候就会触发click事件
1
2
3
4
5
6
7
8
9

# 判断dom是否相等

const isEqualNode = (dom1, dom2) => dom1.isEqualNode(dom2)

/*
    <div>这是第一个div</div>
    <div>这是第二个div</div>
    <div>这是第一个div</div>
*/
const [,,,] = document.getElementsByTagName('div')

// e.g.
isEqualNode(,) // false
isEqualNode(,) // true
isEqualNode(,) // false
1
2
3
4
5
6
7
8
9
10
11
12
13

# 多属性双向绑定

/*
    <div id="box" class="box" style="border: 1px solid; width: 100px; height: 100px;"></div>
    <output id="ouput" name="output"></output>
*/

const keys = Object
.values(box.attributes)
.map(({name, value}) => ({name, value}))
const cacheData = {}
const properties = keys.reduce((acc, cur) => {
    const obj = {}
    cacheData[cur.name] = box.attributes[cur.name]
    obj[cur.name] = {
        get() {
            return cacheData[cur.name]
        },
        set(data) {
            output.value = `${cur.name}: ${data}`
            cacheData[cur.name] = data
        }
    }
    return {
        ...acc,
        ...obj
    }
}, {})
Object.defineProperties(box, properties)

// 当我们修改input相应的属性时,output文字就会变成修改的内容
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29

# 获取指定范围内的随机数

const getRandom = (min = 0, max = 100) => {
    if (typeof min !== 'number' || typeof max !== 'number') {
        throw new Error('Argument(s) is illegal !')
	}
    if (min > max) {
        [min, max] = [max, min]
    }
    return Math.floor(Math.random() * (max - min + 1) + min)
}

// e.g.
getRandom(1, 100) // 89
getRandom(1, 100) // 5
1
2
3
4
5
6
7
8
9
10
11
12
13

# 文件尺寸格式化

const formatSize = size => {
    if (typeof +size !== 'number') {
        throw new Error('Argument(s) is illegal !')
	}
    const unitsHash = 'B,KB,MB,GB'.split(',')
    let index = 0
    while (size > 1024 && index < unitsHash.length) {
        size /= 1024
        index++
    }
    return Math.round(size * 100) / 100 + unitsHash[index]
}
formatSize('10240') // 10KB
formatSize('10240000') // 9.77MB
1
2
3
4
5
6
7
8
9
10
11
12
13
14

# 获取数组前/后指定数量元素

const arrayRange = (array, index, distance = '+') => {
    if (!Array.isArray(array) || typeof index !== 'number' || index < 0) {
        throw new TypeError('Argument(s) is illegal');
    }
    return array.slice(0, `${distance}${index}`)
}

arrayRange(['a', 'b', 'c'], 2) // ["a", "b"]
arrayRange(['a', 'b', 'c'], 2, '-') // ["a"]
1
2
3
4
5
6
7
8
9

# 后记

以上15个JS技巧是鱼头辛苦从几位大厂大佬里跪求出来的,希望各位可以好好运用在业务中,减少加班次数。

如果你喜欢探讨技术,或者对本文有任何的意见或建议,非常欢迎加鱼头微信好友一起探讨,当然,鱼头也非常希望能跟你一起聊生活,聊爱好,谈天说地。 鱼头的微信号是:krisChans95 也可以扫码关注公众号,订阅更多精彩内容。 https://bucket.krissarea.com/blog/base/qrcode-all1.png

Last update: June 25, 2023 00:16
Contributors: fish_head , 陈大鱼头