超實用的 JavaScript 代碼片斷( ES6+ 編寫)

Array 數組

Array concatenation (數組拼接)

使用 Array.concat() ,經過在 args 中附加任何數組 和/或 值來拼接一個數組。css

1 const ArrayConcat = (arr, ...args) => [].concat(arr, ...args); 
2 // ArrayConcat([1], [1, 2, 3, [4]]) -> [1, 2, 3, [4]]

Array difference (數組比較)

根據數組 b 建立一個 Set 對象,而後在數組 a 上使用 Array.filter() 方法,過濾出數組 b 中不包含的值。html

const difference = (a, b) => { const s = new Set(b); return a.filter(x => !s.has(x)); };
// difference([1,2,3], [1,2]) -> [3]

Array includes (數組包含)

使用 slice() 來抵消數組/字符串,而且使用 indexOf() 來檢查是否包含該值。若是省略最後一個參數 fromIndex ,則會檢查整個數組/字符串。node

const includes = (collection, val, fromIndex=0) => collection.slice(fromIndex).indexOf(val) != -1;
// includes("30-seconds-of-code", "code") -> true
// includes([1, 2, 3, 4], [1, 2], 1) -> false

Array intersection (數組交集)

根據數組 b 建立一個 Set 對象,而後在數組 a 上使用 Array.filter() 方法,只保留數組 b 中也包含的值。git

JavaScript 代碼:
const intersection = (a, b) => { const s = new Set(b); return a.filter(x => s.has(x)); };
// intersection([1,2,3], [4,3,2]) -> [2,3]

 

 

Array remove (移除數組中的元素)

使用 Array.filter() 和 Array.reduce() 來查找返回真值的數組元素,使用 Array.splice()來移除元素。 func 有三個參數(value, index, array)。es6

JavaScript 代碼:
 
const remove = (arr, func) =>
  Array.isArray(arr) ? arr.filter(func).reduce((acc, val) => {
    arr.splice(arr.indexOf(val), 1); return acc.concat(val);
    }, [])
  : [];
//remove([1, 2, 3, 4], n => n % 2 == 0) -> [2, 4]

 

Array sample (數組取樣隨,機獲取數組中的1個元素)

使用 Math.random() 生成一個隨機數,乘以 length,並使用 Math.floor() 捨去小數得到到最接近的整數。這個方法也適用於字符串。正則表達式

JavaScript 代碼:
const sample = arr => arr[Math.floor(Math.random() * arr.length)];
// sample([3, 7, 9, 11]) -> 9

 

Array union (數組合集)

用數組 a 和 b 的全部值建立一個 Set 對象,並轉換成一個數組。算法

JavaScript 代碼:
const union = (a, b) => Array.from(new Set([...a, ...b]));
// union([1,2,3], [4,3,2]) -> [1,2,3,4]

 

Array without (從數組中排除給定值)

使用 Array.filter() 建立一個排除全部給定值的數組。express

JavaScript 代碼:
const without = (arr, ...args) => arr.filter(v => args.indexOf(v) === -1);
// without([2, 1, 2, 3], 1, 2) -> [3]
// without([2, 1, 2, 3, 4, 5, 5, 5, 3, 2, 7, 7], 3, 1, 5, 2) -> [ 4, 7, 7 ]

 

Array zip (建立一個分組元素數組)

使用 Math.max.apply() 獲取參數中最長的數組。 建立一個長度爲返回值的數組,並使用 Array.from() 和 map-function 來建立一個分組元素數組。 若是參數數組的長度不一樣,則在未找到值的狀況下使用 undefined 。編程

JavaScript 代碼:
const zip = (...arrays) => {
  const maxLength = Math.max.apply(null, arrays.map(a => a.length));
  return Array.from({length: maxLength}).map((_, i) => {
   return Array.from({length: arrays.length}, (_, k) => arrays[k][i]);
  })
}
//zip(['a', 'b'], [1, 2], [true, false]); -> [['a', 1, true], ['b', 2, false]]
//zip(['a'], [1, 2], [true, false]); -> [['a', 1, true], [undefined, 2, false]]

 

 

Average of array of numbers (求數字數組的平均數)

使用 Array.reduce() 將數組中的每一個值添加到一個累加器,使用 0 初始化,除以數組的 length (長度)。json

JavaScript 代碼:
const average = arr => arr.reduce((acc, val) => acc + val, 0) / arr.length;
// average([1,2,3]) -> 2

 

 

Chunk array (數組分塊)

使用 Array.from() 建立一個新的數組,它的長度與將要生成的 chunk(塊) 數量相匹配。 使用Array.slice() 將新數組的每一個元素映射到長度爲 size 的 chunk 中。 若是原始數組不能均勻分割,最後的 chunk 將包含剩餘的元素。

JavaScript 代碼:
const chunk = (arr, size) =>
  Array.from({length: Math.ceil(arr.length / size)}, (v, i) => arr.slice(i * size, i * size + size));
// chunk([1,2,3,4,5], 2) -> [[1,2],[3,4],[5]]

 

 

 

Compact (過濾掉數組中全部假值元素)

使用 Array.filter() 過濾掉數組中全部 假值元素(falsenull0""undefined, and NaN)。

