<script type="module" src="app.mjs"></script>
<script src="hello.js"></script>
<script src="hi.js"></script>
// hello.js
// x변수는 전역변수다.
var x = "hello";
console.log(window.x); // hello
// hi.js
// x변수는 전역변수다. 하지만 hello.js에서 선언한 전역변수 x와 중복된 선언이다.
var x = "hi";
// hello.js에서 선언한 전역변수 x의 값이 재할당되었다.
console.log(window.x); // hi
<script src="hello.mjs"></script>
<script src="hi.mjs"></script>
// hello.mjs
var x = "hello";
console.log(x); // hello
console.log(window.x); // undefined
// hi.mjs
var x = "hi";
// hello.mjs에서 선언한 x변수와 스코프가 다른 변수다.
console.log(x); // hi
console.log(window.x); // undefined
// library.mjs
// 1) 변수의 공개
export const pi = Math.PI;
// 2) 함수의 공개
export function square(x){
return x * x;
}
// 3) 클래스의 공개
export class Person {
constructor(name){
this.name = name;
}
}
// library.mjs
const pi = Math.PI;
function square(x){
return x * x;
}
class Person {
constructor(name){
this.name = name;
}
}
export default pi;
// library.mjs
const pi = Math.PI;
function square(x){
return x * x;
}
class Person {
constructor(name){
this.name = name;
}
}
export { pi, square, Person };
⭐ 참고) export 와 export default의 차이점?
① export default : 한 번만 쓸 수 있으며, import시 변수명을 새롭게 작명가능하다.
② export : {변수명1, 변수명2, 변수명3 ...}의 형태이며 import시 변수명을 정확히 써줘야 한다.
<script type="module" src="./app.mjs"></script>
// app.mjs
import { pi, square, Person } from './library.mjs';
console.log(pi); // 3.141592...
console.log(square(10)); // 100
console.log(new Person("Kim")); // Person { name: "Kim" }
// 1. export default를 import할 때
// library.mjs
const name = "Kim";
export default name;
// app.mjs
import name from './library.mjs';
console.log(name); // Kim
// 2. export를 import할 때
// library.mjs
const a = 10;
const b = 15;
export { a, b };
// app.mjs
import { a, b } from './library.mjs';
console.log(a); // 10;
console.log(b); // 20;
// 1. as로 새로운 변수이름을 만들 때
import { pi as PI, square as sq, Person as P } from './library.mjs';
console.log(PI); // 3.141592...
console.log(sq(2)); // 4
console.log(new P("Kim")); // Pserson { name : "Kim" }
// 2. import 할 변수들이 많을 때 → *(all)
import * as lib from './libaray.mjs';
console.log(lib.pi); // 3.141592...
console.log(lib.square(10)); // 100
console.log(new lib.Person("Kim")); / Person { name: "Kim" }