javascript 严格模式
第一次接触let关键字,有一个要非常非常要注意的概念就是”javascript 严格模式”,比如下述的代码运行就会报错:
(但是我测了 下面的代码 严格模式 和非严格模式均不报错)
let hello = 'hello world.';
console.log(hello);
错误信息如下:
let hello = 'hello world.';
^^^
SyntaxError: Block-scoped declarations (let, const, function, class) not yet supported outside strict mode
    ...
解决方法就是,在文件头添加”javascript 严格模式”声明:
'use strict';
let hello = 'hello world.';
console.log(hello);
更多更详细的关于”javascript 严格模式”说明,请参考阮一峰的博客 
《Javascript 严格模式详解》
let和var关键字的异同
声明后未赋值,表现相同
'use strict';
(function() {
  var varTest;
  let letTest;
  console.log(varTest); 
  console.log(letTest); 
}());
使用未声明的变量,表现不同:
(function() {
  console.log(varTest)
  console.log(letTest)
  var varTest = 'test var OK.'
  let letTest = 'test let OK.'
}())
重复声明同一个变量时,表现不同:
'use strict';
(function() {
  var varTest = 'test var OK.';
  let letTest = 'test let OK.';
  var varTest = 'varTest changed.';
  let letTest = 'letTest changed.'; 
  console.log(varTest); 
  console.log(letTest);
}());
变量作用范围,表现不同
'use strict';
(function() {
  var varTest = 'test var OK.';
  let letTest = 'test let OK.';
  {
    var varTest = 'varTest changed.';
    let letTest = 'letTest changed.';
  }
  console.log(varTest); 
  console.log(letTest); 
}());