JavaScript 代碼:
const compact = (arr) => arr.filter(v => v);
// compact([0, 1, false, 2, '', 3, 'a', 'e'*23, NaN, 's', 34]) -> [ 1, 2, 3, 'a', 's', 34 ]

 

 

 

Count occurrences of a value in array (計數數組中某個值的出現次數)

每次遇到數組中的指定值時,使用 Array.reduce() 來遞增計數器。

JavaScript 代碼:
const countOccurrences = (arr, value) => arr.reduce((a, v) => v === value ? a + 1 : a + 0, 0);
// countOccurrences([1,1,2,1,2,3], 1) -> 3

 

 

Deep flatten array (深度平鋪數組)

使用遞歸。 經過空數組([]) 使用 Array.concat() ,結合 展開運算符( ... ) 來平鋪數組。 遞歸平鋪每一個數組元素。

JavaScript 代碼:
const deepFlatten = arr => [].concat(...arr.map(v => Array.isArray(v) ? deepFlatten(v) : v));
// deepFlatten([1,[2],[[3],4],5]) -> [1,2,3,4,5]

 

 

 

Drop elements in array (刪除數組中的元素)

循環數組,使用 Array.shift() 刪除數組的第一個元素,直到函數的返回值爲 true 。返回其他的元素。

JavaScript 代碼:
const dropElements = (arr, func) => {
  while (arr.length > 0 && !func(arr[0])) arr.shift();
  return arr;
};
// dropElements([1, 2, 3, 4], n => n >= 3) -> [3,4]

 

 

Fill array (填充數組)

使用 Array.map() 將指定值映射到 start(包含)和 end (排除)之間。省略 start 將從第一個元素開始,省略 end 將在最後一個元素完成。

JavaScript 代碼:
const fillArray = (arr, value, start = 0, end = arr.length) =>
  arr.map((v, i) => i >= start && i < end ? value : v);
// fillArray([1,2,3,4],'8',1,3) -> [1,'8','8',4]

 

 

Filter out non-unique values in an array (過濾出數組中的非惟一值)

使用 Array.filter() 濾除掉非惟一值,使數組僅包含惟一值。

JavaScript 代碼:
const filterNonUnique = arr => arr.filter(i => arr.indexOf(i) === arr.lastIndexOf(i));
// filterNonUnique([1,2,2,3,4,4,5]) -> [1,3,5]

 

 

Flatten array up to depth (根據指定的 depth 平鋪數組)

每次遞歸,使 depth 減 1 。使用 Array.reduce() 和 Array.concat() 來合併元素或數組。默認狀況下, depth 等於 1 時停遞歸。省略第二個參數 depth ,只能平鋪1層的深度 (單層平鋪)。

JavaScript 代碼:
const flattenDepth = (arr, depth = 1) =>
  depth != 1 ? arr.reduce((a, v) => a.concat(Array.isArray(v) ? flattenDepth(v, depth - 1) : v), [])
  : arr.reduce((a, v) => a.concat(v), []);
// flattenDepth([1,[2],[[[3],4],5]], 2) -> [1,2,[3],4,5]

 

 

Flatten array (平鋪數組)

使用 Array.reduce() 獲取數組中的全部元素,並使用 concat() 將其平鋪。

JavaScript 代碼:
const flatten = arr => arr.reduce((a, v) => a.concat(v), []);
// flatten([1,[2],3,4]) -> [1,2,3,4]

 

Get max value from array (獲取數組中的最大值)

結合使用 Math.max() 與 展開運算符( ... ),獲取數組中的最大值。

JavaScript 代碼:
const arrayMax = arr => Math.max(...arr);
// arrayMax([10, 1, 5]) -> 10

 

 

 

Get min value from array (獲取數組中的最小值)

結合使用 Math.max() 與 展開運算符( ... ),獲取數組中的最小值。

JavaScript 代碼:
const arrayMin = arr => Math.min(...arr);
// arrayMin([10, 1, 5]) -> 1

 

Group by (數組分組)

使用 Array.map() 將數組的值映射到函數或屬性名稱。使用 Array.reduce() 來建立一個對象,其中的 key 是從映射結果中產生。

JavaScript 代碼:
const groupBy = (arr, func) =>
  arr.map(typeof func === 'function' ? func : val => val[func])
    .reduce((acc, val, i) => { acc[val] = (acc[val] || []).concat(arr[i]); return acc; }, {});
// groupBy([6.1, 4.2, 6.3], Math.floor) -> {4: [4.2], 6: [6.1, 6.3]}
// groupBy(['one', 'two', 'three'], 'length') -> {3: ['one', 'two'], 5: ['three']}

 


 

Head of list (獲取數組的第一個元素)

使用 arr[0] 返回傳遞數組的第一個元素。

JavaScript 代碼:
const head = arr => arr[0];
// head([1,2,3]) -> 1

 


 

Initial of list (排除數組中最後一個元素)

使用 arr.slice(0,-1) 返回排除了最後一個元素的數組。

JavaScript 代碼:
const initial = arr => arr.slice(0, -1);
// initial([1,2,3]) -> [1,2]

 


 

Initialize array with range (初始化特定範圍的數組)

使用 Array(end-start) 建立所需長度的數組,使用 Array.map() 在一個範圍內填充所需的值。
您能夠省略 start ,默認值 0

