반응형
수업 환경 설정
about:blank
자바스크립트 삽입위치
head, body의 문서 처음, 중간, 끝
보통 body의 맨 끝
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
</head>
<body>
<h1 id="one">hello world 1</h1>
<h1 onclick="alert('hello')">hello world 2</h1>
<script>
document.getElementById('two').innerHTML = 'hello'
</script>
<h1 id="two">hello world 2</h1>
</body>
</html>
내부 스크립트와 외부 스크립트
<script>
console.log('hello')
</script>
<script src="test.js"></script>
JavaScript를 출력하는 4가지 방법
- 문서 내에 요소를 선택하여 출력하는 방법(innerHTML, innerText 등)
- 문서 내에 직접 출력하는 방법(write 등)
- 사용자 인터렉션(alert, confirm 등)
- 콘솔에 찍는 방법(console.log, console.table, console.error 등)
코드 구조
- 문(statement)은 세미콜론으로 구분(세미콜론을 붙이지 않는 곳도 있습니다.)
- 문은 값, 연산자, 키워드, 명령어, 표현식(값으로 평가, 함수나 key, index를 통한 값의 호출도 표현식) 등으로 구성됩니다.
- 공백 병합
let x = 10,
y = 20,
z = 30
console
.log(
x,
y,
z,
)
// .a()
// .b()
// .c()
주석
// 한 줄 주석입니다.
/*
여러줄 주석입니다.
*/
엄격모드
- ES5에서 최신의 문법들이 많이 추가가 되었는데 기존에 있었던 문법을 변경하는 문법도 나옴
- 이러한 문법들은 기존 코드의 문제를 불러일으킬 수 있기 때문에 use strict라는 지시자를 통해 엄격모드를 활성화 했을 때에만 반영
- class 문법의 경우 엄격 모드가 기본
- 함수별로 엄격모드를 다르게 적용할 수 있으나 혼란을 야기할 수 있습니다.
"use strict";
// 코드
변수
- 변수 이름 규칙
- 변수는 숫자로 시작할 수 없다.
- 띄어쓰기가 안된다.
- 예약어를 사용할 수 없다.(예약어가 사용 불가능한 것은 아닙니다.)
- $, _를 제외한 특수문자를 사용하지 않는다.
- 대소문자를 구분한다.
- class는 첫 문자를 대문자로, 나머지는 보통 소문자로 시작한다.
- var, let, const
if (true) {
const testName = 'hojun'
let testAge = 10
}
if (true) {
var testName2 = 'hojun'
var testAge2 = 10
}
- var(ES5 이전, 지금 사용 권장 X) : 함수 레벨 스코프, 재선언시 애러 X
- let(ES5) : 블록 레벨 스코프, 재선언시 애러 O, 콘솔에서는 애러 X, 변경가능한 자료형
- const(ES5) : 블록 레벨 스코프, 재선언시 애러 O, 콘솔에서는 애러 X, 변경이 불가능한 자료형(상수)
// $를 앞에 붙이는 것은 회사마다 사용하는 방법이 다르고 여기서는 id를 담아두는 변수로 사용할 때 사용함.
const $one = dovument.getElementById('one');
$one.innerHTML = 'hi world';
연산
- 산술 연산자(+, -, /, *, **, %)
let x = 3;
let y = 10;
console.log(x + y) // 13
console.log(x - y) // -7
console.log(x / y) // 0.3
console.log(x * y) // 30
console.log(x ** y) // 3의 10승
console.log(x % y) // 나머지 1
- 할당 연산자(=, +=, -=, /=, *=, **=, %=) → 값을 누적해주고 싶을 때 사용
- 논리 연산자(&&, ||, !, !!, &, |)
- 참 -> true -> 1
- 거짓 -> false -> 0
- &&는 곱
- ||는 합
- !는 부정
- 암기코드
for (let x = 0; x < 100; x++) {
if(x % 3 == 0 && x % 5 == 0){
console.log(x)
}
}
// 앞에 값이 널이냐를 확인하고 싶은 경우, 단락 회로 평가라고 부릅니다.
result1 = 10 || 100;
result2 = 0 && 100;
result3 = null || 100;
result4 = null && 100;
username = 'hojun';
result5 = username || '유저 이름이 없습니다';
username = undefined;
result5 = username || '유저 이름이 없습니다';
- 비교 연산자(>, >=, <, <=, ==, !=, ===, !==)
// 자바스크립트에서는 타입이 달라도 값이 같으면 true로 인식한다.
let x = 3;
let y = '3';
console.log(x == y); // true
console.log(x === y); // false
- 단항 산술 연산자(++x, x++, --x, x--)
- nullish 병합 연산자(??)
let result1;
let result2 = result1 ?? 100;
let result3 = 10;
let result4 = result3 ?? 100;
let result5 = null;
let result6 = result5 ?? 100;
- typeof 연산자
typeof 10 // 'number'
typeof '10' // 'string'
- 프로퍼티 접근 연산자
- 마침표 프로퍼티 접근 연산자
let x = {'one' : 1, 'two' : 2} x.one // 1
- 대괄호 프로퍼티 접근 연산자
let x = {'one' : 1, 'two' : 2} x['one'] // 1
- 관계 연산자
- 키만 가지고 판단
10 in [10, 20, 30] // false
1 in [10, 20, 30] // true
1 in 'hello' // error
'name' in {'name':'hojun', 'age':10} //true
'length' in [10, 20, 30]; // true
변수의 형
변수(타입, typeof로 확인 가능)
- 원시타입(primitive types) : number, string, boolean, null, undefined, symbol(ES6 추가, 변경 불가능한 유일한 값)
- 참조타입(reference types) : object(object, array, map, set), function
- Number(숫자)
- 형태 : 10, 10.123, -10
- 호출 : 변수명
- 메서드 :
- 10.toString()는 안됩니다. 이유는 무엇일까요? 소수점 때문에 그렇습니다.(JavaScript의 parsing때문이고, 아는 분이 많지는 않습니다.)
- (10).toString()와 변수명.toString()은 가능합니다.
- num.toFixed()
- Number() → 권고하지 않는다. 이유는 아래 parseInt()가 안전하기 때문이다.
Number('10') + Number('10'); // 20
- parseInt() - 권고, parseFloat()
parseInt('1hello world') // 1 Number('hello world') // NaN
- Math
- Math.PI
- Math.max()
- Math.min()
- Math.floor()
- Math.round()
- Math.random()
- Math.abs()
- Math.sqrt()
- Math.pow()
- NaN
- Infinity, -Infinity
- String(문자열)
- 형태 : 'abcde', "abcde", abcde, abcde${변수명}
let name = 'aaron'; let age = 10; // 예전에는 console.log('My name is ' + name + 'My age is ' + age + 'years old'); // 지금은 아래처럼 간편하게 사용가능하다. -> Template Literal 문법이라고 한다. console.log('My name is ${name}. My age is ${age}years old');
- 호출 : 변수명, 변수명[0] (변수명[index], 호출은 할 수 있지만 개별 값 변경 불가)
- 메서드 :
- str.length
- str.indexOf()
- str.lastIndexOf()
- str.includes()
- str.slice() → slice(2) 라고 하면 2번째 index 부터 출력해준다.
- str.splice()
- str.split()
- str.substring()
- str.substr()
- str.toLowerCase()
- str.toUpperCase()
- str.trim()
- str.replace() → 정규표현식을 사용할 수도 있다.
- str.concat()
- str.repeat()
'hello'.repeat(100) '0'.repeat(100) '5'.repeat(100).split('').map(Number)
- Boolean(논리값)
- 형태 : true, false
- 호출 : 변수명
- 어떤 것이 true이고 어떤 것이 false인지 판단할 수 있어야 합니다.(truthy, falsy -> 우리가 매우 깊이 다뤘던 내용입니다.) → !!를 사용하여 true인지 false인지 확인할 수 있다.
- undefine : undefind
- 형태 : let a, console.log(a)
- null : object
- 형태 : let a = null
- Array(배열) : object
- 형태 :
['하나', '둘', '셋'] [100, 200, 300] [{'one':1, 'two':2}, {'one':10, 'two':20}] [[10, 20], [100, 200], [1000, 2000]] // x[0] -> {one: 1, two: 2} // x[0]['one'] -> 1 // 3차원 let x =[[[1, 2], [10, 20], [100, 200]], [[3, 4], [30, 40], [300, 400]]]
- 호출 : 변수명, 변수명[0], 변수명[0][0] (변수명[index], 개별값 변경 가능)
- Array
- 메서드 :
- length
- forEach → x.forEach(x ⇒ console.log(x ** 2)) : x의 값을 각각 2승 해주라는 의미.
- map → 많은 데이터에서 새로운 배열을 만들어 원하는 데이터를 출력할 때 사용
- [{}, {}, {}].map(x ⇒ x[’age’]) : json으로 된 많은 데이터에서 age의 데이터만 배열로 뽑겠다는 의미.
- filter : 보통 map으로 원하는 배열을 만들고 filter로 원하는 조건을 설정.
- find : filter는 조건에 해당하는 값이 여러개면 모두 보여주지만 find는 첫번째 값만 출력해주고 끝낸다.
- push / pop - mutable
- slice - immutable
- splice - mutable
- reduce - immutable
- join
- indexOf
- includes
- concat
- every
- some
- fill — mutable
- → Array(100).fill(0).map((value, index + 1) ⇒ value + index + 100) : 1 부터 100까지 100이라는 값에 인덱스가 생성된다.
- shift — mutable
- unshift — mutable
- reverse — mutable
- sort — mutable
Array(100).fill(0)
Array(100).fill('hello')
Array(100).fill('hello'.repeat(2))
Array(100).fill(0).map((value, index)=> value + index)
// Array(100).fill(0).map((value, index + 1) ⇒ value + index + 100)
// : 1 부터 100까지 100이라는 값에 인덱스가 생성된다.
- Object(객체) → map이 나오기 전 구형
- 형태 :
{ "지역이름": "전국", // key : value(2개의 집합을 가리켜 객체 프로퍼티) "확진자수": 24889, "격리해제수": 23030, "사망자수": 438, "십만명당발생율": 48.0 } { 'one' : 1, 'o n e' : 1, '1 one' : 1 } { one : 1, o n e : 1, // error 1 one : 1 // error } // 아래는 새로 나온 문법이다. let x=1, y=2, z=3 let object = {x, y, z} // {x: 1, y: 2, z: 3}
- 호출 : 변수명, 변수명.지역이름, 변수명['지역이름'] (변수명.key, 변수명[key])
- 수정, 삭제 :
- 수정 : value['hello'] = 'world', value['hello'] = null
- 삭제 : delete value['hello']는 추천하지 않음(메모리 상에 'world'가 남아있음, value['hello'] = null을 권장)
- 속성 :
- console.log(Object.getOwnPropertyDescriptor(person, 'name')); Object.getOwnPropertyDescriptors(person) // {10: {…}, name: {…}, age: {…}, height: {…}, weight: {…}, 이력: {…}} // value: '이호준', // writable: true, // 변경 가능 여부, 기본값 false // enumerable: true, // 열거(for) 가능 여부, 기본값 false // configurable: true // 재정의 가능 여부, 기본값 false
- 메서드 : Object.keys, Object.values, Object.entries
//변수명.keys()와 같은 형식은 안됩니다. x.keys()
- Map : object → 위의 메서드를 쓰고 싶은데 바로 쓰기 어려우니 Map이 탄생했다.
- 메서드 : set, get, has, delete, size
let map = new Map()
map.set('one', 100)
map.set('two', 200)
map.set('three', 300)
map.set('four', [10, 20])
map.set(5, [100, 200])
map.set([1, 2], [100, 200])
map.get(5)
let human = {
name:'hojun3',
age:30,
local:'jeju'
}
let hojun = new Map(Object.entries(human))
- Set : object
- 메서드 : add, delete, has, size
- 중복을 허락하지 않는다
- 합집합, 교집합, 차집합 등에 메서드가 있진 않지만, 이러한 합집합, 교집합, 차집합을 구현하기 위해 Set을 사용하는 경우가 많습니다.
let set = new Set()
set.add(1);
set.add(1);
set.add(2);
set.add(2);
set.add(3);
set.add(3);
set.add(3);
set.add(3);
set.size
// let set = new Set([1, 2, 3, 3, 3, 3])
// let set = new Set('helllllllllo')
let a = new Set([1, 2, 3])
let b = new Set([3, 4, 5])
const 합집합 = new Set([...a, ...b]);
const 교집합 = new Set([...a].filter(x => b.has(x)));
const 차집합1 = new Set([...a].filter(x => !b.has(x)));
const 차집합2 = new Set([...b].filter(x => !a.has(x)));
조건문과 반복문
조건문
- if
- else if
- else
- switch
if(false) {
console.log('hello 1')
}
if(false) {
console.log('hello 2')
}
if(true) {
console.log('hello 3')
}
if(true) {
console.log('hello 4')
}
if(false){
console.log('hello 1')
}
else if(false) {
console.log('hello 2')
}
else if(true) {
console.log('hello 3') // 여기서 출력 후 종료
}
else if(true) {
console.log('hello 4')
}
else {
console.log('!!')
}
let result = true ? 1 : 100;
let day
switch (new Date().getDay()) {
case 0:
day = "일";
break;
case 1:
day = "월";
break;
case 2:
day = "화";
break;
case 3:
day = "수";
break;
case 4:
day = "목";
break;
case 5:
day = "금";
break;
case 6:
day = "토";
}
console.log(day)
반복문
- for
- for in
- for of
- while
- do while
- forEach
- break
- continue
//예제
for (let i = 0; i < 10; i++) {
console.log(i)
}
//예제
let a = [10, 20, 30, 40];
// let a = 'hello';
// let a = '19821'
for (let i of a) {
console.log(i);
}
//예제
let a = [10, 20, 30, 40];
for (let i in a) {
console.log(i);
}
let a = {'one':1, 'two':2};
for (let i in a) {
console.log(i);
}
//예제
let x = 0;
while (x < 10) {
console.log(x);
x++;
}
// 무한반복
while (true) {}
= while (;;) {}
//예제
let x = 0;
do {
console.log(x);
x++;
} while (x < 10)
//예제
let a = [10, 20, 30, 40];
a.forEach(e => console.log(e**2));
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) {
break; // 반복문 탈출 }
console.log(i)
}
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) break;
console.log(i);
}
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) break;
console.log(i);
}
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) continue; // 다음 loop로 이동
console.log(i);
}
// 고차원 순회
let a = [[[1, 2], [10, 20], [100, 200]],
[[3, 4], [30, 40], [300, 400]]]
for (let i of a){
for (let j of i){
for (let k of j){
console.log(k)
}
}
}
let data = [{
name: 'hojun',
age:10,
friends:[
['직장', '라이켓'],
['친구', '뮤'],
]
}, {
name: 'gildong',
age:11,
friends:[
['직장', 'gary'],
]
}]
for (let i of data){
for (let j in i){
//console.log(i[j])
if (j == 'friends'){
console.log(i[j])
}
}
}
함수와 클래스
함수
- 함수 표현식과 함수 선언식
let 함수표현식 = function(){} // 호이스팅 X
function 함수선언식(){} // 호이스팅 O
- 함수(파선아실) : 파라미터는 선언할 때 아규먼트는 실제 사용하는 값이다.
- 여기서 x, y를 보통 한국에서는 인자
- 매개변수(파라미터, parameter) : x, y
- 전달인자(아규먼트, argument) : 3, 5
- 사용이유
- 재사용성
- 아키텍처 파악
- 유지보수
function 땅다지기(){} function 시멘트작업(){} function 철근(){} function 벽돌(){} function 지붕(){} 땅다지기() 시멘트작업() 철근() 벽돌() 지붕()
- 예제
function add(x, y){ return x + y; } add(3, 5) function add(a = 100, b = 200) { console.log(a, b); return a + b; } add(10, 20); // 30 add(10); // 210 add(); -> default 값 // 300 add(b=300) // a에 입력 // 500 add(undefined, 300); // 400 function add({ a = 100, b = 200 }) { console.log(a+b); } add({b: 300}); // 400
- 콜백함수
- 화살표 함수를 콜백함수로 사용했을 경우의 장단점
- 장점 : 네이밍을 안해도 됩니다.
- 장점 : 다른 곳에서 사용할 수가 없다.
- 단점 : 콜백지옥에 빠질 수가 있습니다.
function cal(a, b){ return a(10, 10) + b(10, 10); } cal((a, b) => a + b, (a, b) => a * b);
- 화살표 함수를 콜백함수로 사용했을 경우의 장단점
- function add(x, y) { return x + y; } function mul(x, y) { return x * y; } function cal(a, b){ return a(10, 10) + b(10, 10); } cal(add, mul);
- 화살표함수
- function 제곱(x) { return x**2 } // 함수표현식, 호이스팅 X let 제곱 = x => x**2; -> 식이 복잡하다면 맨밑에 예시처럼 (), {}로 묶어서 사용한다. function f(a, b) { let z = 10 let result = z + a + b return result } // 함수표현식, 호이스팅 X let f = (a, b) => { let z = 10 let result = z + a + b return result };
- 기명 함수
- // 기명 함수 let aa = function sum(x, y) { return x + y } // 익명 함수인것 같지만 바뀜 let bb = function(x, y) { return x + y } // ES5에서는 빈 문자열이었는데 ES6에서 name 값을 가지는 것으로 바뀌었습니다. let cc = (x, y) => x + y;
- 익명 함수
- console.dir(function (x, y) {return x + y;})
클래스
- 클래스 - 붕어빵 찍는 틀, 공장
- 인스턴스 - 붕어빵, 제품
class Notice {
constructor(title, contents, author){ // constructor은 여기서 고정이름이다.
this.title = title
this.contents = contents
this.author = author
}
수정하기(title, contents, author){
this.title = title
this.contents = contents
this.author = author
}
}
dataBase = []
게시물1 = new Notice('제목1', '내용1', '저자1')
dataBase.push(게시물1)
게시물2 = new Notice('제목2', '내용2', '저자2')
dataBase.push(게시물2)
게시물3 = new Notice('제목3', '내용3', '저자3')
dataBase.push(게시물3)
dataBase.forEach(d => {
제목 = document.createElement('h1')
제목.textContent = d.title
내용 = document.createElement('p')
내용.textContent = d.contents
저자 = document.createElement('p')
저자.textContent = d.author
document.body.append(제목)
document.body.append(내용)
document.body.append(저자)
})
// dataBase.splice()와 같은 것으로 삭제, 실제로는 mongoDB와 같은 곳에서 삭제
class Human {
constructor() {}
// 인스턴스 메서드, 인스턴스 프로퍼티 메서드, 프로토타입 메서드
a() {}
// 클래스 메서드, 클래스 프로퍼티 메서드, 정적 메서드
static b() {}
}
hojun = new Human('호준')
typeof hojun // object
typeof Human // function
// getter - 획득
// setter - 설정
// # = private 필드
class Student {
subject = 'javascript study'
#level;
constructor(level, name, skill) {
this.#level = level;
this.name = name;
this.skill = skill;
}
get level() {
// hojun.level로 출력
return this.#level;
}
set level(level) {
// hojun.level = 10
this.#level = level;
}
attack(){
console.log('파이어볼!')
}
}
class Mento extends Student {
codeReview() {
console.log('코드리뷰를 진행합니다.');
}
}
let hojun = new Student(999, '호준', ['python', 'js', '...생략...']);
let hojun2 = new Mento(999, '호준', ['python', 'js', '...생략...']);
예외처리, 전개표현식, 정규표현식, 리터럴 등
예외처리
try {
// 코드
} catch(e) {
// 코드
} finally {
// 코드
}
//throw new Error(message);
//throw new SyntaxError(message);
//throw new ReferenceError(message);
전개구문 사용
- 전개구문 사용 예제
function f(...x){
return x;
}
f(1, 2, 3, 4, 5)
let arr1 = [1, 2, 3, 4];
let arr2 = [10, 20, 30, 40];
let arr3 = [100, ...arr1, 200, ...arr2, 300]
let arr4 = [100, arr1, 200, arr2, 300]
console.log(arr3)
Math.max(...arr3);
let [a, b, c, ...d] = [10, 20, 30, 40, 50, 60, 70]
정규표현식
- 특정 패턴을 찾아낼 때 사용
연습사이트 : https://regexr.com/5nvc2
// 0 문자 제거
let s = '010100020201020304812123';
s.replace(/[^1-9]/g,"")
'11221234812123'
// 앞 뒤 공백 제거(캐릭터 클래스 `\\\\s`사용)
s = ' 010100020201020304812123 '
s.replace(/^\\\\s+|\\\\s+$/g,'')
'010100020201020304812123'
// 문자열 내 공백 제거
s = ' 01010002020 102030 4812123 ';
s.replace(/\\\\s/g,'')
'010100020201020304812123'
// 개행 제거
s = `
a
b
c
d
`
'\\\\na\\\\nb\\\\nc\\\\nd\\\\n'
s.replace(/\\\\n/g,'')
'abcd'
s = "hello world HELLO WORLD";
s.match(/hello/gi);
s1 = '010-5000-2000'
s2 = '010 5000 2000'
s3 = '010~5000!2000'
s4 = '010!!5000!!2000'
s5 = '01050002000'
s1.split(/-/g)
// hint
// s.split(/([a-z])([0-9])/g)
// s.split(/([a-z]{3})/g)
s1.split(/([0-9]{3})[- ~!]*([0-9]{4})[- ~!]*([0-9]{4})/)
/*
- `^` : 문자열의 시작
- `$` : 문자열의 종료. 옵션에 따라 문장의 끝 또는 문서의 끝에 매치된다.
- `.` : 임의의 한 문자
- `[]`: 문자 클래스. 문자 클래스 안에 들어가 있는 문자는 그 바깥에서 하나의 문자로 취급된다.
- `^` : 문자 클래스 내에서 ^는 not
- `-` : ex) a-z는 a에서 z까지의 문자
- `|` : or를 나타냄
- `?` : 앞 문자가 없거나 하나 있음
- `+` : 앞 문자가 하나 이상임
- `*` : 앞 문자가 0개 이상임
- `{n,m}` : 앞 문자가 `n`개 이상 `m`개 이하. `{0,1}` 은 `?`와 같은 의미다.
- `{n,}` : 앞 문자가 `n`개 이상. 위의 형태에서 `m`이 생략된 형태이다. `{0,}` 이면 `*`와 같고 `{1,}` 이면 `+`와 같은 의미이다.
- `{n}` : 앞 문자가 정확히 `n`개. `{n,n}` 과 같은 의미이다.
- `()` : 하나의 패턴구분자 안에 서브 패턴을 지정해서 사용할 경우 괄호로 묶어주는 방식을 사용한다.
- `\\\\s` : 공백문자
- `\\\\b` : 문자와 공백 사이를 의미한다.
- `\\\\d` : 숫자 [0-9]와 같다.
- `\\\\t` : 탭문자
- `\\\\w` : 단어 영문자+숫자+_(밑줄) [0-9a-zA-Z_]문자 이스케이프는 대문자로 적으면 반대를 의미한다.
[a-z] : a ~ z 사이의 문자를 찾음
[1-9] : 1 ~ 9 사이의 문자를 찾음
[abc] : a, b, c중 하나를 찾음
[^abc] : a, b, c를 제외한 문자를 찾음
.z : 아무 문자 하나를 . 기호로 찾으며 z로 끝남을 의미
a+ : a가 1개 이상을 의미함
a* : a가 0개 또는 그 이상을 의미함
s : 공백 문자를 찾음(스페이스, 탭 등), 대문자의 경우 아닌 문자를 찾음
d : 숫자를 찾음, 대문자의 경우 아닌 문자를 찾음
w : 알파벳 영문과 숫자와 언더바 _ 기호를 찾음, 대문자의 경우 아닌 문자를 찾음
t : 탭 공간을 찾음
g : 검색범위를 전역으로 확장
i : 대소문자를 구분하지 않음
gi : 검색 범위를 전역으로 확대하면서 대소문자를 구분하지 않음
m : 여러줄을 동시에 매칭함
*/
리터럴
- 리터럴은 약속된 기호를 사용해 값을 생성하는 것입니다. 예를 들어 문자를 생성하기 위해서는 작은 따옴표, 큰 따옴표, 템플릿 리터럴 중 하나를 사용하죠. 배열을 생성하려면 대괄호를, 오브젝트를 생성하려면 중괄호를 사용해야 합니다.
- new String(), new Array(), new Object()의 형식으로 만들어야 하는 것을 약속된 기호로 만들 수 있게 해준 것입니다.
- new Object() 의 리터럴 표현이 {}, new Number(1) 의 리터럴 표현이 1, new String("hello") 의 리터럴 표현이 "hello" 입니다.
- new Object()는 생성자 함수를 이용한 것이죠.
- 정규표현식 리터럴
let x = /[a-zA-Z0-9]/g
- 2진수, 8진수, 16진수 리터럴
let a = 0b1001 // a == 9
let b = 0o1001 // b == 513
let c = 0x1001 // c == 4097
사용자와 상호작용
- prompt('hello')
- confirm('hello')
- alert('hello')
구조분해할당
- 예제
for (let [[i, j], k] of [[[1, 2], 2], [[1, 2], 4]]) {
console.log(i, j);
}
let x = 10, y = 20
[x, y] = [y, x]
let {a, b} = {b:'hello', a:'world'}
- 다른 언어에서는 언패킹이라고 부르기도 합니다.
동기와 비동기 (JS 동작원리)
- js는 일을 처리할 수 있는 thread가 1개, 싱글쓰레드라고 함.
- 하지만 모든 일을 여러명이 처리할 수 없다면 항상 기다려야 하는 문제가 생길 수도 있고, 무한대기에 빠질 수도 있음.
// 순서대로 한다면 덧셈, 곱셈, hello world 순이지만
// 비동기이기 때문에 hello world, 곱셈, 덧셈 순이 됨
function 덧셈(a, b, 콜백함수) {
setTimeout(()=>{
let result = a + b
console.log(result)
}, 2000)
}
function 곱셈(a, b, 콜백함수) {
setTimeout(()=>{
let result = a * b
console.log(result)
}, 1000)
}
덧셈(20, 30)
곱셈(2, 6)
console.log('hello world')
- Promise (중요)
- pending(대기상태) - resolve(해결) - fulfilled(성공)
- pending(대기상태) - reject(거부) - rejected(실패)
new Promise((resolve, reject) => {
//code
})
.then(result => result)
.then(result => result)
.catch(err => err)
.finally(result => result)
let p = new Promise(function(resolve, reject) {
resolve('hello world');
}).then(메시지 => {
alert(메시지);
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
});
p
//Promise {: undefined}
let p = new Promise(function(resolve, reject) {
// resolve('hello world');
reject('hello world');
}).then(메시지 => {
alert(메시지);
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
}).catch(메시지 => {
alert('catch 실행!! :' + 메시지);
});
let p = new Promise(function(resolve, reject) {
// resolve('hello world');
reject('hello world');
}).then(메시지 => {
alert(메시지);
throw Error("에러 발생!")
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
}).catch(메시지 => {
alert('catch 실행!! :' + 메시지);
});
let p = new Promise(function(resolve, reject) {
resolve('hello world');
//reject('hello world');
}).then(메시지 => {
alert(메시지);
throw Error("에러 발생!")
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
}).catch(메시지 => {
alert('catch 실행!! :' + 메시지);
});
let p = new Promise(function(resolve, reject) {
setTimeout(() => resolve("끝남!"), 3000);
});
console.log('hello world');
console.log(p);
//VM92:4 hello world
//VM92:5 Promise {}
// 3초 후
console.log(p)
///VM139:1 Promise {: '끝남!'}
let p = new Promise(function(resolve, reject) {
setTimeout(() => resolve("끝남!"), 10000);
});
console.log('hello world');
console.log(p);
//VM180:1 Promise {}
console.log(p)
// VM184:1 Promise {}
console.log(p)
// VM184:1 Promise {}
console.log(p)
// VM184:1 Promise {}
console.log(p)
//VM204:1 Promise {: '끝남!'}
// 실행하지 마세요. pending에 빠집니다.
//let p = new Promise(function(resolve, reject) {
// console.log('hello world')
//}).then(d => console.log(d)).catch(e => console.log(e));
let snack = async function() {
return "cake!";
};
snack
// async ƒ () {
// return "cake!";
// }
snack()
//Promise {: 'cake!'}
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
f
//Promise {: Response}
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
.then(function(response) {
return response.json();
})
.then(function(json) {
console.log(json);
return json
})
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
.then(d => d.json())
.then(d => console.log(d))
//VM458:7 (18) [{…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}]0: {시·도별(1): '전국', 총인구 (명): 52980961, 1차 접종 누계: 15199919, 2차 접종 누계: 4521785, 1차 접종 퍼센트: 28.6893984426, …}1: {시·도별(1): '서울', 총인구 (명): 9911088, 1차 접종 누계: 2811191, 2차 접종 누계: 835878, ...중략...
// 뒤에서 나올 DOM api 사용
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
.then(data => {
console.log('데이터 받기 성공!')
const jsonData = data.json()
return jsonData
})
.then(json => {
json.forEach(item => {
console.log(item)
const h2 = document.createElement('h2')
h2.innerText = item['시·도별(1)']
document.body.append(h2)
const p = document.createElement('p')
p.innerText = item['총인구 (명)']
document.body.append(p)
})
})
.catch(e => {
console.log('json 변환 실패!!')
})
/////////
// 동기처리 //
setTimeout(()=> {
console.log('5초 끝!')
}, 5000);
setTimeout(()=> {
console.log('10초 끝!')
}, 10000);
function cook(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}
const myCake = async () => {
await cook(3000);
return '케이크';
};
const myCoffee = async () => {
await cook(2000);
return '커피';
};
const myCookie = async () => {
await cook(5000);
return '쿠키';
};
async function asyncProcess() {
const cake = await myCake();
console.log(cake);
const coffee = await myCoffee();
console.log(coffee);
const cookie = await myCookie();
console.log(cookie);
}
asyncProcess();
///////////
// 비동기처리 //
setTimeout(()=> {
console.log('5초 끝!')
}, 5000);
setTimeout(()=> {
console.log('10초 끝!')
}, 10000);
function cook(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}
const myCake = async () => {
await cook(3000);
return '케이크';
};
const myCoffee = async () => {
await cook(2000);
return '커피';
};
const myCookie = async () => {
await cook(5000);
return '쿠키';
};
async function promiseProcess() {
const results = await Promise.all([myCake(), myCoffee(), myCookie()]);
console.log(results);
}
promiseProcess();
// 질의응답
async function a() {
console.log(1);
setTimeout(()=> {
console.log(2)
}, 0);
console.log(3)
}
a()
// 1, 3, 2
async function a() {
console.log(1);
await setTimeout(()=> {
console.log(2)
}, 1000);
console.log(3)
}
a()
// 1, 3, 2
// why? await은 promise 앞에서만 사용
// await [[Promise 객체]] 의 형식
- fetch
- https://ko.javascript.info/fetch
- Fetch는 비동기 네트워크 통신을 구현하기 위해 사용하는 Web API이다.
- 자바스크립트를 이용하여 브라우저가 서버에게 비동기적으로 데이터를 요청하고, 응답 받은 데이터를 동적으로 페이지 렌더링 하는 방식을 Ajax(Asynchronous Javascript and XML)라고 하고 대표적인 Web API로는 XMLHttpRequest 객체, JQuery, fetch 등이 있다.
- response.text()
- response.json()
- response.formData() - FormData 객체 반환
- response.blob() - Blob(타입이 있는 바이너리 데이터) 형태 반환
- Blob(Binary Large Object)은 이미지 등과 같은 멀티미디어 데이터를 다룰 때 사용하는 데이터 형식
- https://heropy.blog/2019/02/28/blob/ 블로그 글 추천
- response.arrayBuffer() – ArrayBuffer(바이너리 데이터를 로우 레벨 형식으로 표현한 것) 형태 반환
fetch('<https://jsonplaceholder.typicode.com/users/3>')
.then(response => response.json())
.then(json => console.log(json))
async function getUserEmail(id){
const response = await fetch(`https://jsonplaceholder.typicode.com/users/${id}`);
const user = await(response.json());
const email = user.email;
console.log(email)
}
async function printImg(){
const response = await fetch(`https://picsum.photos/200`);
const blobImg= await(response.blob());
//blob을 담을 img 태그를 만든다.
const img = document.createElement('img');
//html body에 위에서 만든 img 태그를 삽입한다.
document.body.append(img);
//img 태그의 주소를 설정한다.
img.src = URL.createObjectURL(blobImg);
}
printImg()
fetch('')
.then(function(response) {
console.log(1);
return response.json();
})
.then(json => {
const imgURL = '' + json[0]['thumbnailImg']
console.log(imgURL)
const img2 = document.createElement('img');
//html body에 위에서 만든 img 태그를 삽입한다.
document.body.append(img2);
img2.src = imgURL
})
/*
async function request() {
const response = await fetch('url 기입',
{
method: "GET", //POST, DELETE, PUT
headers: {
"Content-type": "콘텐츠 형태",
//application/json, text/plain 등
},
body: JSON.stringify(
서버에 전달할 데이터
);
});
const data = await response.json();
console.log(data);
}
request();
*/
DOM
DOM을 탐색해봅시다.
// body>h1{hello world}+p{hello}+div>h1{hello world}+p{hello}
document.body.childNodes
document.body.childNodes[1].textContent = 'hello hojun'
document.body.childNodes[3].childNodes[1]
// 해당하는 Id를 가진 요소에 접근하기
document.getElementById()
// 해당하는 모든 요소에 접근하기
document.getElementsByTagName();
// 해당하는 클래스를 가진 모든 요소에 접근하기
document.getElementsByClassName();
// css 선택자로 단일 요소에 접근하기
document.querySelector("selector");
1. ("selector") -> Tag로 접근
2. ("#selector") -> Id로 접근
3. (".selector") -> Class로 접근
// css 선택자로 여러 요소에 접근하기
document.querySelectorAll("selector");
// target 요소를 생성합니다.
document.createElement(target);
// target 텍스트를 생성합니다.
document.createTextNode(target);
// target 요소를 element의 자식으로 위치합니다.
element.appendChild(target);
// element의 target 자식 요소를 제거합니다.
element.removeChild(target);
// parentElement.insertBefore(target, location); target요소를 parentElement의 자식인 location 위치 앞으로 이동합니다.
var span = document.createElement("span");
var sibling = document.getElementById("childElement");
var parentDiv = document.getElementById("parentElement");
parentDiv.insertBefore(span, sibling);
const myP = document.querySelector("p");
myP.innerHTML = "<strong>I'm Strong!!</strong>";
///////////////
const cont = document.querySelector(".cont");
console.log(cont.firstElementChild); // 첫번째 자식을 찾습니다.
console.log(cont.lastElementChild); // 마지막 자식을 찾습니다.
console.log(cont.nextElementSibling); // 다음 형제요소를 찾습니다.
console.log(cont.previousSibling); // 이전 형제노드를 찾습니다.
console.log(cont.children); // 모든 직계자식을 찾습니다.
console.log(cont.parentElement); // 부모 요소를 찾습니다.
// 브라우저의 기본 이벤트 동작을 취소
event.preventDefault();
수업 환경 설정
about:blank
자바스크립트 삽입위치
head, body의 문서 처음, 중간, 끝
보통 body의 맨 끝
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
</head>
<body>
<h1 id="one">hello world 1</h1>
<h1 onclick="alert('hello')">hello world 2</h1>
<script>
document.getElementById('two').innerHTML = 'hello'
</script>
<h1 id="two">hello world 2</h1>
</body>
</html>
내부 스크립트와 외부 스크립트
<script>
console.log('hello')
</script>
<script src="test.js"></script>
JavaScript를 출력하는 4가지 방법
- 문서 내에 요소를 선택하여 출력하는 방법(innerHTML, innerText 등)
- 문서 내에 직접 출력하는 방법(write 등)
- 사용자 인터렉션(alert, confirm 등)
- 콘솔에 찍는 방법(console.log, console.table, console.error 등)
코드 구조
- 문(statement)은 세미콜론으로 구분(세미콜론을 붙이지 않는 곳도 있습니다.)
- 문은 값, 연산자, 키워드, 명령어, 표현식(값으로 평가, 함수나 key, index를 통한 값의 호출도 표현식) 등으로 구성됩니다.
- 공백 병합
let x = 10,
y = 20,
z = 30
console
.log(
x,
y,
z,
)
// .a()
// .b()
// .c()
주석
// 한 줄 주석입니다.
/*
여러줄 주석입니다.
*/
엄격모드
- ES5에서 최신의 문법들이 많이 추가가 되었는데 기존에 있었던 문법을 변경하는 문법도 나옴
- 이러한 문법들은 기존 코드의 문제를 불러일으킬 수 있기 때문에 use strict라는 지시자를 통해 엄격모드를 활성화 했을 때에만 반영
- class 문법의 경우 엄격 모드가 기본
- 함수별로 엄격모드를 다르게 적용할 수 있으나 혼란을 야기할 수 있습니다.
"use strict";
// 코드
변수
- 변수 이름 규칙
- 변수는 숫자로 시작할 수 없다.
- 띄어쓰기가 안된다.
- 예약어를 사용할 수 없다.(예약어가 사용 불가능한 것은 아닙니다.)
- $, _를 제외한 특수문자를 사용하지 않는다.
- 대소문자를 구분한다.
- class는 첫 문자를 대문자로, 나머지는 보통 소문자로 시작한다.
- var, let, const
if (true) {
const testName = 'hojun'
let testAge = 10
}
if (true) {
var testName2 = 'hojun'
var testAge2 = 10
}
- var(ES5 이전, 지금 사용 권장 X) : 함수 레벨 스코프, 재선언시 애러 X
- let(ES5) : 블록 레벨 스코프, 재선언시 애러 O, 콘솔에서는 애러 X, 변경가능한 자료형
- const(ES5) : 블록 레벨 스코프, 재선언시 애러 O, 콘솔에서는 애러 X, 변경이 불가능한 자료형(상수)
// $를 앞에 붙이는 것은 회사마다 사용하는 방법이 다르고 여기서는 id를 담아두는 변수로 사용할 때 사용함.
const $one = dovument.getElementById('one');
$one.innerHTML = 'hi world';
연산
- 산술 연산자(+, -, /, *, **, %)
let x = 3;
let y = 10;
console.log(x + y) // 13
console.log(x - y) // -7
console.log(x / y) // 0.3
console.log(x * y) // 30
console.log(x ** y) // 3의 10승
console.log(x % y) // 나머지 1
- 할당 연산자(=, +=, -=, /=, *=, **=, %=) → 값을 누적해주고 싶을 때 사용
- 논리 연산자(&&, ||, !, !!, &, |)
- 참 -> true -> 1
- 거짓 -> false -> 0
- &&는 곱
- ||는 합
- !는 부정
- 암기코드
for (let x = 0; x < 100; x++) {
if(x % 3 == 0 && x % 5 == 0){
console.log(x)
}
}
// 앞에 값이 널이냐를 확인하고 싶은 경우, 단락 회로 평가라고 부릅니다.
result1 = 10 || 100;
result2 = 0 && 100;
result3 = null || 100;
result4 = null && 100;
username = 'hojun';
result5 = username || '유저 이름이 없습니다';
username = undefined;
result5 = username || '유저 이름이 없습니다';
- 비교 연산자(>, >=, <, <=, ==, !=, ===, !==)
// 자바스크립트에서는 타입이 달라도 값이 같으면 true로 인식한다.
let x = 3;
let y = '3';
console.log(x == y); // true
console.log(x === y); // false
- 단항 산술 연산자(++x, x++, --x, x--)
- nullish 병합 연산자(??)
let result1;
let result2 = result1 ?? 100;
let result3 = 10;
let result4 = result3 ?? 100;
let result5 = null;
let result6 = result5 ?? 100;
- typeof 연산자
typeof 10 // 'number'
typeof '10' // 'string'
- 프로퍼티 접근 연산자
- 마침표 프로퍼티 접근 연산자
let x = {'one' : 1, 'two' : 2} x.one // 1
- 대괄호 프로퍼티 접근 연산자
let x = {'one' : 1, 'two' : 2} x['one'] // 1
- 관계 연산자
- 키만 가지고 판단
10 in [10, 20, 30] // false
1 in [10, 20, 30] // true
1 in 'hello' // error
'name' in {'name':'hojun', 'age':10} //true
'length' in [10, 20, 30]; // true
변수의 형
변수(타입, typeof로 확인 가능)
- 원시타입(primitive types) : number, string, boolean, null, undefined, symbol(ES6 추가, 변경 불가능한 유일한 값)
- 참조타입(reference types) : object(object, array, map, set), function
- Number(숫자)
- 형태 : 10, 10.123, -10
- 호출 : 변수명
- 메서드 :
- 10.toString()는 안됩니다. 이유는 무엇일까요? 소수점 때문에 그렇습니다.(JavaScript의 parsing때문이고, 아는 분이 많지는 않습니다.)
- (10).toString()와 변수명.toString()은 가능합니다.
- num.toFixed()
- Number() → 권고하지 않는다. 이유는 아래 parseInt()가 안전하기 때문이다.
Number('10') + Number('10'); // 20
- parseInt() - 권고, parseFloat()
parseInt('1hello world') // 1 Number('hello world') // NaN
- Math
- Math.PI
- Math.max()
- Math.min()
- Math.floor()
- Math.round()
- Math.random()
- Math.abs()
- Math.sqrt()
- Math.pow()
- NaN
- Infinity, -Infinity
- String(문자열)
- 형태 : 'abcde', "abcde", abcde, abcde${변수명}
let name = 'aaron'; let age = 10; // 예전에는 console.log('My name is ' + name + 'My age is ' + age + 'years old'); // 지금은 아래처럼 간편하게 사용가능하다. -> Template Literal 문법이라고 한다. console.log('My name is ${name}. My age is ${age}years old');
- 호출 : 변수명, 변수명[0] (변수명[index], 호출은 할 수 있지만 개별 값 변경 불가)
- 메서드 :
- str.length
- str.indexOf()
- str.lastIndexOf()
- str.includes()
- str.slice() → slice(2) 라고 하면 2번째 index 부터 출력해준다.
- str.splice()
- str.split()
- str.substring()
- str.substr()
- str.toLowerCase()
- str.toUpperCase()
- str.trim()
- str.replace() → 정규표현식을 사용할 수도 있다.
- str.concat()
- str.repeat()
'hello'.repeat(100) '0'.repeat(100) '5'.repeat(100).split('').map(Number)
- Boolean(논리값)
- 형태 : true, false
- 호출 : 변수명
- 어떤 것이 true이고 어떤 것이 false인지 판단할 수 있어야 합니다.(truthy, falsy -> 우리가 매우 깊이 다뤘던 내용입니다.) → !!를 사용하여 true인지 false인지 확인할 수 있다.
- undefine : undefind
- 형태 : let a, console.log(a)
- null : object
- 형태 : let a = null
- Array(배열) : object
- 형태 :
['하나', '둘', '셋'] [100, 200, 300] [{'one':1, 'two':2}, {'one':10, 'two':20}] [[10, 20], [100, 200], [1000, 2000]] // x[0] -> {one: 1, two: 2} // x[0]['one'] -> 1 // 3차원 let x =[[[1, 2], [10, 20], [100, 200]], [[3, 4], [30, 40], [300, 400]]]
- 호출 : 변수명, 변수명[0], 변수명[0][0] (변수명[index], 개별값 변경 가능)
- Array
- 메서드 :
- length
- forEach → x.forEach(x ⇒ console.log(x ** 2)) : x의 값을 각각 2승 해주라는 의미.
- map → 많은 데이터에서 새로운 배열을 만들어 원하는 데이터를 출력할 때 사용
- [{}, {}, {}].map(x ⇒ x[’age’]) : json으로 된 많은 데이터에서 age의 데이터만 배열로 뽑겠다는 의미.
- filter : 보통 map으로 원하는 배열을 만들고 filter로 원하는 조건을 설정.
- find : filter는 조건에 해당하는 값이 여러개면 모두 보여주지만 find는 첫번째 값만 출력해주고 끝낸다.
- push / pop - mutable
- slice - immutable
- splice - mutable
- reduce - immutable
- join
- indexOf
- includes
- concat
- every
- some
- fill — mutable
- → Array(100).fill(0).map((value, index + 1) ⇒ value + index + 100) : 1 부터 100까지 100이라는 값에 인덱스가 생성된다.
- shift — mutable
- unshift — mutable
- reverse — mutable
- sort — mutable
Array(100).fill(0)
Array(100).fill('hello')
Array(100).fill('hello'.repeat(2))
Array(100).fill(0).map((value, index)=> value + index)
// Array(100).fill(0).map((value, index + 1) ⇒ value + index + 100)
// : 1 부터 100까지 100이라는 값에 인덱스가 생성된다.
- Object(객체) → map이 나오기 전 구형
- 형태 :
{ "지역이름": "전국", // key : value(2개의 집합을 가리켜 객체 프로퍼티) "확진자수": 24889, "격리해제수": 23030, "사망자수": 438, "십만명당발생율": 48.0 } { 'one' : 1, 'o n e' : 1, '1 one' : 1 } { one : 1, o n e : 1, // error 1 one : 1 // error } // 아래는 새로 나온 문법이다. let x=1, y=2, z=3 let object = {x, y, z} // {x: 1, y: 2, z: 3}
- 호출 : 변수명, 변수명.지역이름, 변수명['지역이름'] (변수명.key, 변수명[key])
- 수정, 삭제 :
- 수정 : value['hello'] = 'world', value['hello'] = null
- 삭제 : delete value['hello']는 추천하지 않음(메모리 상에 'world'가 남아있음, value['hello'] = null을 권장)
- 속성 :
- console.log(Object.getOwnPropertyDescriptor(person, 'name')); Object.getOwnPropertyDescriptors(person) // {10: {…}, name: {…}, age: {…}, height: {…}, weight: {…}, 이력: {…}} // value: '이호준', // writable: true, // 변경 가능 여부, 기본값 false // enumerable: true, // 열거(for) 가능 여부, 기본값 false // configurable: true // 재정의 가능 여부, 기본값 false
- 메서드 : Object.keys, Object.values, Object.entries
//변수명.keys()와 같은 형식은 안됩니다. x.keys()
- Map : object → 위의 메서드를 쓰고 싶은데 바로 쓰기 어려우니 Map이 탄생했다.
- 메서드 : set, get, has, delete, size
let map = new Map()
map.set('one', 100)
map.set('two', 200)
map.set('three', 300)
map.set('four', [10, 20])
map.set(5, [100, 200])
map.set([1, 2], [100, 200])
map.get(5)
let human = {
name:'hojun3',
age:30,
local:'jeju'
}
let hojun = new Map(Object.entries(human))
- Set : object
- 메서드 : add, delete, has, size
- 중복을 허락하지 않는다
- 합집합, 교집합, 차집합 등에 메서드가 있진 않지만, 이러한 합집합, 교집합, 차집합을 구현하기 위해 Set을 사용하는 경우가 많습니다.
let set = new Set()
set.add(1);
set.add(1);
set.add(2);
set.add(2);
set.add(3);
set.add(3);
set.add(3);
set.add(3);
set.size
// let set = new Set([1, 2, 3, 3, 3, 3])
// let set = new Set('helllllllllo')
let a = new Set([1, 2, 3])
let b = new Set([3, 4, 5])
const 합집합 = new Set([...a, ...b]);
const 교집합 = new Set([...a].filter(x => b.has(x)));
const 차집합1 = new Set([...a].filter(x => !b.has(x)));
const 차집합2 = new Set([...b].filter(x => !a.has(x)));
조건문과 반복문
조건문
- if
- else if
- else
- switch
if(false) {
console.log('hello 1')
}
if(false) {
console.log('hello 2')
}
if(true) {
console.log('hello 3')
}
if(true) {
console.log('hello 4')
}
if(false){
console.log('hello 1')
}
else if(false) {
console.log('hello 2')
}
else if(true) {
console.log('hello 3') // 여기서 출력 후 종료
}
else if(true) {
console.log('hello 4')
}
else {
console.log('!!')
}
let result = true ? 1 : 100;
let day
switch (new Date().getDay()) {
case 0:
day = "일";
break;
case 1:
day = "월";
break;
case 2:
day = "화";
break;
case 3:
day = "수";
break;
case 4:
day = "목";
break;
case 5:
day = "금";
break;
case 6:
day = "토";
}
console.log(day)
반복문
- for
- for in
- for of
- while
- do while
- forEach
- break
- continue
//예제
for (let i = 0; i < 10; i++) {
console.log(i)
}
//예제
let a = [10, 20, 30, 40];
// let a = 'hello';
// let a = '19821'
for (let i of a) {
console.log(i);
}
//예제
let a = [10, 20, 30, 40];
for (let i in a) {
console.log(i);
}
let a = {'one':1, 'two':2};
for (let i in a) {
console.log(i);
}
//예제
let x = 0;
while (x < 10) {
console.log(x);
x++;
}
// 무한반복
while (true) {}
= while (;;) {}
//예제
let x = 0;
do {
console.log(x);
x++;
} while (x < 10)
//예제
let a = [10, 20, 30, 40];
a.forEach(e => console.log(e**2));
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) {
break; // 반복문 탈출 }
console.log(i)
}
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) break;
console.log(i);
}
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) break;
console.log(i);
}
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) continue; // 다음 loop로 이동
console.log(i);
}
// 고차원 순회
let a = [[[1, 2], [10, 20], [100, 200]],
[[3, 4], [30, 40], [300, 400]]]
for (let i of a){
for (let j of i){
for (let k of j){
console.log(k)
}
}
}
let data = [{
name: 'hojun',
age:10,
friends:[
['직장', '라이켓'],
['친구', '뮤'],
]
}, {
name: 'gildong',
age:11,
friends:[
['직장', 'gary'],
]
}]
for (let i of data){
for (let j in i){
//console.log(i[j])
if (j == 'friends'){
console.log(i[j])
}
}
}
함수와 클래스
함수
- 함수 표현식과 함수 선언식
let 함수표현식 = function(){} // 호이스팅 X
function 함수선언식(){} // 호이스팅 O
- 함수(파선아실) : 파라미터는 선언할 때 아규먼트는 실제 사용하는 값이다.
- 여기서 x, y를 보통 한국에서는 인자
- 매개변수(파라미터, parameter) : x, y
- 전달인자(아규먼트, argument) : 3, 5
- 사용이유
- 재사용성
- 아키텍처 파악
- 유지보수
function 땅다지기(){} function 시멘트작업(){} function 철근(){} function 벽돌(){} function 지붕(){} 땅다지기() 시멘트작업() 철근() 벽돌() 지붕()
- 예제
function add(x, y){ return x + y; } add(3, 5) function add(a = 100, b = 200) { console.log(a, b); return a + b; } add(10, 20); // 30 add(10); // 210 add(); -> default 값 // 300 add(b=300) // a에 입력 // 500 add(undefined, 300); // 400 function add({ a = 100, b = 200 }) { console.log(a+b); } add({b: 300}); // 400
- 콜백함수
- 화살표 함수를 콜백함수로 사용했을 경우의 장단점
- 장점 : 네이밍을 안해도 됩니다.
- 장점 : 다른 곳에서 사용할 수가 없다.
- 단점 : 콜백지옥에 빠질 수가 있습니다.
function cal(a, b){ return a(10, 10) + b(10, 10); } cal((a, b) => a + b, (a, b) => a * b);
- 화살표 함수를 콜백함수로 사용했을 경우의 장단점
- function add(x, y) { return x + y; } function mul(x, y) { return x * y; } function cal(a, b){ return a(10, 10) + b(10, 10); } cal(add, mul);
- 화살표함수
- function 제곱(x) { return x**2 } // 함수표현식, 호이스팅 X let 제곱 = x => x**2; -> 식이 복잡하다면 맨밑에 예시처럼 (), {}로 묶어서 사용한다. function f(a, b) { let z = 10 let result = z + a + b return result } // 함수표현식, 호이스팅 X let f = (a, b) => { let z = 10 let result = z + a + b return result };
- 기명 함수
- // 기명 함수 let aa = function sum(x, y) { return x + y } // 익명 함수인것 같지만 바뀜 let bb = function(x, y) { return x + y } // ES5에서는 빈 문자열이었는데 ES6에서 name 값을 가지는 것으로 바뀌었습니다. let cc = (x, y) => x + y;
- 익명 함수
- console.dir(function (x, y) {return x + y;})
클래스
- 클래스 - 붕어빵 찍는 틀, 공장
- 인스턴스 - 붕어빵, 제품
class Notice {
constructor(title, contents, author){ // constructor은 여기서 고정이름이다.
this.title = title
this.contents = contents
this.author = author
}
수정하기(title, contents, author){
this.title = title
this.contents = contents
this.author = author
}
}
dataBase = []
게시물1 = new Notice('제목1', '내용1', '저자1')
dataBase.push(게시물1)
게시물2 = new Notice('제목2', '내용2', '저자2')
dataBase.push(게시물2)
게시물3 = new Notice('제목3', '내용3', '저자3')
dataBase.push(게시물3)
dataBase.forEach(d => {
제목 = document.createElement('h1')
제목.textContent = d.title
내용 = document.createElement('p')
내용.textContent = d.contents
저자 = document.createElement('p')
저자.textContent = d.author
document.body.append(제목)
document.body.append(내용)
document.body.append(저자)
})
// dataBase.splice()와 같은 것으로 삭제, 실제로는 mongoDB와 같은 곳에서 삭제
class Human {
constructor() {}
// 인스턴스 메서드, 인스턴스 프로퍼티 메서드, 프로토타입 메서드
a() {}
// 클래스 메서드, 클래스 프로퍼티 메서드, 정적 메서드
static b() {}
}
hojun = new Human('호준')
typeof hojun // object
typeof Human // function
// getter - 획득
// setter - 설정
// # = private 필드
class Student {
subject = 'javascript study'
#level;
constructor(level, name, skill) {
this.#level = level;
this.name = name;
this.skill = skill;
}
get level() {
// hojun.level로 출력
return this.#level;
}
set level(level) {
// hojun.level = 10
this.#level = level;
}
attack(){
console.log('파이어볼!')
}
}
class Mento extends Student {
codeReview() {
console.log('코드리뷰를 진행합니다.');
}
}
let hojun = new Student(999, '호준', ['python', 'js', '...생략...']);
let hojun2 = new Mento(999, '호준', ['python', 'js', '...생략...']);
예외처리, 전개표현식, 정규표현식, 리터럴 등
예외처리
try {
// 코드
} catch(e) {
// 코드
} finally {
// 코드
}
//throw new Error(message);
//throw new SyntaxError(message);
//throw new ReferenceError(message);
전개구문 사용
- 전개구문 사용 예제
function f(...x){
return x;
}
f(1, 2, 3, 4, 5)
let arr1 = [1, 2, 3, 4];
let arr2 = [10, 20, 30, 40];
let arr3 = [100, ...arr1, 200, ...arr2, 300]
let arr4 = [100, arr1, 200, arr2, 300]
console.log(arr3)
Math.max(...arr3);
let [a, b, c, ...d] = [10, 20, 30, 40, 50, 60, 70]
정규표현식
- 특정 패턴을 찾아낼 때 사용
연습사이트 : https://regexr.com/5nvc2
// 0 문자 제거
let s = '010100020201020304812123';
s.replace(/[^1-9]/g,"")
'11221234812123'
// 앞 뒤 공백 제거(캐릭터 클래스 `\\\\s`사용)
s = ' 010100020201020304812123 '
s.replace(/^\\\\s+|\\\\s+$/g,'')
'010100020201020304812123'
// 문자열 내 공백 제거
s = ' 01010002020 102030 4812123 ';
s.replace(/\\\\s/g,'')
'010100020201020304812123'
// 개행 제거
s = `
a
b
c
d
`
'\\\\na\\\\nb\\\\nc\\\\nd\\\\n'
s.replace(/\\\\n/g,'')
'abcd'
s = "hello world HELLO WORLD";
s.match(/hello/gi);
s1 = '010-5000-2000'
s2 = '010 5000 2000'
s3 = '010~5000!2000'
s4 = '010!!5000!!2000'
s5 = '01050002000'
s1.split(/-/g)
// hint
// s.split(/([a-z])([0-9])/g)
// s.split(/([a-z]{3})/g)
s1.split(/([0-9]{3})[- ~!]*([0-9]{4})[- ~!]*([0-9]{4})/)
/*
- `^` : 문자열의 시작
- `$` : 문자열의 종료. 옵션에 따라 문장의 끝 또는 문서의 끝에 매치된다.
- `.` : 임의의 한 문자
- `[]`: 문자 클래스. 문자 클래스 안에 들어가 있는 문자는 그 바깥에서 하나의 문자로 취급된다.
- `^` : 문자 클래스 내에서 ^는 not
- `-` : ex) a-z는 a에서 z까지의 문자
- `|` : or를 나타냄
- `?` : 앞 문자가 없거나 하나 있음
- `+` : 앞 문자가 하나 이상임
- `*` : 앞 문자가 0개 이상임
- `{n,m}` : 앞 문자가 `n`개 이상 `m`개 이하. `{0,1}` 은 `?`와 같은 의미다.
- `{n,}` : 앞 문자가 `n`개 이상. 위의 형태에서 `m`이 생략된 형태이다. `{0,}` 이면 `*`와 같고 `{1,}` 이면 `+`와 같은 의미이다.
- `{n}` : 앞 문자가 정확히 `n`개. `{n,n}` 과 같은 의미이다.
- `()` : 하나의 패턴구분자 안에 서브 패턴을 지정해서 사용할 경우 괄호로 묶어주는 방식을 사용한다.
- `\\\\s` : 공백문자
- `\\\\b` : 문자와 공백 사이를 의미한다.
- `\\\\d` : 숫자 [0-9]와 같다.
- `\\\\t` : 탭문자
- `\\\\w` : 단어 영문자+숫자+_(밑줄) [0-9a-zA-Z_]문자 이스케이프는 대문자로 적으면 반대를 의미한다.
[a-z] : a ~ z 사이의 문자를 찾음
[1-9] : 1 ~ 9 사이의 문자를 찾음
[abc] : a, b, c중 하나를 찾음
[^abc] : a, b, c를 제외한 문자를 찾음
.z : 아무 문자 하나를 . 기호로 찾으며 z로 끝남을 의미
a+ : a가 1개 이상을 의미함
a* : a가 0개 또는 그 이상을 의미함
s : 공백 문자를 찾음(스페이스, 탭 등), 대문자의 경우 아닌 문자를 찾음
d : 숫자를 찾음, 대문자의 경우 아닌 문자를 찾음
w : 알파벳 영문과 숫자와 언더바 _ 기호를 찾음, 대문자의 경우 아닌 문자를 찾음
t : 탭 공간을 찾음
g : 검색범위를 전역으로 확장
i : 대소문자를 구분하지 않음
gi : 검색 범위를 전역으로 확대하면서 대소문자를 구분하지 않음
m : 여러줄을 동시에 매칭함
*/
리터럴
- 리터럴은 약속된 기호를 사용해 값을 생성하는 것입니다. 예를 들어 문자를 생성하기 위해서는 작은 따옴표, 큰 따옴표, 템플릿 리터럴 중 하나를 사용하죠. 배열을 생성하려면 대괄호를, 오브젝트를 생성하려면 중괄호를 사용해야 합니다.
- new String(), new Array(), new Object()의 형식으로 만들어야 하는 것을 약속된 기호로 만들 수 있게 해준 것입니다.
- new Object() 의 리터럴 표현이 {}, new Number(1) 의 리터럴 표현이 1, new String("hello") 의 리터럴 표현이 "hello" 입니다.
- new Object()는 생성자 함수를 이용한 것이죠.
- 정규표현식 리터럴
let x = /[a-zA-Z0-9]/g
- 2진수, 8진수, 16진수 리터럴
let a = 0b1001 // a == 9
let b = 0o1001 // b == 513
let c = 0x1001 // c == 4097
사용자와 상호작용
- prompt('hello')
- confirm('hello')
- alert('hello')
구조분해할당
- 예제
for (let [[i, j], k] of [[[1, 2], 2], [[1, 2], 4]]) {
console.log(i, j);
}
let x = 10, y = 20
[x, y] = [y, x]
let {a, b} = {b:'hello', a:'world'}
- 다른 언어에서는 언패킹이라고 부르기도 합니다.
동기와 비동기 (JS 동작원리)
- js는 일을 처리할 수 있는 thread가 1개, 싱글쓰레드라고 함.
- 하지만 모든 일을 여러명이 처리할 수 없다면 항상 기다려야 하는 문제가 생길 수도 있고, 무한대기에 빠질 수도 있음.
// 순서대로 한다면 덧셈, 곱셈, hello world 순이지만
// 비동기이기 때문에 hello world, 곱셈, 덧셈 순이 됨
function 덧셈(a, b, 콜백함수) {
setTimeout(()=>{
let result = a + b
console.log(result)
}, 2000)
}
function 곱셈(a, b, 콜백함수) {
setTimeout(()=>{
let result = a * b
console.log(result)
}, 1000)
}
덧셈(20, 30)
곱셈(2, 6)
console.log('hello world')
- Promise (중요)
- pending(대기상태) - resolve(해결) - fulfilled(성공)
- pending(대기상태) - reject(거부) - rejected(실패)
new Promise((resolve, reject) => {
//code
})
.then(result => result)
.then(result => result)
.catch(err => err)
.finally(result => result)
let p = new Promise(function(resolve, reject) {
resolve('hello world');
}).then(메시지 => {
alert(메시지);
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
});
p
//Promise {: undefined}
let p = new Promise(function(resolve, reject) {
// resolve('hello world');
reject('hello world');
}).then(메시지 => {
alert(메시지);
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
}).catch(메시지 => {
alert('catch 실행!! :' + 메시지);
});
let p = new Promise(function(resolve, reject) {
// resolve('hello world');
reject('hello world');
}).then(메시지 => {
alert(메시지);
throw Error("에러 발생!")
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
}).catch(메시지 => {
alert('catch 실행!! :' + 메시지);
});
let p = new Promise(function(resolve, reject) {
resolve('hello world');
//reject('hello world');
}).then(메시지 => {
alert(메시지);
throw Error("에러 발생!")
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
}).catch(메시지 => {
alert('catch 실행!! :' + 메시지);
});
let p = new Promise(function(resolve, reject) {
setTimeout(() => resolve("끝남!"), 3000);
});
console.log('hello world');
console.log(p);
//VM92:4 hello world
//VM92:5 Promise {}
// 3초 후
console.log(p)
///VM139:1 Promise {: '끝남!'}
let p = new Promise(function(resolve, reject) {
setTimeout(() => resolve("끝남!"), 10000);
});
console.log('hello world');
console.log(p);
//VM180:1 Promise {}
console.log(p)
// VM184:1 Promise {}
console.log(p)
// VM184:1 Promise {}
console.log(p)
// VM184:1 Promise {}
console.log(p)
//VM204:1 Promise {: '끝남!'}
// 실행하지 마세요. pending에 빠집니다.
//let p = new Promise(function(resolve, reject) {
// console.log('hello world')
//}).then(d => console.log(d)).catch(e => console.log(e));
let snack = async function() {
return "cake!";
};
snack
// async ƒ () {
// return "cake!";
// }
snack()
//Promise {: 'cake!'}
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
f
//Promise {: Response}
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
.then(function(response) {
return response.json();
})
.then(function(json) {
console.log(json);
return json
})
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
.then(d => d.json())
.then(d => console.log(d))
//VM458:7 (18) [{…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}]0: {시·도별(1): '전국', 총인구 (명): 52980961, 1차 접종 누계: 15199919, 2차 접종 누계: 4521785, 1차 접종 퍼센트: 28.6893984426, …}1: {시·도별(1): '서울', 총인구 (명): 9911088, 1차 접종 누계: 2811191, 2차 접종 누계: 835878, ...중략...
// 뒤에서 나올 DOM api 사용
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
.then(data => {
console.log('데이터 받기 성공!')
const jsonData = data.json()
return jsonData
})
.then(json => {
json.forEach(item => {
console.log(item)
const h2 = document.createElement('h2')
h2.innerText = item['시·도별(1)']
document.body.append(h2)
const p = document.createElement('p')
p.innerText = item['총인구 (명)']
document.body.append(p)
})
})
.catch(e => {
console.log('json 변환 실패!!')
})
/////////
// 동기처리 //
setTimeout(()=> {
console.log('5초 끝!')
}, 5000);
setTimeout(()=> {
console.log('10초 끝!')
}, 10000);
function cook(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}
const myCake = async () => {
await cook(3000);
return '케이크';
};
const myCoffee = async () => {
await cook(2000);
return '커피';
};
const myCookie = async () => {
await cook(5000);
return '쿠키';
};
async function asyncProcess() {
const cake = await myCake();
console.log(cake);
const coffee = await myCoffee();
console.log(coffee);
const cookie = await myCookie();
console.log(cookie);
}
asyncProcess();
///////////
// 비동기처리 //
setTimeout(()=> {
console.log('5초 끝!')
}, 5000);
setTimeout(()=> {
console.log('10초 끝!')
}, 10000);
function cook(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}
const myCake = async () => {
await cook(3000);
return '케이크';
};
const myCoffee = async () => {
await cook(2000);
return '커피';
};
const myCookie = async () => {
await cook(5000);
return '쿠키';
};
async function promiseProcess() {
const results = await Promise.all([myCake(), myCoffee(), myCookie()]);
console.log(results);
}
promiseProcess();
// 질의응답
async function a() {
console.log(1);
setTimeout(()=> {
console.log(2)
}, 0);
console.log(3)
}
a()
// 1, 3, 2
async function a() {
console.log(1);
await setTimeout(()=> {
console.log(2)
}, 1000);
console.log(3)
}
a()
// 1, 3, 2
// why? await은 promise 앞에서만 사용
// await [[Promise 객체]] 의 형식
- fetch
- https://ko.javascript.info/fetch
- Fetch는 비동기 네트워크 통신을 구현하기 위해 사용하는 Web API이다.
- 자바스크립트를 이용하여 브라우저가 서버에게 비동기적으로 데이터를 요청하고, 응답 받은 데이터를 동적으로 페이지 렌더링 하는 방식을 Ajax(Asynchronous Javascript and XML)라고 하고 대표적인 Web API로는 XMLHttpRequest 객체, JQuery, fetch 등이 있다.
- response.text()
- response.json()
- response.formData() - FormData 객체 반환
- response.blob() - Blob(타입이 있는 바이너리 데이터) 형태 반환
- Blob(Binary Large Object)은 이미지 등과 같은 멀티미디어 데이터를 다룰 때 사용하는 데이터 형식
- https://heropy.blog/2019/02/28/blob/ 블로그 글 추천
- response.arrayBuffer() – ArrayBuffer(바이너리 데이터를 로우 레벨 형식으로 표현한 것) 형태 반환
fetch('<https://jsonplaceholder.typicode.com/users/3>')
.then(response => response.json())
.then(json => console.log(json))
async function getUserEmail(id){
const response = await fetch(`https://jsonplaceholder.typicode.com/users/${id}`);
const user = await(response.json());
const email = user.email;
console.log(email)
}
async function printImg(){
const response = await fetch(`https://picsum.photos/200`);
const blobImg= await(response.blob());
//blob을 담을 img 태그를 만든다.
const img = document.createElement('img');
//html body에 위에서 만든 img 태그를 삽입한다.
document.body.append(img);
//img 태그의 주소를 설정한다.
img.src = URL.createObjectURL(blobImg);
}
printImg()
fetch('')
.then(function(response) {
console.log(1);
return response.json();
})
.then(json => {
const imgURL = '' + json[0]['thumbnailImg']
console.log(imgURL)
const img2 = document.createElement('img');
//html body에 위에서 만든 img 태그를 삽입한다.
document.body.append(img2);
img2.src = imgURL
})
/*
async function request() {
const response = await fetch('url 기입',
{
method: "GET", //POST, DELETE, PUT
headers: {
"Content-type": "콘텐츠 형태",
//application/json, text/plain 등
},
body: JSON.stringify(
서버에 전달할 데이터
);
});
const data = await response.json();
console.log(data);
}
request();
*/
DOM
DOM을 탐색해봅시다.
// body>h1{hello world}+p{hello}+div>h1{hello world}+p{hello}
document.body.childNodes
document.body.childNodes[1].textContent = 'hello hojun'
document.body.childNodes[3].childNodes[1]
// 해당하는 Id를 가진 요소에 접근하기
document.getElementById()
// 해당하는 모든 요소에 접근하기
document.getElementsByTagName();
// 해당하는 클래스를 가진 모든 요소에 접근하기
document.getElementsByClassName();
// css 선택자로 단일 요소에 접근하기
document.querySelector("selector");
1. ("selector") -> Tag로 접근
2. ("#selector") -> Id로 접근
3. (".selector") -> Class로 접근
// css 선택자로 여러 요소에 접근하기
document.querySelectorAll("selector");
// target 요소를 생성합니다.
document.createElement(target);
// target 텍스트를 생성합니다.
document.createTextNode(target);
// target 요소를 element의 자식으로 위치합니다.
element.appendChild(target);
// element의 target 자식 요소를 제거합니다.
element.removeChild(target);
// parentElement.insertBefore(target, location); target요소를 parentElement의 자식인 location 위치 앞으로 이동합니다.
var span = document.createElement("span");
var sibling = document.getElementById("childElement");
var parentDiv = document.getElementById("parentElement");
parentDiv.insertBefore(span, sibling);
const myP = document.querySelector("p");
myP.innerHTML = "<strong>I'm Strong!!</strong>";
///////////////
const cont = document.querySelector(".cont");
console.log(cont.firstElementChild); // 첫번째 자식을 찾습니다.
console.log(cont.lastElementChild); // 마지막 자식을 찾습니다.
console.log(cont.nextElementSibling); // 다음 형제요소를 찾습니다.
console.log(cont.previousSibling); // 이전 형제노드를 찾습니다.
console.log(cont.children); // 모든 직계자식을 찾습니다.
console.log(cont.parentElement); // 부모 요소를 찾습니다.
// 브라우저의 기본 이벤트 동작을 취소
event.preventDefault();
수업 환경 설정
about:blank
자바스크립트 삽입위치
head, body의 문서 처음, 중간, 끝
보통 body의 맨 끝
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
</head>
<body>
<h1 id="one">hello world 1</h1>
<h1 onclick="alert('hello')">hello world 2</h1>
<script>
document.getElementById('two').innerHTML = 'hello'
</script>
<h1 id="two">hello world 2</h1>
</body>
</html>
내부 스크립트와 외부 스크립트
<script>
console.log('hello')
</script>
<script src="test.js"></script>
JavaScript를 출력하는 4가지 방법
- 문서 내에 요소를 선택하여 출력하는 방법(innerHTML, innerText 등)
- 문서 내에 직접 출력하는 방법(write 등)
- 사용자 인터렉션(alert, confirm 등)
- 콘솔에 찍는 방법(console.log, console.table, console.error 등)
코드 구조
- 문(statement)은 세미콜론으로 구분(세미콜론을 붙이지 않는 곳도 있습니다.)
- 문은 값, 연산자, 키워드, 명령어, 표현식(값으로 평가, 함수나 key, index를 통한 값의 호출도 표현식) 등으로 구성됩니다.
- 공백 병합
let x = 10,
y = 20,
z = 30
console
.log(
x,
y,
z,
)
// .a()
// .b()
// .c()
주석
// 한 줄 주석입니다.
/*
여러줄 주석입니다.
*/
엄격모드
- ES5에서 최신의 문법들이 많이 추가가 되었는데 기존에 있었던 문법을 변경하는 문법도 나옴
- 이러한 문법들은 기존 코드의 문제를 불러일으킬 수 있기 때문에 use strict라는 지시자를 통해 엄격모드를 활성화 했을 때에만 반영
- class 문법의 경우 엄격 모드가 기본
- 함수별로 엄격모드를 다르게 적용할 수 있으나 혼란을 야기할 수 있습니다.
"use strict";
// 코드
변수
- 변수 이름 규칙
- 변수는 숫자로 시작할 수 없다.
- 띄어쓰기가 안된다.
- 예약어를 사용할 수 없다.(예약어가 사용 불가능한 것은 아닙니다.)
- $, _를 제외한 특수문자를 사용하지 않는다.
- 대소문자를 구분한다.
- class는 첫 문자를 대문자로, 나머지는 보통 소문자로 시작한다.
- var, let, const
if (true) {
const testName = 'hojun'
let testAge = 10
}
if (true) {
var testName2 = 'hojun'
var testAge2 = 10
}
- var(ES5 이전, 지금 사용 권장 X) : 함수 레벨 스코프, 재선언시 애러 X
- let(ES5) : 블록 레벨 스코프, 재선언시 애러 O, 콘솔에서는 애러 X, 변경가능한 자료형
- const(ES5) : 블록 레벨 스코프, 재선언시 애러 O, 콘솔에서는 애러 X, 변경이 불가능한 자료형(상수)
// $를 앞에 붙이는 것은 회사마다 사용하는 방법이 다르고 여기서는 id를 담아두는 변수로 사용할 때 사용함.
const $one = dovument.getElementById('one');
$one.innerHTML = 'hi world';
연산
- 산술 연산자(+, -, /, *, **, %)
let x = 3;
let y = 10;
console.log(x + y) // 13
console.log(x - y) // -7
console.log(x / y) // 0.3
console.log(x * y) // 30
console.log(x ** y) // 3의 10승
console.log(x % y) // 나머지 1
- 할당 연산자(=, +=, -=, /=, *=, **=, %=) → 값을 누적해주고 싶을 때 사용
- 논리 연산자(&&, ||, !, !!, &, |)
- 참 -> true -> 1
- 거짓 -> false -> 0
- &&는 곱
- ||는 합
- !는 부정
- 암기코드
for (let x = 0; x < 100; x++) {
if(x % 3 == 0 && x % 5 == 0){
console.log(x)
}
}
// 앞에 값이 널이냐를 확인하고 싶은 경우, 단락 회로 평가라고 부릅니다.
result1 = 10 || 100;
result2 = 0 && 100;
result3 = null || 100;
result4 = null && 100;
username = 'hojun';
result5 = username || '유저 이름이 없습니다';
username = undefined;
result5 = username || '유저 이름이 없습니다';
- 비교 연산자(>, >=, <, <=, ==, !=, ===, !==)
// 자바스크립트에서는 타입이 달라도 값이 같으면 true로 인식한다.
let x = 3;
let y = '3';
console.log(x == y); // true
console.log(x === y); // false
- 단항 산술 연산자(++x, x++, --x, x--)
- nullish 병합 연산자(??)
let result1;
let result2 = result1 ?? 100;
let result3 = 10;
let result4 = result3 ?? 100;
let result5 = null;
let result6 = result5 ?? 100;
- typeof 연산자
typeof 10 // 'number'
typeof '10' // 'string'
- 프로퍼티 접근 연산자
- 마침표 프로퍼티 접근 연산자
let x = {'one' : 1, 'two' : 2} x.one // 1
- 대괄호 프로퍼티 접근 연산자
let x = {'one' : 1, 'two' : 2} x['one'] // 1
- 관계 연산자
- 키만 가지고 판단
10 in [10, 20, 30] // false
1 in [10, 20, 30] // true
1 in 'hello' // error
'name' in {'name':'hojun', 'age':10} //true
'length' in [10, 20, 30]; // true
변수의 형
변수(타입, typeof로 확인 가능)
- 원시타입(primitive types) : number, string, boolean, null, undefined, symbol(ES6 추가, 변경 불가능한 유일한 값)
- 참조타입(reference types) : object(object, array, map, set), function
- Number(숫자)
- 형태 : 10, 10.123, -10
- 호출 : 변수명
- 메서드 :
- 10.toString()는 안됩니다. 이유는 무엇일까요? 소수점 때문에 그렇습니다.(JavaScript의 parsing때문이고, 아는 분이 많지는 않습니다.)
- (10).toString()와 변수명.toString()은 가능합니다.
- num.toFixed()
- Number() → 권고하지 않는다. 이유는 아래 parseInt()가 안전하기 때문이다.
Number('10') + Number('10'); // 20
- parseInt() - 권고, parseFloat()
parseInt('1hello world') // 1 Number('hello world') // NaN
- Math
- Math.PI
- Math.max()
- Math.min()
- Math.floor()
- Math.round()
- Math.random()
- Math.abs()
- Math.sqrt()
- Math.pow()
- NaN
- Infinity, -Infinity
- String(문자열)
- 형태 : 'abcde', "abcde", abcde, abcde${변수명}
let name = 'aaron'; let age = 10; // 예전에는 console.log('My name is ' + name + 'My age is ' + age + 'years old'); // 지금은 아래처럼 간편하게 사용가능하다. -> Template Literal 문법이라고 한다. console.log('My name is ${name}. My age is ${age}years old');
- 호출 : 변수명, 변수명[0] (변수명[index], 호출은 할 수 있지만 개별 값 변경 불가)
- 메서드 :
- str.length
- str.indexOf()
- str.lastIndexOf()
- str.includes()
- str.slice() → slice(2) 라고 하면 2번째 index 부터 출력해준다.
- str.splice()
- str.split()
- str.substring()
- str.substr()
- str.toLowerCase()
- str.toUpperCase()
- str.trim()
- str.replace() → 정규표현식을 사용할 수도 있다.
- str.concat()
- str.repeat()
'hello'.repeat(100) '0'.repeat(100) '5'.repeat(100).split('').map(Number)
- Boolean(논리값)
- 형태 : true, false
- 호출 : 변수명
- 어떤 것이 true이고 어떤 것이 false인지 판단할 수 있어야 합니다.(truthy, falsy -> 우리가 매우 깊이 다뤘던 내용입니다.) → !!를 사용하여 true인지 false인지 확인할 수 있다.
- undefine : undefind
- 형태 : let a, console.log(a)
- null : object
- 형태 : let a = null
- Array(배열) : object
- 형태 :
['하나', '둘', '셋'] [100, 200, 300] [{'one':1, 'two':2}, {'one':10, 'two':20}] [[10, 20], [100, 200], [1000, 2000]] // x[0] -> {one: 1, two: 2} // x[0]['one'] -> 1 // 3차원 let x =[[[1, 2], [10, 20], [100, 200]], [[3, 4], [30, 40], [300, 400]]]
- 호출 : 변수명, 변수명[0], 변수명[0][0] (변수명[index], 개별값 변경 가능)
- Array
- 메서드 :
- length
- forEach → x.forEach(x ⇒ console.log(x ** 2)) : x의 값을 각각 2승 해주라는 의미.
- map → 많은 데이터에서 새로운 배열을 만들어 원하는 데이터를 출력할 때 사용
- [{}, {}, {}].map(x ⇒ x[’age’]) : json으로 된 많은 데이터에서 age의 데이터만 배열로 뽑겠다는 의미.
- filter : 보통 map으로 원하는 배열을 만들고 filter로 원하는 조건을 설정.
- find : filter는 조건에 해당하는 값이 여러개면 모두 보여주지만 find는 첫번째 값만 출력해주고 끝낸다.
- push / pop - mutable
- slice - immutable
- splice - mutable
- reduce - immutable
- join
- indexOf
- includes
- concat
- every
- some
- fill — mutable
- → Array(100).fill(0).map((value, index + 1) ⇒ value + index + 100) : 1 부터 100까지 100이라는 값에 인덱스가 생성된다.
- shift — mutable
- unshift — mutable
- reverse — mutable
- sort — mutable
Array(100).fill(0)
Array(100).fill('hello')
Array(100).fill('hello'.repeat(2))
Array(100).fill(0).map((value, index)=> value + index)
// Array(100).fill(0).map((value, index + 1) ⇒ value + index + 100)
// : 1 부터 100까지 100이라는 값에 인덱스가 생성된다.
- Object(객체) → map이 나오기 전 구형
- 형태 :
{ "지역이름": "전국", // key : value(2개의 집합을 가리켜 객체 프로퍼티) "확진자수": 24889, "격리해제수": 23030, "사망자수": 438, "십만명당발생율": 48.0 } { 'one' : 1, 'o n e' : 1, '1 one' : 1 } { one : 1, o n e : 1, // error 1 one : 1 // error } // 아래는 새로 나온 문법이다. let x=1, y=2, z=3 let object = {x, y, z} // {x: 1, y: 2, z: 3}
- 호출 : 변수명, 변수명.지역이름, 변수명['지역이름'] (변수명.key, 변수명[key])
- 수정, 삭제 :
- 수정 : value['hello'] = 'world', value['hello'] = null
- 삭제 : delete value['hello']는 추천하지 않음(메모리 상에 'world'가 남아있음, value['hello'] = null을 권장)
- 속성 :
- console.log(Object.getOwnPropertyDescriptor(person, 'name')); Object.getOwnPropertyDescriptors(person) // {10: {…}, name: {…}, age: {…}, height: {…}, weight: {…}, 이력: {…}} // value: '이호준', // writable: true, // 변경 가능 여부, 기본값 false // enumerable: true, // 열거(for) 가능 여부, 기본값 false // configurable: true // 재정의 가능 여부, 기본값 false
- 메서드 : Object.keys, Object.values, Object.entries
//변수명.keys()와 같은 형식은 안됩니다. x.keys()
- Map : object → 위의 메서드를 쓰고 싶은데 바로 쓰기 어려우니 Map이 탄생했다.
- 메서드 : set, get, has, delete, size
let map = new Map()
map.set('one', 100)
map.set('two', 200)
map.set('three', 300)
map.set('four', [10, 20])
map.set(5, [100, 200])
map.set([1, 2], [100, 200])
map.get(5)
let human = {
name:'hojun3',
age:30,
local:'jeju'
}
let hojun = new Map(Object.entries(human))
- Set : object
- 메서드 : add, delete, has, size
- 중복을 허락하지 않는다
- 합집합, 교집합, 차집합 등에 메서드가 있진 않지만, 이러한 합집합, 교집합, 차집합을 구현하기 위해 Set을 사용하는 경우가 많습니다.
let set = new Set()
set.add(1);
set.add(1);
set.add(2);
set.add(2);
set.add(3);
set.add(3);
set.add(3);
set.add(3);
set.size
// let set = new Set([1, 2, 3, 3, 3, 3])
// let set = new Set('helllllllllo')
let a = new Set([1, 2, 3])
let b = new Set([3, 4, 5])
const 합집합 = new Set([...a, ...b]);
const 교집합 = new Set([...a].filter(x => b.has(x)));
const 차집합1 = new Set([...a].filter(x => !b.has(x)));
const 차집합2 = new Set([...b].filter(x => !a.has(x)));
조건문과 반복문
조건문
- if
- else if
- else
- switch
if(false) {
console.log('hello 1')
}
if(false) {
console.log('hello 2')
}
if(true) {
console.log('hello 3')
}
if(true) {
console.log('hello 4')
}
if(false){
console.log('hello 1')
}
else if(false) {
console.log('hello 2')
}
else if(true) {
console.log('hello 3') // 여기서 출력 후 종료
}
else if(true) {
console.log('hello 4')
}
else {
console.log('!!')
}
let result = true ? 1 : 100;
let day
switch (new Date().getDay()) {
case 0:
day = "일";
break;
case 1:
day = "월";
break;
case 2:
day = "화";
break;
case 3:
day = "수";
break;
case 4:
day = "목";
break;
case 5:
day = "금";
break;
case 6:
day = "토";
}
console.log(day)
반복문
- for
- for in
- for of
- while
- do while
- forEach
- break
- continue
//예제
for (let i = 0; i < 10; i++) {
console.log(i)
}
//예제
let a = [10, 20, 30, 40];
// let a = 'hello';
// let a = '19821'
for (let i of a) {
console.log(i);
}
//예제
let a = [10, 20, 30, 40];
for (let i in a) {
console.log(i);
}
let a = {'one':1, 'two':2};
for (let i in a) {
console.log(i);
}
//예제
let x = 0;
while (x < 10) {
console.log(x);
x++;
}
// 무한반복
while (true) {}
= while (;;) {}
//예제
let x = 0;
do {
console.log(x);
x++;
} while (x < 10)
//예제
let a = [10, 20, 30, 40];
a.forEach(e => console.log(e**2));
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) {
break; // 반복문 탈출 }
console.log(i)
}
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) break;
console.log(i);
}
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) break;
console.log(i);
}
//예제
for (let i = 0; i < 10; i++) {
if (i == 5) continue; // 다음 loop로 이동
console.log(i);
}
// 고차원 순회
let a = [[[1, 2], [10, 20], [100, 200]],
[[3, 4], [30, 40], [300, 400]]]
for (let i of a){
for (let j of i){
for (let k of j){
console.log(k)
}
}
}
let data = [{
name: 'hojun',
age:10,
friends:[
['직장', '라이켓'],
['친구', '뮤'],
]
}, {
name: 'gildong',
age:11,
friends:[
['직장', 'gary'],
]
}]
for (let i of data){
for (let j in i){
//console.log(i[j])
if (j == 'friends'){
console.log(i[j])
}
}
}
함수와 클래스
함수
- 함수 표현식과 함수 선언식
let 함수표현식 = function(){} // 호이스팅 X
function 함수선언식(){} // 호이스팅 O
- 함수(파선아실) : 파라미터는 선언할 때 아규먼트는 실제 사용하는 값이다.
- 여기서 x, y를 보통 한국에서는 인자
- 매개변수(파라미터, parameter) : x, y
- 전달인자(아규먼트, argument) : 3, 5
- 사용이유
- 재사용성
- 아키텍처 파악
- 유지보수
function 땅다지기(){} function 시멘트작업(){} function 철근(){} function 벽돌(){} function 지붕(){} 땅다지기() 시멘트작업() 철근() 벽돌() 지붕()
- 예제
function add(x, y){ return x + y; } add(3, 5) function add(a = 100, b = 200) { console.log(a, b); return a + b; } add(10, 20); // 30 add(10); // 210 add(); -> default 값 // 300 add(b=300) // a에 입력 // 500 add(undefined, 300); // 400 function add({ a = 100, b = 200 }) { console.log(a+b); } add({b: 300}); // 400
- 콜백함수
- 화살표 함수를 콜백함수로 사용했을 경우의 장단점
- 장점 : 네이밍을 안해도 됩니다.
- 장점 : 다른 곳에서 사용할 수가 없다.
- 단점 : 콜백지옥에 빠질 수가 있습니다.
function cal(a, b){ return a(10, 10) + b(10, 10); } cal((a, b) => a + b, (a, b) => a * b);
- 화살표 함수를 콜백함수로 사용했을 경우의 장단점
- function add(x, y) { return x + y; } function mul(x, y) { return x * y; } function cal(a, b){ return a(10, 10) + b(10, 10); } cal(add, mul);
- 화살표함수
- function 제곱(x) { return x**2 } // 함수표현식, 호이스팅 X let 제곱 = x => x**2; -> 식이 복잡하다면 맨밑에 예시처럼 (), {}로 묶어서 사용한다. function f(a, b) { let z = 10 let result = z + a + b return result } // 함수표현식, 호이스팅 X let f = (a, b) => { let z = 10 let result = z + a + b return result };
- 기명 함수
- // 기명 함수 let aa = function sum(x, y) { return x + y } // 익명 함수인것 같지만 바뀜 let bb = function(x, y) { return x + y } // ES5에서는 빈 문자열이었는데 ES6에서 name 값을 가지는 것으로 바뀌었습니다. let cc = (x, y) => x + y;
- 익명 함수
- console.dir(function (x, y) {return x + y;})
클래스
- 클래스 - 붕어빵 찍는 틀, 공장
- 인스턴스 - 붕어빵, 제품
class Notice {
constructor(title, contents, author){ // constructor은 여기서 고정이름이다.
this.title = title
this.contents = contents
this.author = author
}
수정하기(title, contents, author){
this.title = title
this.contents = contents
this.author = author
}
}
dataBase = []
게시물1 = new Notice('제목1', '내용1', '저자1')
dataBase.push(게시물1)
게시물2 = new Notice('제목2', '내용2', '저자2')
dataBase.push(게시물2)
게시물3 = new Notice('제목3', '내용3', '저자3')
dataBase.push(게시물3)
dataBase.forEach(d => {
제목 = document.createElement('h1')
제목.textContent = d.title
내용 = document.createElement('p')
내용.textContent = d.contents
저자 = document.createElement('p')
저자.textContent = d.author
document.body.append(제목)
document.body.append(내용)
document.body.append(저자)
})
// dataBase.splice()와 같은 것으로 삭제, 실제로는 mongoDB와 같은 곳에서 삭제
class Human {
constructor() {}
// 인스턴스 메서드, 인스턴스 프로퍼티 메서드, 프로토타입 메서드
a() {}
// 클래스 메서드, 클래스 프로퍼티 메서드, 정적 메서드
static b() {}
}
hojun = new Human('호준')
typeof hojun // object
typeof Human // function
// getter - 획득
// setter - 설정
// # = private 필드
class Student {
subject = 'javascript study'
#level;
constructor(level, name, skill) {
this.#level = level;
this.name = name;
this.skill = skill;
}
get level() {
// hojun.level로 출력
return this.#level;
}
set level(level) {
// hojun.level = 10
this.#level = level;
}
attack(){
console.log('파이어볼!')
}
}
class Mento extends Student {
codeReview() {
console.log('코드리뷰를 진행합니다.');
}
}
let hojun = new Student(999, '호준', ['python', 'js', '...생략...']);
let hojun2 = new Mento(999, '호준', ['python', 'js', '...생략...']);
예외처리, 전개표현식, 정규표현식, 리터럴 등
예외처리
try {
// 코드
} catch(e) {
// 코드
} finally {
// 코드
}
//throw new Error(message);
//throw new SyntaxError(message);
//throw new ReferenceError(message);
전개구문 사용
- 전개구문 사용 예제
function f(...x){
return x;
}
f(1, 2, 3, 4, 5)
let arr1 = [1, 2, 3, 4];
let arr2 = [10, 20, 30, 40];
let arr3 = [100, ...arr1, 200, ...arr2, 300]
let arr4 = [100, arr1, 200, arr2, 300]
console.log(arr3)
Math.max(...arr3);
let [a, b, c, ...d] = [10, 20, 30, 40, 50, 60, 70]
정규표현식
- 특정 패턴을 찾아낼 때 사용
연습사이트 : https://regexr.com/5nvc2
// 0 문자 제거
let s = '010100020201020304812123';
s.replace(/[^1-9]/g,"")
'11221234812123'
// 앞 뒤 공백 제거(캐릭터 클래스 `\\\\s`사용)
s = ' 010100020201020304812123 '
s.replace(/^\\\\s+|\\\\s+$/g,'')
'010100020201020304812123'
// 문자열 내 공백 제거
s = ' 01010002020 102030 4812123 ';
s.replace(/\\\\s/g,'')
'010100020201020304812123'
// 개행 제거
s = `
a
b
c
d
`
'\\\\na\\\\nb\\\\nc\\\\nd\\\\n'
s.replace(/\\\\n/g,'')
'abcd'
s = "hello world HELLO WORLD";
s.match(/hello/gi);
s1 = '010-5000-2000'
s2 = '010 5000 2000'
s3 = '010~5000!2000'
s4 = '010!!5000!!2000'
s5 = '01050002000'
s1.split(/-/g)
// hint
// s.split(/([a-z])([0-9])/g)
// s.split(/([a-z]{3})/g)
s1.split(/([0-9]{3})[- ~!]*([0-9]{4})[- ~!]*([0-9]{4})/)
/*
- `^` : 문자열의 시작
- `$` : 문자열의 종료. 옵션에 따라 문장의 끝 또는 문서의 끝에 매치된다.
- `.` : 임의의 한 문자
- `[]`: 문자 클래스. 문자 클래스 안에 들어가 있는 문자는 그 바깥에서 하나의 문자로 취급된다.
- `^` : 문자 클래스 내에서 ^는 not
- `-` : ex) a-z는 a에서 z까지의 문자
- `|` : or를 나타냄
- `?` : 앞 문자가 없거나 하나 있음
- `+` : 앞 문자가 하나 이상임
- `*` : 앞 문자가 0개 이상임
- `{n,m}` : 앞 문자가 `n`개 이상 `m`개 이하. `{0,1}` 은 `?`와 같은 의미다.
- `{n,}` : 앞 문자가 `n`개 이상. 위의 형태에서 `m`이 생략된 형태이다. `{0,}` 이면 `*`와 같고 `{1,}` 이면 `+`와 같은 의미이다.
- `{n}` : 앞 문자가 정확히 `n`개. `{n,n}` 과 같은 의미이다.
- `()` : 하나의 패턴구분자 안에 서브 패턴을 지정해서 사용할 경우 괄호로 묶어주는 방식을 사용한다.
- `\\\\s` : 공백문자
- `\\\\b` : 문자와 공백 사이를 의미한다.
- `\\\\d` : 숫자 [0-9]와 같다.
- `\\\\t` : 탭문자
- `\\\\w` : 단어 영문자+숫자+_(밑줄) [0-9a-zA-Z_]문자 이스케이프는 대문자로 적으면 반대를 의미한다.
[a-z] : a ~ z 사이의 문자를 찾음
[1-9] : 1 ~ 9 사이의 문자를 찾음
[abc] : a, b, c중 하나를 찾음
[^abc] : a, b, c를 제외한 문자를 찾음
.z : 아무 문자 하나를 . 기호로 찾으며 z로 끝남을 의미
a+ : a가 1개 이상을 의미함
a* : a가 0개 또는 그 이상을 의미함
s : 공백 문자를 찾음(스페이스, 탭 등), 대문자의 경우 아닌 문자를 찾음
d : 숫자를 찾음, 대문자의 경우 아닌 문자를 찾음
w : 알파벳 영문과 숫자와 언더바 _ 기호를 찾음, 대문자의 경우 아닌 문자를 찾음
t : 탭 공간을 찾음
g : 검색범위를 전역으로 확장
i : 대소문자를 구분하지 않음
gi : 검색 범위를 전역으로 확대하면서 대소문자를 구분하지 않음
m : 여러줄을 동시에 매칭함
*/
리터럴
- 리터럴은 약속된 기호를 사용해 값을 생성하는 것입니다. 예를 들어 문자를 생성하기 위해서는 작은 따옴표, 큰 따옴표, 템플릿 리터럴 중 하나를 사용하죠. 배열을 생성하려면 대괄호를, 오브젝트를 생성하려면 중괄호를 사용해야 합니다.
- new String(), new Array(), new Object()의 형식으로 만들어야 하는 것을 약속된 기호로 만들 수 있게 해준 것입니다.
- new Object() 의 리터럴 표현이 {}, new Number(1) 의 리터럴 표현이 1, new String("hello") 의 리터럴 표현이 "hello" 입니다.
- new Object()는 생성자 함수를 이용한 것이죠.
- 정규표현식 리터럴
let x = /[a-zA-Z0-9]/g
- 2진수, 8진수, 16진수 리터럴
let a = 0b1001 // a == 9
let b = 0o1001 // b == 513
let c = 0x1001 // c == 4097
사용자와 상호작용
- prompt('hello')
- confirm('hello')
- alert('hello')
구조분해할당
- 예제
for (let [[i, j], k] of [[[1, 2], 2], [[1, 2], 4]]) {
console.log(i, j);
}
let x = 10, y = 20
[x, y] = [y, x]
let {a, b} = {b:'hello', a:'world'}
- 다른 언어에서는 언패킹이라고 부르기도 합니다.
동기와 비동기 (JS 동작원리)
- js는 일을 처리할 수 있는 thread가 1개, 싱글쓰레드라고 함.
- 하지만 모든 일을 여러명이 처리할 수 없다면 항상 기다려야 하는 문제가 생길 수도 있고, 무한대기에 빠질 수도 있음.
// 순서대로 한다면 덧셈, 곱셈, hello world 순이지만
// 비동기이기 때문에 hello world, 곱셈, 덧셈 순이 됨
function 덧셈(a, b, 콜백함수) {
setTimeout(()=>{
let result = a + b
console.log(result)
}, 2000)
}
function 곱셈(a, b, 콜백함수) {
setTimeout(()=>{
let result = a * b
console.log(result)
}, 1000)
}
덧셈(20, 30)
곱셈(2, 6)
console.log('hello world')
- Promise (중요)
- pending(대기상태) - resolve(해결) - fulfilled(성공)
- pending(대기상태) - reject(거부) - rejected(실패)
new Promise((resolve, reject) => {
//code
})
.then(result => result)
.then(result => result)
.catch(err => err)
.finally(result => result)
let p = new Promise(function(resolve, reject) {
resolve('hello world');
}).then(메시지 => {
alert(메시지);
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
});
p
//Promise {: undefined}
let p = new Promise(function(resolve, reject) {
// resolve('hello world');
reject('hello world');
}).then(메시지 => {
alert(메시지);
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
}).catch(메시지 => {
alert('catch 실행!! :' + 메시지);
});
let p = new Promise(function(resolve, reject) {
// resolve('hello world');
reject('hello world');
}).then(메시지 => {
alert(메시지);
throw Error("에러 발생!")
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
}).catch(메시지 => {
alert('catch 실행!! :' + 메시지);
});
let p = new Promise(function(resolve, reject) {
resolve('hello world');
//reject('hello world');
}).then(메시지 => {
alert(메시지);
throw Error("에러 발생!")
return 메시지.split(' ')[0]
}).then(메시지 => {
alert(메시지);
return 메시지[0]
}).then(메시지 => {
alert(메시지);
}).catch(메시지 => {
alert('catch 실행!! :' + 메시지);
});
let p = new Promise(function(resolve, reject) {
setTimeout(() => resolve("끝남!"), 3000);
});
console.log('hello world');
console.log(p);
//VM92:4 hello world
//VM92:5 Promise {}
// 3초 후
console.log(p)
///VM139:1 Promise {: '끝남!'}
let p = new Promise(function(resolve, reject) {
setTimeout(() => resolve("끝남!"), 10000);
});
console.log('hello world');
console.log(p);
//VM180:1 Promise {}
console.log(p)
// VM184:1 Promise {}
console.log(p)
// VM184:1 Promise {}
console.log(p)
// VM184:1 Promise {}
console.log(p)
//VM204:1 Promise {: '끝남!'}
// 실행하지 마세요. pending에 빠집니다.
//let p = new Promise(function(resolve, reject) {
// console.log('hello world')
//}).then(d => console.log(d)).catch(e => console.log(e));
let snack = async function() {
return "cake!";
};
snack
// async ƒ () {
// return "cake!";
// }
snack()
//Promise {: 'cake!'}
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
f
//Promise {: Response}
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
.then(function(response) {
return response.json();
})
.then(function(json) {
console.log(json);
return json
})
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
.then(d => d.json())
.then(d => console.log(d))
//VM458:7 (18) [{…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}, {…}]0: {시·도별(1): '전국', 총인구 (명): 52980961, 1차 접종 누계: 15199919, 2차 접종 누계: 4521785, 1차 접종 퍼센트: 28.6893984426, …}1: {시·도별(1): '서울', 총인구 (명): 9911088, 1차 접종 누계: 2811191, 2차 접종 누계: 835878, ...중략...
// 뒤에서 나올 DOM api 사용
const f = fetch('<https://raw.githubusercontent.com/paullabkorea/coronaVaccinationStatus/main/data/data.json>')
.then(data => {
console.log('데이터 받기 성공!')
const jsonData = data.json()
return jsonData
})
.then(json => {
json.forEach(item => {
console.log(item)
const h2 = document.createElement('h2')
h2.innerText = item['시·도별(1)']
document.body.append(h2)
const p = document.createElement('p')
p.innerText = item['총인구 (명)']
document.body.append(p)
})
})
.catch(e => {
console.log('json 변환 실패!!')
})
/////////
// 동기처리 //
setTimeout(()=> {
console.log('5초 끝!')
}, 5000);
setTimeout(()=> {
console.log('10초 끝!')
}, 10000);
function cook(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}
const myCake = async () => {
await cook(3000);
return '케이크';
};
const myCoffee = async () => {
await cook(2000);
return '커피';
};
const myCookie = async () => {
await cook(5000);
return '쿠키';
};
async function asyncProcess() {
const cake = await myCake();
console.log(cake);
const coffee = await myCoffee();
console.log(coffee);
const cookie = await myCookie();
console.log(cookie);
}
asyncProcess();
///////////
// 비동기처리 //
setTimeout(()=> {
console.log('5초 끝!')
}, 5000);
setTimeout(()=> {
console.log('10초 끝!')
}, 10000);
function cook(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}
const myCake = async () => {
await cook(3000);
return '케이크';
};
const myCoffee = async () => {
await cook(2000);
return '커피';
};
const myCookie = async () => {
await cook(5000);
return '쿠키';
};
async function promiseProcess() {
const results = await Promise.all([myCake(), myCoffee(), myCookie()]);
console.log(results);
}
promiseProcess();
// 질의응답
async function a() {
console.log(1);
setTimeout(()=> {
console.log(2)
}, 0);
console.log(3)
}
a()
// 1, 3, 2
async function a() {
console.log(1);
await setTimeout(()=> {
console.log(2)
}, 1000);
console.log(3)
}
a()
// 1, 3, 2
// why? await은 promise 앞에서만 사용
// await [[Promise 객체]] 의 형식
- fetch
- https://ko.javascript.info/fetch
- Fetch는 비동기 네트워크 통신을 구현하기 위해 사용하는 Web API이다.
- 자바스크립트를 이용하여 브라우저가 서버에게 비동기적으로 데이터를 요청하고, 응답 받은 데이터를 동적으로 페이지 렌더링 하는 방식을 Ajax(Asynchronous Javascript and XML)라고 하고 대표적인 Web API로는 XMLHttpRequest 객체, JQuery, fetch 등이 있다.
- response.text()
- response.json()
- response.formData() - FormData 객체 반환
- response.blob() - Blob(타입이 있는 바이너리 데이터) 형태 반환
- Blob(Binary Large Object)은 이미지 등과 같은 멀티미디어 데이터를 다룰 때 사용하는 데이터 형식
- https://heropy.blog/2019/02/28/blob/ 블로그 글 추천
- response.arrayBuffer() – ArrayBuffer(바이너리 데이터를 로우 레벨 형식으로 표현한 것) 형태 반환
fetch('<https://jsonplaceholder.typicode.com/users/3>')
.then(response => response.json())
.then(json => console.log(json))
async function getUserEmail(id){
const response = await fetch(`https://jsonplaceholder.typicode.com/users/${id}`);
const user = await(response.json());
const email = user.email;
console.log(email)
}
async function printImg(){
const response = await fetch(`https://picsum.photos/200`);
const blobImg= await(response.blob());
//blob을 담을 img 태그를 만든다.
const img = document.createElement('img');
//html body에 위에서 만든 img 태그를 삽입한다.
document.body.append(img);
//img 태그의 주소를 설정한다.
img.src = URL.createObjectURL(blobImg);
}
printImg()
fetch('')
.then(function(response) {
console.log(1);
return response.json();
})
.then(json => {
const imgURL = '' + json[0]['thumbnailImg']
console.log(imgURL)
const img2 = document.createElement('img');
//html body에 위에서 만든 img 태그를 삽입한다.
document.body.append(img2);
img2.src = imgURL
})
/*
async function request() {
const response = await fetch('url 기입',
{
method: "GET", //POST, DELETE, PUT
headers: {
"Content-type": "콘텐츠 형태",
//application/json, text/plain 등
},
body: JSON.stringify(
서버에 전달할 데이터
);
});
const data = await response.json();
console.log(data);
}
request();
*/
DOM
DOM을 탐색해봅시다.
// body>h1{hello world}+p{hello}+div>h1{hello world}+p{hello}
document.body.childNodes
document.body.childNodes[1].textContent = 'hello hojun'
document.body.childNodes[3].childNodes[1]
// 해당하는 Id를 가진 요소에 접근하기
document.getElementById()
// 해당하는 모든 요소에 접근하기
document.getElementsByTagName();
// 해당하는 클래스를 가진 모든 요소에 접근하기
document.getElementsByClassName();
// css 선택자로 단일 요소에 접근하기
document.querySelector("selector");
1. ("selector") -> Tag로 접근
2. ("#selector") -> Id로 접근
3. (".selector") -> Class로 접근
// css 선택자로 여러 요소에 접근하기
document.querySelectorAll("selector");
// target 요소를 생성합니다.
document.createElement(target);
// target 텍스트를 생성합니다.
document.createTextNode(target);
// target 요소를 element의 자식으로 위치합니다.
element.appendChild(target);
// element의 target 자식 요소를 제거합니다.
element.removeChild(target);
// parentElement.insertBefore(target, location); target요소를 parentElement의 자식인 location 위치 앞으로 이동합니다.
var span = document.createElement("span");
var sibling = document.getElementById("childElement");
var parentDiv = document.getElementById("parentElement");
parentDiv.insertBefore(span, sibling);
const myP = document.querySelector("p");
myP.innerHTML = "<strong>I'm Strong!!</strong>";
///////////////
const cont = document.querySelector(".cont");
console.log(cont.firstElementChild); // 첫번째 자식을 찾습니다.
console.log(cont.lastElementChild); // 마지막 자식을 찾습니다.
console.log(cont.nextElementSibling); // 다음 형제요소를 찾습니다.
console.log(cont.previousSibling); // 이전 형제노드를 찾습니다.
console.log(cont.children); // 모든 직계자식을 찾습니다.
console.log(cont.parentElement); // 부모 요소를 찾습니다.
// 브라우저의 기본 이벤트 동작을 취소
event.preventDefault();
반응형