Day +14

비트·2023년 4월 28일
0

CodeStates

목록 보기
14/54
post-thumbnail
post-custom-banner

1. spread/rest 문법

1-1. spread 문법

  • 주로 배열을 풀어서 인자로 전달하거나, 배열을 풀어서 각각의 요소로 넣을 때에 사용
function sum(x, y, z) {
  return x + y + z;
}

const numbers = [1, 2, 3];

sum(...numbers) // 6


1-2. rest 문법

  • 파라미터를 배열의 형태로 받아서 사용
    • 파라미터 개수가 가변적일 때 유용
function sum(...theArgs) {
  return theArgs.reduce((previous, current) => {
    return previous + current;
  });
}

sum(1,2,3) // 6
sum(1,2,3,4) // 10


1-3. 배열에서 사용하기

1. 배열 합치기

let parts = ['shoulders', 'knees'];
let lyrics = ['head', ...parts, 'and', 'toes'];

console.log(lyrics) //['head', 'shoulders', 'knees', 'and', 'toes']

----

let arr1 = [0, 1, 2];
let arr2 = [3, 4, 5];
arr1 = [...arr1, ...arr2]; //[0, 1, 2, 3, 4, 5]

2. 배열 복사

let arr = [1, 2, 3];
let arr2 = [...arr]; // arr.slice() 와 유사
arr2.push(4);

console.log(arr2); // [1, 2, 3, 4]


1-4. 객체에서 사용하기

et obj1 = { foo: 'bar', x: 42 };
let obj2 = { foo: 'baz', y: 13 };

let clonedObj = { ...obj1 };  // { foo: 'bar', x: 42 };
let mergedObj = { ...obj1, ...obj2 }; // { foo: 'baz', x: 42, y: 13 };


1-5. 함수에서 나머지 파라미터 받아오기

function myFun(a, b, ...manyMoreArgs) {
  console.log("a", a);
  console.log("b", b);
  console.log("manyMoreArgs", manyMoreArgs);
}

myFun("one", "two", "three", "four", "five", "six");

// a one
// b two
// ['three', 'four', 'five', 'six']



2. 구조 분해(destructing)

구조 분해 할당(destructing)

2-1. 분해 후 새 변수에 할당

1. 배열

const [a, b, ...rest] = [10, 20, 30, 40, 50];

console.log ([a]); // [10]
console.log ([b]); // [20]
console.log ([...rest]); // [30, 40, 50]


2. 객체

const {a, b, ...rest} = {a: 10, b: 20, c: 30, d: 40}

console.log ({a}); // {a: 10}
console.log ({b}); // {b: 20}
console.log ({...rest}); // {c: 30, d: 40}



3. 화살표 함수(arrow function)

표현식 함수 보러가기

  • ES6가 등장하면서 함수를 정의하는 방법이 하나 더 등장.
  • 함수표현식으로 함수를 정의할 때 function 키워드 대신 화살표(=>)를 사용.
// 화살표 함수
const multiply = (x, y) => {
	return x * y;
}

3-1. 매개변수가 한 개일 때, 소괄호(())를 생략할 수 있다.

// 매개변수가 한 개일 때, 소괄호를 생략할 수 있습니다.
const square = x => { return x * x }

// 위 코드와 동일하게 동작합니다.
const square = ( x ) => { return x * x }

// 단, 매개변수가 없는 경우엔 소괄호를 생략할 수 없습니다.
const greeting = () => { return 'hello world' }


3-2. 함수 코드 블록 내부가 하나의 문으로 구성되어 있다면 중괄호({})를 생략할 수 있다. 이때 코드 블록 내부의 문이 값으로 평가될 수 있으면 return 키워드를 생략할 수 있다.

const squre = x => x * x

// 위 코드와 동일하게 동작합니다.
const square = x => { return x * x }

// 위 코드와 동일하게 동작합니다.
const square = function (x) {
	return x * x
}
profile
Drop the Bit!
post-custom-banner

0개의 댓글