JavaScript 代碼:
const initializeArrayRange = (end, start = 0) =>
  Array.apply(null, Array(end - start)).map((v, i) => i + start);
// initializeArrayRange(5) -> [0,1,2,3,4]

 

Initialize array with values (初始化特定範圍和值的數組)

使用 Array(n) 建立所需長度的數組,使用 fill(v) 以填充所需的值。您能夠忽略 value ,使用默認值 0 。

JavaScript 代碼:
const initializeArray = (n, value = 0) => Array(n).fill(value);
// initializeArray(5, 2) -> [2,2,2,2,2]

 

 

Last of list (獲取數組的最後一個元素)

使用 arr.slice(-1)[0] 來獲取給定數組的最後一個元素。

JavaScript 代碼:
const last = arr => arr.slice(-1)[0];
// last([1,2,3]) -> 3

 

 

 

Median of array of numbers (獲取數字數組的中值)

找到數字數組的中間值,使用 Array.sort() 對值進行排序。若是 length 是奇數,則返回中間值數字,不然返回兩個中間值數值的平均值。

JavaScript 代碼:
const median = arr => {
  const mid = Math.floor(arr.length / 2), nums = arr.sort((a, b) => a - b);
  return arr.length % 2 !== 0 ? nums[mid] : (nums[mid - 1] + nums[mid]) / 2;
};
// median([5,6,50,1,-5]) -> 5
// median([0,10,-2,7]) -> 3.5

 

 

 

Nth element of array (獲取數組的第N個元素)

使用 Array.slice() 獲取數組的第 n 個元素。若是索引超出範圍,則返回 [] 。省略第二個參數 n ,將獲得數組的第一個元素。

JavaScript 代碼:
const nth = (arr, n=0) => (n>0? arr.slice(n,n+1) : arr.slice(n))[0];
// nth(['a','b','c'],1) -> 'b'
// nth(['a','b','b']-2) -> 'a'

 

 

Pick(提取)

使用 Array.reduce() 只 過濾/萃取 出 arr 參數指定 key (若是 key 存在於 obj 中)的屬性值,。

JavaScript 代碼:
const pick = (obj, arr) =>
  arr.reduce((acc, curr) => (curr in obj && (acc[curr] = obj[curr]), acc), {});
// pick({ 'a': 1, 'b': '2', 'c': 3 }, ['a', 'c']) -> { 'a': 1, 'c': 3 }
// pick(object, ['a', 'c'])['a'] -> 1

 

 

 

Shuffle array (隨機排列數組)

使用 Array.sort() 來從新排序元素,比較器中使用 Math.random() 。

JavaScript 代碼:
const shuffle = arr => arr.sort(() => Math.random() - 0.5);
// shuffle([1,2,3]) -> [2,3,1]

 

 

 

Similarity between arrays (獲取數組交集)

使用 filter() 移除不在 values 中的值,使用 includes() 肯定。

JavaScript 代碼:
const similarity = (arr, values) => arr.filter(v => values.includes(v));
// similarity([1,2,3], [1,2,4]) -> [1,2]

 


 

Sum of array of numbers (數字數組求和)

使用 Array.reduce() 將每一個值添加到累加器,並使用0值初始化。

JavaScript 代碼:
const sum = arr => arr.reduce((acc, val) => acc + val, 0);
// sum([1,2,3,4]) -> 10

 

 

Tail of list (返回剔除第一個元素後的數組)

若是數組的 length 大於 1 ,則返回 arr.slice(1),不然返回整個數組。

JavaScript 代碼:
const tail = arr => arr.length > 1 ? arr.slice(1) : arr;
// tail([1,2,3]) -> [2,3]
// tail([1]) -> [1]

 

 

Take right(從一個給定的數組中建立一個後N個元素的數組)

使用 Array.slice() 來建立一個從第 n 個元素開始從末尾的數組。

JavaScript 代碼:
const takeRight = (arr, n = 1) => arr.slice(arr.length - n, arr.length);
// takeRight([1, 2, 3], 2) -> [ 2, 3 ]
// takeRight([1, 2, 3]) -> [3]

 


 

Take(從一個給定的數組中建立一個前N個元素的數組)

使用 Array.slice() 建立一個數組包含第一個元素開始,到 n 個元素結束的數組。

JavaScript 代碼:
const take = (arr, n = 1) => arr.slice(0, n);
// take([1, 2, 3], 5) -> [1, 2, 3]
// take([1, 2, 3], 0) -> []

 


 

Unique values of array (數組去重)

使用 ES6 的 Set 和 ...rest 操做符剔除重複的值。

JavaScript 代碼:
const unique = arr => [...new Set(arr)];
// unique([1,2,2,3,4,4,5]) -> [1,2,3,4,5]

 

根據屬性刪除數組中的一個對象

 // 根據屬性刪除數組中的對象,利用filter進行過濾數組中id相同的項
 const initial = [ {id: 1, score: 1}, {id: 2, score: 2}, {id: 3, score: 4}];
 const removeId = 3;
 const without3 = initial.filter(x => x.id !== removeId);
 console.log(without3) // => [ { id: 1, score: 1 }, { id: 2, score: 2 } ]

 


 
 
 

