function foo() {
x = 10;
}
foo();
console.log(x); // 10
암묵적 전역 : 자바스크립트 엔진은 암묵적으로 전역 객체에 x 프로퍼티를 동적 생성
개발자의 의도와 상관없이 발생한 암묵적 전역은 오류를 발생시키는 원인이 될 가능성이 크기 때문에
var
, let
,const
키워드를 사용하여 변수를 선언한 다음에 사용
strict mode
자바스크립트 언어의 문법을 좀 더 엄격히 적용하여 오류를 발생시킬 가능성이 높거나 자바스크립트 엔진의 최적화 작업에 문제를 일으킬 수 있는 코드에 대해 명시적인 에러를 발생시킨다.
ESLint
같은 린트 도구도 strict mode와 유사한 효과 발생
린트 도구는 strict mode가 제한하는 오류는 물론 코딩 컨벤션을 설정 파일 형태로 정의하고 강제할 수 있어 더욱 강력한 효과를 얻을 수 있음
strict mode를 적용하려면,
전역의 선두 또는 함수 몸체의 선두에 'use strict';를 추가
'use strict';
function foo() {
x = 10; // ReferenceError: x is not defined
}
foo();
function foo() {
'use strict';
x = 10; // ReferenceError: x is not defined
}
foo();
function foo() {
x = 10; // 에러를 발생시키지 않음
'use strict';
}
foo();
<!DOCTYPE html>
<html>
<body>
<script>
'use strict';
</script>
<script>
x = 1; // 에러가 발생하지 않음
console.log(x); // 1
</script>
<script>
'use strict';
y = 1; // ReferenceError: y is not defined
console.log(y);
</script>
</body>
</html>
스크립트 단위로 적용된 strict mode는 다른 스크립트에 영향을 주지 않고 해당 스크립트에 한정되어 적용
외부 서드파티 라이브러리를 사용하는 경우 라이브러리가 non-strict mode인 경우도 있기 때문에 전역에 strict mode를 적용하는 것은 바람직하지 않음
이때, 즉시 실행 함수로 스크립트 전체를 감싸서 스코프를 구분하고 즉시 실행 함수의 선두에 strict mode를 적용
(function () {
// 즉시 실행 함수의 선두에 strict mode 적용
'use strict';
// Do something ...
}());
함수 단위로 strict mode를 적용할 수 있음
하지만, 어떤 함수는 strict mode를 적용하고 어떤 함수는 strict mode를 적용하지 않는 것은 바람직하지 않음
strict mode가 적용된 함수가 참조할 함수 외부의 컨텍스트에 strict mode를 적용하지 않는다면 문제 발생할 수 있음
→ strict mode는 즉시 실행 함수로 감싼 스크립트 단위로 적용하는 적이 바람직
(function () {
// non-strict mode
var let = 10;
function foo() {
'use strict';
let = 20; // SyntaxError: Unexpected strict mode reserved word
}
foo();
}());
strict mode를 적용했을 때 에러가 발생하는 대표적인 사례
(function () {
'use strict';
x = 1;
console.log(x); // ReferenceError: x is not defined
}());
delete
연산자로 변수, 함수, 매개변수를 삭제하면 SyntaxError 발생(function () {
'use strict';
var x = 1;
delete x; // SyntaxError: Delete of an unqualified identifier in strict mode.
function foo(a) {
delete a; // SyntaxError: Delete of an unqualified identifier in strict mode.
}
delete foo; // SyntaxError: Delete of an unqualified identifier in strict mode.
}());
(function () {
'use strict';
// SyntaxError: Duplicated parameter name not allowed in this context
function foo(x, x) {
return x + x;
}
console.log(foo(1, 2));
}());
with
문을 사용하면 SyntaxError 발생
with
문
(function () {
'use strict';
// SyntaxError: Strict mode code may not include a with statement
with( { x: 1 }) {
console.log(x);
}
}());
(function () {
'use strict';
function foo() {
console.log(this); // undefined
}
foo();
function Foo() {
console.log(this); // Foo
}
new Foo();
}());
(function (a) {
'use strict';
// 매개변수에 전달된 인수를 재할당하여 변경
a = 2
// 변경된 인수가 arguments 객체에 반영되지 않음
console.log(arguments); // { 0: 1, length: 1 }
}(1));