// -fundamental building block in the program
// - subprogram can be used mulitple times
// - performs a task or calculates a value
1. 함수 선언 방식
function name(param1, param2) { body... return; }
2. one function === one thing
3. naming: doSomething, command, verb
4. function is object in JS
function printHello() {
console.log('Hello');
}
printHello();
// ^ 위에 식보다는 아래처럼 파라미터를 이용해서 출력하는 것이 더 좋음
function log(message) {
console.log(message);
}
log('Hello@');
💗 Typescript
JS는 타입이 지정되어 있지 않기 때문에 그래서 타입이 중요한 코드 경우에는 타입스크립트로 진행!
타입스크립트는 함수 인터페이스에 함수의 이름/전달돼야하는 파라미터/데이터 타입/리턴값이 정확하게 명시돼있는 반면, 자바스크립트는 타입이 지정되어 있지 않아 협업에서는 타입스크립트를 주로 활용
// premitive parameters: passed by value
// object parameters: passed by reference
// premitive type은 메모리에 그대로 전달이 되고, object는 메모리의 reference가 전달이 됨
function changeName(obj) {
obj.name = 'coder';
}
const ellie = { name: 'ellie' };
changeName(ellie);
console.log(ellie);
❓ "obj가 const로 정의되어 있다 할지라도, 변경은 obj.name이기 때문에 변경 가능하다."라는데 뭔 소린지..근데 뭔 소린지 몰라도 계속 언급되는 부분들때문에 차차 알아가는 건 있어서 너무 많은 시간은 할애하지 않아야겠다!
function showMessage(message, from = 'unkwon') {
console.log(`${message} by ${from}`);
}
showMessage(`Hi!`);
// (message, from = 'unknown')와 같이 파라미터의 default값을 지정할 수 있다.
function printAll(...args) {
for (let i = 0; i < args.length; i++) {
console.log(args[i]);
}
// 밑에처럼 간단하게 쓸 수도 있음
for (const arg of args) {
console.log(arg);
}
args.forEach((arg) => console.log(arg));
}
printAll('dream', 'coding', 'ellie');
let globalMessage = 'global'; //global variable
function printMessage() {
let message = 'hello';
console.log(message); // local variable
console.log(globalMessage);
}
printMessage();
function sum(a, b) {
return a + b;
}
const result = sum(1, 2); //3
console.log(`sum: ${sum(1, 2)}`);
// 모든 함수에는 return, undifined이거나 값을 리턴할 수가 있다.(?)
// bad
function upgradeUser(user) {
if (user.point > 10) {
// long upgrade logic...
}
}
// good
function upgradeUser(user) {
if (user.point <= 10) {
return;
}
// long upgrade logic...
}
// First-class function
// functions are trated like any other variable
// can be assigned as a value to variable
// can be passed as an argument to other functions.
// can be returned by another function
✍ 다른 변수와 마찬가지로 변수에 할당이 되고 펑션의 파라미터로 전달이 되고 리턴값으로도 리턴이 된다. 그것이 가능하게 하는 것이 function expression이다.
// a function declaration can be called earler than it is defined. (hoisted)
// a function expression is created when the excution reaches it.
const print = function () {
console.log('print');
} // 선언과 동시에 할당
print();
const printAgain = print;
printAgain();
const sumAgain = sum;
console.log(sumAgain(1, 3));
function randomQuiz(answer, printYes, printNo) {
if (answer === 'love you') {
printYes();
} else {
printNo();
}
}
// anonymous function(이름이 없는 함수)
const printYes = function () {
console.log('yes!');
};
// named function(이름이 있는 함수)
// ㄴbetter debugging in debugger's starck traces: 디버깅을 할 때 사용
// ㄴrecursions: 함수 안에서 또 다른 함수를 호출할때 사용
const printNo = function print () {
console.log('no!');
};
randomQuiz('wrong', printYes, printNo);
randomQuiz('love you', printYes, printNo);
const simplePrint = function () {
console.log('simplePrint!');
};
// 위에 식을 밑에처럼 화살표를 이용하여 간단하게!
const simplePrint = () => console.log('simplePrint!');
// 간단하게 쓰이게 되는 예시들
// 1.
const add = (a, b) => a + b;
// 2.
const simpleNultiply = (a, b) => {
// do something more
return a * b;
};
(function hello() {
console.log('IIFE');
})();