Browser 瀏覽器

 

Bottom visible (頁面的底部是否可見)

使用 scrollYscrollHeight 和 clientHeight 來肯定頁面的底部是否可見。

JavaScript 代碼:
const bottomVisible = _ =>
  document.documentElement.clientHeight + window.scrollY >= document.documentElement.scrollHeight || document.documentElement.clientHeight;
// bottomVisible() -> true

 


 

Current URL (獲取當前頁面URL)

使用 window.location.href 獲取當前頁面URL。

JavaScript 代碼:
const currentUrl = _ => window.location.href;
// currentUrl() -> 'https://google.com'

 

Element is visible in viewport (判斷元素是否在可視窗口可見)

使用 Element.getBoundingClientRect() 和 window.inner(Width|Height) 值來肯定給定元素是否在可視窗口中可見。 省略第二個參數來判斷元素是否徹底可見,或者指定 true 來判斷它是否部分可見。

JavaScript 代碼:
const elementIsVisibleInViewport = (el, partiallyVisible = false) => {
  const { top, left, bottom, right } = el.getBoundingClientRect();
  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;
};
// 舉個例子,有一個 100x100 可視窗口, 和一個 10x10px 元素定位在 {top: -1, left: 0, bottom: 9, right: 10}
// elementIsVisibleInViewport(el) -> false (not fully visible)
// elementIsVisibleInViewport(el, true) -> true (partially visible)

 


 

Get scroll position (獲取滾動條位置)

若是瀏覽器支持 pageXOffset 和 pageYOffset ,那麼請使用 pageXOffset 和 pageYOffset,不然請使用 scrollLeft 和 scrollTop 。 你能夠省略 el 參數,默認值爲 window

JavaScript 代碼:
const getScrollPos = (el = window) =>
  ({x: (el.pageXOffset !== undefined) ? el.pageXOffset : el.scrollLeft,
    y: (el.pageYOffset !== undefined) ? el.pageYOffset : el.scrollTop});
// getScrollPos() -> {x: 0, y: 200}

 

Redirect to URL (重定向到URL)

使用 window.location.href 或 window.location.replace() 重定向到 url 。 傳遞第二個參數來模擬連接點擊(true – 默認值)或HTTP重定向(false)。

JavaScript 代碼:
const redirect = (url, asLink = true) =>
  asLink ? window.location.href = url : window.location.replace(url);
// redirect('https://google.com')

 

Scroll to top (回到頂部)

使用 document.documentElement.scrollTop 或 document.body.scrollTop 獲取到頂部距離。從頂部滾動一小部分距離。使用window.requestAnimationFrame() 來實現滾動動畫。

JavaScript 代碼:
const scrollToTop = _ => {
  const c = document.documentElement.scrollTop || document.body.scrollTop;
  if (c > 0) {
    window.requestAnimationFrame(scrollToTop);
    window.scrollTo(0, c - c / 8);
  }
};
// scrollToTop()

 

Date 日期

 

Get days difference between dates (獲取兩個日期之間相差的天數)

計算 Date 對象之間的差別(以天爲單位)。

JavaScript 代碼:
const getDaysDiffBetweenDates = (dateInitial, dateFinal) => (dateFinal - dateInitial) / (1000 * 3600 * 24);
// getDaysDiffBetweenDates(new Date("2017-12-13"), new Date("2017-12-22")) -> 9

 

Function 函數

 

Chain asynchronous functions (鏈式調用異步函數)

循環遍歷包含異步事件的函數數組,每次異步事件完成後調用 next 。

JavaScript 代碼:
const chainAsync = fns => { let curr = 0; const next = () => fns[curr++](next); next(); };
/*
chainAsync([
  next => { console.log('0 seconds'); setTimeout(next, 1000); },
  next => { console.log('1 second');  setTimeout(next, 1000); },
  next => { console.log('2 seconds'); }
])
*/

 

 

Curry (函數式編程術語:柯里化)

使用遞歸。 若是提供的參數(args)數量足夠,調用傳遞函數 fn 。不然返回一個柯里化後的函數 fn ,指望剩下的參數。若是你想柯里化一個接受可變參數數量的函數(可變參數數量的函數,例如 Math.min() ),你能夠選擇將參數個數傳遞給第二個參數 arity

JavaScript 代碼:
const curry = (fn, arity = fn.length, ...args) =>
  arity < = args.length
    ? fn(...args)
    : curry.bind(null, fn, arity, ...args);
// curry(Math.pow)(2)(10) -> 1024
// curry(Math.min, 3)(10)(50)(2) -> 2

 

 

Pipe (函數式編程術語:管道或導流)

使用 Array.reduce() 來執行從左到右的函數組合。第一個(最左邊的)函數能夠接受一個或多個參數;其他的函數必須是一元函數。

JavaScript 代碼:
const pipe = (...fns) => fns.reduce((f, g) => (...args) => g(f(...args)));
/*
const add5 = x => x + 5
const multiply = (x, y) => x * y
const multiplyAndAdd5 = pipe(multiply, add5)
multiplyAndAdd5(5, 2) -> 15
*/

 

 

Promisify (柯里化一個 Promise 函數)

使用柯里化返回一個函數,這個函數返回一個調用原始函數的 Promise 。 使用 ...rest 運算符傳入全部參數。

