1. .findIndex()
조건을 만족하는 배열의 첫 번째 요소 인덱스
https://developer.mozilla.org/ko/docs/Web/JavaScript/Reference/Global_Objects/Array/findIndex
const array1 = [5, 12, 8, 130, 44];
const isLargeNumber = (element) => element > 13;
console.log(array1.findIndex(isLargeNumber));
// Expected output: 3
2. +
문자와 불린 값을 숫자로
let str = "123";
let num = +str;
123
let bool = true;
let num = +bool;
1
* 코드의 가독성을 해칠 수 있으므로 명시적 변환을 하는 것이 좋다
let str = "123";
let numFromString = Number(str); // 문자열 "123"을 숫자 123으로 변환
let bool = true;
let numFromBool = Number(bool); // 불리언 true를 숫자 1로 변환
3. .filter()
조건에 맞는 배열의 요소만 얕은 복사 할 때 사용
https://developer.mozilla.org/ko/docs/Web/JavaScript/Reference/Global_Objects/Array/filter
const words = ['spray', 'limit', 'elite', 'exuberant', 'destruction', 'present'];
const result = words.filter((word) => word.length > 6);
console.log(result);
// Expected output: Array ["exuberant", "destruction", "present"]
4. new Set
문자열/배열 중복 제거
const str = "aabbcc";
const uniqueStr = [...new Set(str)].join('');
console.log(uniqueStr);
abc
const arr = [1, 2, 2, 3, 4, 4, 5];
const uniqueArr = [...new Set(arr)];
console.log(uniqueArr);
[1, 2, 3, 4, 5]