- strict mode를 적용하려면 전역의 선두 또는 함수 몸체의 선두에 use strict;를 추가한다.
'use strict'; // 전역의 선두에 추가
function foo() {
x = 10; // ReferenceError: x is not defined
}
foo();
function foo() {
'use strict'; // 함수의 선두에 추가
y = 10; // ReferenceError: y is not defined
}
foo();
function foo() {
x = 10; // 에러를 발생시키지 않는다.
'use strict';
}
foo();
- 전역에 적용한 strict mode는 스크립트 단위로 적용된다.
<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>
(function() {
//즉시 실행 함수의 선두에 strict mode 적용
'use strict';
// do something ...
}());
- strict mode는 즉시 실행 함수로 감싼 스크립트 단위로 적용하는 것이 바람직하다.
(function() {
// non-strict mode
var let = 10; // 에러가 발생하지 않는다.
function foo() {
'use strict';
let = 20; // SyntaxError: Unexpected strict mode reserved word
}
foo();
}());
- 선언하지 않은 변수를 참조하면
ReferenceError
가 발생한다.(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 }());
- 중복된 매개변수 이름을 사용하면
SyntaxError
가 발생한다.(function() { 'use strict'; // SyntaxError: Duplicate parameter name not allowed in this context function foo(x, x) { return x + x; } console.log(foo(1, 2)); }());
- with문을 사용하면
SyntaxError
가 발생한다. with문은 전달된 객체를 스코프 체인에 추가한다.- with문은 객체 이름을 생략할 수 있어서 코드가 간단해지는 효과가 있지만 성능과 가독성이 나빠지는 문제가 있다.
(function() { 'use strict'; // SyntaxError: Duplicate parameter name not allowed in this context with({x, 1}) { console.log(x); } }());
- strict mode에서 함수를 일반 함수로서 호출하면
this
에undefined
가 바인딩된다. 생성자 함수가 아닌 일반 함수 내부에서는 this를 사용할 필요가 없기 때문이다.(function() { 'use strict'; function foo() { console.log(this); // undefined // non-strict mode에서는 window 전역 객체를 가리킨다. } foo(); function Foo() { console.log(this); // Foo } new Foo(); }());
- strict mode에서는 매개변수에 전달된 인수를 재할당하여 변경해도
arguments
객체에 반영되지 않는다.(function (a) { 'use strict'; // 매개변수에 전달된 인수를 재할당하여 변경 a = 2; // 변경된 인수가 arguments 객체에 반영되지 않는다. console.log(arguments); // { 0: 1, length: 1 } // non-strict mode에서는 { 0: 2, length: 1 } }(1));
<모던 자바스크립트 deepdive와, 추가 탐구한 내용을 정리한 포스트입니다.>