在 Node 8+ 中,你可使用 util.promisify

JavaScript 代碼:
const promisify = func =>
  (...args) =>
    new Promise((resolve, reject) =>
      func(...args, (err, result) =>
        err ? reject(err) : resolve(result))
    );
// const delay = promisify((d, cb) => setTimeout(cb, d))
// delay(2000).then(() => console.log('Hi!')) -> Promise resolves after 2s

 


 

Run promises in series (運行連續的 promises)

使用 Array.reduce() 經過建立 promise 鏈來運行連續的 promises,其中每一個 promise 在 resolved 時返回下一個 promise 。

JavaScript 代碼:
const series = ps => ps.reduce((p, next) => p.then(next), Promise.resolve());
// const delay = (d) => new Promise(r => setTimeout(r, d))
// series([() => delay(1000), () => delay(2000)]) -> executes each promise sequentially, taking a total of 3 seconds to complete

 

 

Sleep (休眠)

延遲執行 async 函數的一部分,經過把它放到 sleep 狀態,返回一個 Promise 。

JavaScript 代碼:
const sleep = ms => new Promise(resolve => setTimeout(resolve, ms));
/*
async function sleepyWork() {
  console.log('I\'m going to sleep for 1 second.');
  await sleep(1000);
  console.log('I woke up after 1 second.');
}
*/

 

Math 數學方法

 

Collatz algorithm(考拉茲算法)

若是 n 是偶數,則返回 n/2 。不然返回 3n+1 。

JavaScript 代碼:
const collatz = n => (n % 2 == 0) ? (n / 2) : (3 * n + 1);
// collatz(8) --> 4
// collatz(5) --> 16

 

愚人碼頭注:考拉茲猜測(英語:Collatz conjecture),又稱爲奇偶歸一猜測、3n+1猜測、冰雹猜測、角谷猜測、哈塞猜測、烏拉姆猜測或敘拉古猜測,是指對於每個正整數,若是它是奇數,則對它乘3再加1,若是它是偶數,則對它除以2,如此循環,最終都可以獲得1。 – 維基百科。

 

 

Distance between two points (兩點之間的歐氏距離)

使用 Math.hypot() 計算兩點之間的歐氏距離( Euclidean distance)。

JavaScript 代碼:
const distance = (x0, y0, x1, y1) => Math.hypot(x1 - x0, y1 - y0);
// distance(1,1, 2,3) -> 2.23606797749979

 

愚人碼頭注: 歐氏距離( Euclidean distance)是一個一般採用的距離定義,它是在m維空間中兩個點之間的真實距離。

 

 

Divisible by number (能夠被某個數整除)

使用模運算符(%)來檢查餘數是否等於 0 。

JavaScript 代碼:
const isDivisible = (dividend, divisor) => dividend % divisor === 0;
// isDivisible(6,3) -> true

 

 

 

Even or odd number (判斷奇偶數)

使用模運算符(%)來檢查數字是奇數仍是偶數。若是數字是偶數,則返回 true ,若是是奇數,則返回 false 。

JavaScript 代碼:
const isEven = num => num % 2 === 0;
// isEven(3) -> false

 

 

 

Factorial (階乘)

使用遞歸。若是 n 小於或等於 1 ,則返回 1 。不然返回 n 和 n - 1 的階乘。

JavaScript 代碼:
const factorial = n => n < = 1 ? 1 : n * factorial(n - 1);
// factorial(6) -> 720

 

 

 

Fibonacci array generator (斐波納契數組發生器)

建立一個指定長度的空數組,初始化前兩個值( 0 和 1 )。使用 Array.reduce() 向數組中添加值,使用最的值是兩個值的和(前兩個除外)。

JavaScript 代碼:
const fibonacci = n =>
  Array(n).fill(0).reduce((acc, val, i) => acc.concat(i > 1 ? acc[i - 1] + acc[i - 2] : i), []);
// fibonacci(5) -> [0,1,1,2,3]

 

 

 

Greatest common divisor (GCD) (最大公約數)

使用遞歸。當 y 等於 0 的狀況下,返回 x 。不然,返回 y 和 x/y 餘數最大公約數。

JavaScript 代碼:
const gcd = (x, y) => !y ? x : gcd(y, x % y);
// gcd (8, 36) -> 4

 

 

 

Hamming distance (漢明距離)

使用XOR運算符( ^ )查找這兩個數字之間的位差,使用 toString(2) 轉換爲二進制字符串。使用 match(/1/g) 計算並返回字符串中 1 的數量。

JavaScript 代碼:
const hammingDistance = (num1, num2) =>
  ((num1 ^ num2).toString(2).match(/1/g) || '').length;
// hammingDistance(2,3) -> 1

 

愚人碼頭注:在信息論中,兩個等長字符串之間的漢明距離(英語:Hamming distance)是兩個字符串對應位置的不一樣字符的個數。換句話說,它就是將一個字符串變換成另一個字符串所須要替換的字符個數。- 維基百科

 

 

Percentile (百分比)

使用 Array.reduce() 來計算有多少數字小於等於該值,並用百分比表示。

