7 советов по кодированию ES6

ECMAScript 6
7 советов по кодированию ES6

7 Hacks for ES6 Developers

Following the original JavaScript hacks, вот и новые вкусности.Coding JavaScript in 2018 is actually fun again!

Прием № 1 — Поменять переменные местами

Using Array Destructuring to swap values

let a = 'world', b = 'hello'
[a, b] = [b, a]
console.log(a) // -> hello
console.log(b) // -> world
// Yes, it's magic

Хак № 2  —  Async/Await с деструктурированием

Once again, Array Destructuring is great. Combined with async/awaitИ обещает сделать сложный поток - простым.

const [user, account] = await Promise.all([
  fetch('/user'),
  fetch('/account')
])

Прием № 3  — «Отладка»

For anyone who likes to debug using console.logs, вот что-то потрясающее (и да, я слышал оconsole.table):

const a = 5, b = 6, c = 7
console.log({ a, b, c })
// outputs this nice object:
// {
//    a: 5,
//    b: 6,
//    c: 7
// }

Хитрость № 4 — Один лайнер

Syntax can be so much more compact for array operations

// Find max value
const max = (arr) => Math.max(...arr);
max([123, 321, 32]) // outputs: 321
// Sum array
const sum = (arr) => arr.reduce((a, b) => (a + b), 0)
sum([1, 2, 3, 4]) // output: 10

Прием № 5 — Конкатенация массивов

The spread operator can be used instead of concat:

const one = ['a', 'b', 'c']
const two = ['d', 'e', 'f']
const three = ['g', 'h', 'i']
// Old way #1
const result = one.concat(two, three)
// Old way #2
const result = [].concat(one, two, three)
// New
const result = [...one, ...two, ...three]

Хитрость № 6 — Клонирование

Clone arrays and objects with ease:

const obj = { ...oldObj }
const arr = [ ...oldArr ]

Note: This creates a shallow clone.

Прием № 7  —  Именованные параметры

Making function and function calls more readable with destructuring:

const getStuffNotBad = (id, force, verbose) => {
  ...do stuff
}
const getStuffAwesome = ({ id, name, force, verbose }) => {
  ...do stuff
}
// Somewhere else in the codebase... WTF is true, true?
getStuffNotBad(150, true, true)
// Somewhere else in the codebase... I ❤ JS!!!
getStuffAwesome({ id: 150, force: true, verbose: true })

Already knew them all?

Ты настоящий хакер, давай продолжим разговор оTwitter.