JavaScript 代碼:
const percentile = (arr, val) => 
  100 * arr.reduce((acc,v) => acc + (v < val ? 1 : 0) + (v === val ? 0.5 : 0), 0) / arr.length;
// percentile([1,2,3,4,5,6,7,8,9,10], 6) -> 55

 

 

Powerset (冪集)

使用 Array.reduce() 與 Array.map() 結合來遍歷元素,並將其組合成一個包含全部排列組合的數組。

JavaScript 代碼:
const powerset = arr =>
  arr.reduce((a, v) => a.concat(a.map(r => [v].concat(r))), [[]]);
// powerset([1,2]) -> [[], [1], [2], [2,1]]

 

 

 

Round number to n digits (精確的幾位小數)

使用 Math.round() 和模板字面量將數字四捨五入爲指定的小數位數。 省略第二個參數 decimals ,數字將被四捨五入到一個整數。

JavaScript 代碼:
const round = (n, decimals=0) => Number(`${Math.round(`${n}e${decimals}`)}e-${decimals}`);
// round(1.005, 2) -> 1.01

 

 

 

Standard deviation (標準誤差)

使用 Array.reduce() 來計算均值,方差已經值的方差之和,方差的值,而後肯定標準誤差。 您能夠省略第二個參數來獲取樣本標準誤差,或將其設置爲 true 以得到整體標準誤差。

JavaScript 代碼:
const standardDeviation = (arr, usePopulation = false) => {
  const mean = arr.reduce((acc, val) => acc + val, 0) / arr.length;
  return Math.sqrt(
    arr.reduce((acc, val) => acc.concat(Math.pow(val - mean, 2)), [])
       .reduce((acc, val) => acc + val, 0) / (arr.length - (usePopulation ? 0 : 1))
  );
};
// standardDeviation([10,2,38,23,38,23,21]) -> 13.284434142114991 (sample)
// standardDeviation([10,2,38,23,38,23,21], true) -> 12.29899614287479 (population)

 

 

Media 媒體

 

Speech synthesis (語音合成,實驗階段)

使用 SpeechSynthesisUtterance.voice 和 indow.speechSynthesis.getVoices() 將消息轉換爲語音。使用 window.speechSynthesis.speak() 播放消息。

瞭解有關Web Speech API的SpeechSynthesisUtterance接口的更多信息。

JavaScript 代碼:
const speak = message => {
  const msg = new SpeechSynthesisUtterance(message);
  msg.voice = window.speechSynthesis.getVoices()[0];
  window.speechSynthesis.speak(msg);
};
// speak('Hello, World') -> plays the message

 

Node

 

Write JSON to file (將 JSON 寫到文件)

使用 fs.writeFile(),模板字面量 和 JSON.stringify() 將 json 對象寫入到 .json 文件中。

JavaScript 代碼:
const fs = require('fs');
const jsonToFile = (obj, filename) => fs.writeFile(`${filename}.json`, JSON.stringify(obj, null, 2))
// jsonToFile({test: "is passed"}, 'testJsonFile') -> writes the object to 'testJsonFile.json'

 

 

Object 對象

 

Object from key-value pairs (根據鍵值對建立對象)

使用 Array.reduce() 來建立和組合鍵值對。

JavaScript 代碼:
const objectFromPairs = arr => arr.reduce((a, v) => (a[v[0]] = v[1], a), {});
// objectFromPairs([['a',1],['b',2]]) -> {a: 1, b: 2}

 

 

 

Object to key-value pairs (對象轉化爲鍵值對 )

使用 Object.keys() 和 Array.map() 遍歷對象的鍵並生成一個包含鍵值對的數組。

JavaScript 代碼:
const objectToPairs = obj => Object.keys(obj).map(k => [k, obj[k]]);
// objectToPairs({a: 1, b: 2}) -> [['a',1],['b',2]])

 

 

Shallow clone object (淺克隆對象)

使用 Object.assign() 和一個空對象({})來建立原始對象的淺拷貝。

JavaScript 代碼:
const shallowClone = obj => Object.assign({}, obj);
/*
const a = { x: true, y: 1 };
const b = shallowClone(a);
a === b -> false
*/

 

愚人碼頭注:JavaScript 中的對象拷貝方法有不少,這裏有個總結,有興趣能夠看一下:http://www.css88.com/archives/8319

 

刪除一個對象上的屬性(key)

//利用es6的 ...運算符將其餘屬性和a屬性分開來,這波操做很亮眼 !
const obj = {a: 1, b: 2, c: 3};
const {a, ...newObj} = obj;
console.log(newObj) // => {b: 2, c: 3};

 

 

 

String 字符串

 

Anagrams of string (with duplicates) (字符串的排列組合,帶有重複項)

使用遞歸。 對於給定字符串中的每一個字母,爲其他字母建立全部部分字母。 使用 Array.map() 將字母與每一個部分字母組合在一塊兒,而後使用 Array.reduce() 將全部字母組合到一個數組中。 基本狀況是字符串 length 等於 2 或 1 。

JavaScript 代碼:
const anagrams = str => {
  if (str.length < = 2) return str.length === 2 ? [str, str[1] + str[0]] : [str];
  return str.split('').reduce((acc, letter, i) =>
    acc.concat(anagrams(str.slice(0, i) + str.slice(i + 1)).map(val => letter + val)), []);
};
// anagrams('abc') -> ['abc','acb','bac','bca','cab','cba']

 

 

Capitalize first letter of every word (大寫每一個單詞的首字母)

使用 replace() 來匹配每一個單詞的第一個字符,並使用 toUpperCase() 來將其大寫。

JavaScript 代碼:
const capitalizeEveryWord = str => str.replace(/\b[a-z]/g, char => char.toUpperCase());
// capitalizeEveryWord('hello world!') -> 'Hello World!'

 

 

Capitalize first letter (首字母大寫)

使用解構和 toUpperCase() 大寫第一個字母,...rest 第一個字母后得到字符數組,而後 Array.join('')再次使它成爲一個字符串。 省略 lowerRest 參數以保持字符串的剩餘部分不變,或者將其設置爲 true 這會將字符串的剩餘部分轉換爲小寫。

JavaScript 代碼:
const capitalize = ([first,...rest], lowerRest = false) =>
  first.toUpperCase() + (lowerRest ? rest.join('').toLowerCase() : rest.join(''));
// capitalize('myName') -> 'MyName'
// capitalize('myName', true) -> 'Myname'

 

 

Check for palindrome (檢查迴文)

使用 toLowerCase() 轉換字符串,並使用 replace() 從中刪除非字母數字字符。 而後,在將其轉換爲 tolowerCase() 以後,將 split('') 爲單獨的字符,reverse() ,join('')並與原始非反轉字符串進行比較。

JavaScript 代碼:
const palindrome = str => {
  const s = str.toLowerCase().replace(/[\W_]/g,'');
  return s === s.split('').reverse().join('');
}
// palindrome('taco cat') -> true

 

 

Reverse a string (反轉一個字符串)

使用數組解構和 Array.reverse() 來反轉字符串中字符的順序。使用 join('')合併字符串。

JavaScript 代碼:
const reverseString = str => [...str].reverse().join('');
// reverseString('foobar') -> 'raboof'

 

 

Sort characters in string (alphabetical) (按字母順序排列字符串)

使用 split('') 分割字符串,經過 localeCompare() 排序字符串 Array.sort() ,使用 join('') 進行重組。

JavaScript 代碼:
const sortCharactersInString = str =>
  str.split('').sort((a, b) => a.localeCompare(b)).join('');
// sortCharactersInString('cabbage') -> 'aabbceg'

 

 

 

Truncate a String (截斷一個字符串)

肯定字符串的 length 是否大於 num。 返回截斷所需長度的字符串,用 ... 附加到結尾或原始字符串。

JavaScript 代碼:
const truncate = (str, num) =>
  str.length > num ? str.slice(0, num > 3 ? num - 3 : num) + '...' : str;
// truncate('boomerang', 7) -> 'boom...'

 

 

Utility 實用函數

 

Escape regular expression (轉義正則表達式)

使用 replace() 來轉義特殊字符。

JavaScript 代碼:
const escapeRegExp = str => str.replace(/[.*+?^${}()|[\]\\]/g, '\\$&');
// escapeRegExp('(test)') -> \\(test\\)

 

 

 

Get native type of value (獲取原生類型的值)

返回值小寫的構造函數名稱,若是值爲 undefined 或 null ,則返回 「undefined」 或 「null」。

JavaScript 代碼:
const getType = v =>
  v === undefined ? 'undefined' : v === null ? 'null' : v.constructor.name.toLowerCase();
// getType(new Set([1,2,3])) -> "set"

 

 

Hexcode to RGB (Hex轉RGB)

使用Array.slice() , Array.map() 和 match() 將十六進制顏色代碼(前綴爲#)轉換爲RGB值的字符串。

JavaScript 代碼:
const hexToRgb = hex => `rgb(${hex.slice(1).match(/.{2}/g).map(x => parseInt(x, 16)).join()})`
// hexToRgb('#27ae60') -> 'rgb(39,174,96)'

 

 

Is array(是否爲數組)

使用 Array.isArray() 來檢查一個值是否爲一個數組。

JavaScript 代碼:
const isArray = val => !!val && Array.isArray(val);
// isArray(null) -> false
// isArray([1]) -> true

 

 

 

Is boolean(是否爲布爾值)

使用 typeof 來檢查一個值是否爲一個布爾值。

JavaScript 代碼:
const isBoolean = val => typeof val === 'boolean';
// isBoolean(null) -> false
// isBoolean(false) -> true

 

 

Is function(是否爲函數)

使用 typeof 來檢查一個值是否爲一個函數。

JavaScript 代碼:
const isFunction = val => val && typeof val === 'function';
// isFunction('x') -> false
// isFunction(x => x) -> true

 

 

 

Is number(是否爲數字)

使用 typeof 來檢查一個值是否爲一個數字。

JavaScript 代碼:
const isNumber = val => typeof val === 'number';
// isNumber('1') -> false
// isNumber(1) -> true

 

 

Is string(是否爲字符串)

使用 typeof 來檢查一個值是否爲一個字符串。

JavaScript 代碼:
const isString = val => typeof val === 'string';
// isString(10) -> false
// isString('10') -> true

 

 

 

Is symbol(是否爲symbol)

使用 typeof 來檢查一個值是否爲一個 symbol 。

JavaScript 代碼:
const isSymbol = val => typeof val === 'symbol';
// isSymbol('x') -> false
// isSymbol(Symbol('x')) -> true

 

 

Measure time taken by function (計算函數執行所花費的時間)

使用 console.time() 和 console.timeEnd() 來測量開始和結束時間之間的差,以肯定回調執行的時間。

JavaScript 代碼:
const timeTaken = callback => {
  console.time('timeTaken');
  const r = callback();
  console.timeEnd('timeTaken');
  return r;
};
// timeTaken(() => Math.pow(2, 10)) -> 1024
// (logged): timeTaken: 0.02099609375ms

 

 

Number to array of digits (將數字轉化爲整數數組)

將數字轉換爲字符串,使用 split() 來轉換構建一個數組。 使用 Array.map() 和 parseInt() 將每一個值轉換爲整數。

JavaScript 代碼:
const digitize = n => (''+n).split('').map(i => parseInt(i));
// digitize(2334) -> [2, 3, 3, 4]

 

 

Ordinal suffix of number (數字序號的後綴)

使用模運算符(%)來查找各位和十位的值。查找哪些序號模式數字匹配。若是數字在十位模式中找到,請使用十位的序數。

JavaScript 代碼:
const toOrdinalSuffix = num => {
  const int = parseInt(num), digits = [(int % 10), (int % 100)],
    ordinals = ['st', 'nd', 'rd', 'th'], oPattern = [1, 2, 3, 4],
    tPattern = [11, 12, 13, 14, 15, 16, 17, 18, 19];
  return oPattern.includes(digits[0]) && !tPattern.includes(digits[1]) ? int + ordinals[digits[0] - 1] : int + ordinals[3];
};
// toOrdinalSuffix("123") -> "123rd"

 

 

 

Random integer in range (在指定的範圍內生成一個隨機整數)

使用 Math.random() 生成一個隨機數並將其映射到所需的範圍,使用 Math.floor() 使其成爲一個整數。

JavaScript 代碼:
const randomIntegerInRange = (min, max) => Math.floor(Math.random() * (max - min + 1)) + min;
// randomIntegerInRange(0, 5) -> 2

 

 

 

Random number in range (在指定的範圍內生成一個隨機數)

使用 Math.random() 生成一個隨機值,使用乘法將其映射到所需的範圍。

JavaScript 代碼:
const randomInRange = (min, max) => Math.random() * (max - min) + min;
// randomInRange(2,10) -> 6.0211363285087005

 


 

RGB to hexadecimal(RGB轉hex)

使用按位左移運算符(<<)和 toString(16) 將給定的RGB參數轉換爲十六進制字符串,而後使用 padStart(6,'0') 獲得一個6位的十六進制值。

JavaScript 代碼
const rgbToHex = (r, g, b) => ((r << 16) + (g << 8) + b).toString(16).padStart(6, '0');
// rgbToHex(255, 165, 1) -> 'ffa501'

 

Swap values of two variables (交換兩個變量的值)

使用數組解構來交換兩個變量之間的值。

JavaScript 代碼:
[varA, varB] = [varB, varA];
// [x, y] = [y, x]

 

URL parameters(網址參數)

經過適當的正則表達式,使用 match() 來得到全部的鍵值對, Array.reduce() 來映射和組合成一個單一的對象。將 location.search 做爲參數傳遞給當前 url

JavaScript 代碼:
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?name=Adam&surname=Smith') -> {name: 'Adam', surname: 'Smith'}

 

 

UUID generator (UUID生成器)

使用 crypto API 生成符一個 UUID,符合RFC4122 版本 4 。

JavaScript 代碼:
const uuid = _ =>
  ([1e7] + -1e3 + -4e3 + -8e3 + -1e11).replace(/[018]/g, c =>
    (c ^ crypto.getRandomValues(new Uint8Array(1))[0] & 15 >> c / 4).toString(16)
  );
// uuid() -> '7982fcfe-5721-4632-bede-6000885be57d'

 

 

Validate email(郵箱驗證)

使用正則表達式來檢查電子郵件是否有效。若是電子郵件有效,則返回 true ,不然返回false

JavaScript 代碼:
const validateEmail = str =>
  /^(([^<>()\[\]\\.,;:\s@"]+(\.[^<>()\[\]\\.,;:\s@"]+)*)|(".+"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\])|(([a-zA-Z\-0-9]+\.)+[a-zA-Z]{2,}))$/.test(str);
// validateEmail(mymail@gmail.com) -> true

 


 

Validate number (數字驗證)

使用 !isNaN 和 parseFloat() 來檢查參數是不是一個數字。使用 isFinite() 來檢查數字是不是有限數。使用 Number() 來檢查強制轉換是否成立。

JavaScript 代碼:
const validateNumber = n => !isNaN(parseFloat(n)) && isFinite(n) && Number(n) == n;
// validateNumber('10') -> true

 

 

Value or default (值或者默認值)

返回 value ,若是傳遞的值是 falsy ,則返回默認值。

const valueOrDefault = (value, d) => value || d;
// valueOrDefault(NaN, 30) -> 30

 

 

原文連接:http://www.css88.com/archives/8748#array-concatenation

相關文章
相關標籤/搜索