初探ECMAScript6

基础变化

  1. String类型新增了三个方法,不必使用indexOf来判断一个字符串是否在另一个字符串内

    //String changes
    var a = "Hello world";
        var b = "Hello";
        var c = "world";
        function includes(source, dest) {
          return source.indexOf(dest) > -1;
        }
        function startsWith(source, dest) {
          return source.slice(0, dest.length) === dest;
        }
        function endsWith(source, dest) {
          return source.slice(source.length - dest.length, source.length) === dest;
        }
    
    var msg = "Hello world!";
    
        console.log("msg startsWith Hello: ", msg.startsWith("Hello"));       // true
        console.log("msg endsWith !: ", msg.endsWith("!"));             // true
        console.log("msg includes o:  ", msg.includes("o"));             // true
    
        console.log("msg startsWith o: ", msg.startsWith("o"));           // false
        console.log("msg endsWith world!: ", msg.endsWith("world!"));        // true
        console.log("msg includes x:  ", msg.includes("x"));             // false
  2. Object.is方法用来判断两个参数是否相等,与全等(===)类似只是在+0和-0上以及NaN与NaN的判断上与全等不同

    console.log(+0 == -0);              // true
    console.log(+0 === -0);             // true
    console.log(Object.is(+0, -0));     // false
    
    console.log(NaN == NaN);            // false
    console.log(NaN === NaN);           // false
    console.log(Object.is(NaN, NaN));   // true
    
    console.log(5 == 5);                // true
    console.log(5 == "5");              // true
    console.log(5 === 5);               // true
    console.log(5 === "5");             // false
    console.log(Object.is(5, 5));       // true
    console.log(Object.is(5, "5"));     // false
  3. let声明,let与var的作用相同,只是以let声明的变量的作用域在当前的{}块内

    function getValue(condition) {
    
        if (condition) {
            let value = "blue";
    
            // other code
    
            return value;
        } else {
    
            // value doesn‘t exist here
    
            return null;
        }
    
        // value doesn‘t exist here
    }
  4. const关键字用来声明常量,常量一旦赋值就无法改变,其他的赋值表达式都会被忽略
  5. 解构赋值,引入解构赋值可以方便的从复杂的对象中取得所需的属性值

    var options = {
            repeat: true,
            save: false,
            rules: {
                custom: 10,
            }
        };
    
    // later
    
    var { repeat, save, rules: { custom }} = options;
    
    console.log(repeat);        // true
    console.log(save);          // false
    console.log(custom);        // 10

  1. 类声明语法,目前许多前端框架比如dojo、extJs使用辅助设计使得Javascript看起来支持“类”,基于以上目的ES6引入类体系;目前在Chrome使用class关键字必须使用严格模式

    //class declaration
    function PersonType(name) {
            this.name = name;
        }
    
        PersonType.prototype.sayName = function() {
            console.log(this.name);
        };
    
        let person = new PersonType("Nicholas");
        person.sayName();   // outputs "Nicholas"
    
        console.log(person instanceof PersonType);      // true
        console.log(person instanceof Object);      // true
    
    (function(){
    ‘use strict‘;
    class PersonClass {
            constructor(name) {
                this.name = name;
            }
            sayName() {
                console.log(this.name);
            }
        }
    
        let person = new PersonClass("Nicholas");
        person.sayName();   // outputs "Nicholas"
    
        console.log(person instanceof PersonClass);
        console.log(person instanceof Object);
    })()
  2. 属性访问器,通过使用get和set关键字来声明属性(Attribute),在ES5中需要借助Object.defineProperty来声明属性访问器

    //Accessor Properties
    (function(){
          ‘use strict‘;
          class PersonClass {
            constructor(name) {
                this.name = name;
            }
            get Name(){
              return this.name;
            }
            set Name(value){
              this.name = value;
            }
          }
    
          let person = new PersonClass("Nicholas");
          console.log(‘person.Name: ‘, person.Name)   // outputs "Nicholas"
        })()
  3. 静态成员,ES5或者之前的代码通过在构造函数中直接定义属性来模拟静态成员;ES6则只需要在方法名前面加上static关键字

    //ES5
    function PersonType(name) {
        this.name = name;
    }
    
    // static method
    PersonType.create = function(name) {
        return new PersonType(name);
    };
    
    // instance method
    PersonType.prototype.sayName = function() {
        console.log(this.name);
    };
    
    var person = PersonType.create("Nicholas");
    
    //ES6
    //Static Members
    (function(){
          ‘use strict‘;
          class PersonClass {
            constructor(name) {
              this.name = name;
            }
    
            sayName() {
              console.log(this.name);
            }
    
            static create(name) {
              return new PersonClass(name);
            }
          }
    
          let person = PersonClass.create("Nicholas");
          console.log(person);
        })()
  4. 继承,ES5中需要借助prototype属性而ES6中引入extends关键字来实现继承

    //Handling Inheritance
    (function(){
          ‘use strict‘;
          class PersonClass {
            constructor(name) {
              this.name = name;
            }
          }
    
          class Developer extends PersonClass {
            constructor(name, lang) {
              super(name);
              this.language = lang;
            }
          }
    
          var developer = new Developer(‘coder‘, ‘Javascript‘);
          console.log("developer.name: ", developer.name);
          console.log("developer.language: ", developer.language);
        })()

模块机制

  当前关于JS的模块化已有两个重要的规范CommonJs和AMD,但毕竟不是原生的模块化,所以ES6中引入模块化机制,使用export和import来声明暴露的变量和引入需要使用的变量

  

Iterator和Generator

  Iterator拥有一个next方法,该方法返回一个对象,该对象拥有value属性代表此次next函数的值、done属性表示是否拥有继续拥有可返回的值;done为true时代表没有多余的值可以返回此时value为undefined;Generator函数使用特殊的声明方式,generator函数返回一个iterator对象,在generator函数内部的yield关键字声明了next方法的值

//Iterator & Generator
// generator
    function *createIterator() {
        yield 1;
        yield 2;
        yield 3;
    }

    // generators are called like regular functions but return an iterator
    var iterator = createIterator();
    console.log(iterator.next());
    console.log(iterator.next());
    console.log(iterator.next());
    console.log(iterator.next());

Promise

  ES6引入原生的Promise对象,Promise构造函数接受一个方法作为参数,该方法中可以调用resolve和reject方法,分别进入fulfill状态和fail状态

// Promise
var getJSON = function(url) {
  var promise = new Promise(function(resolve, reject){
    var client = new XMLHttpRequest();
    client.open("GET", url);
    client.onreadystatechange = handler;
    client.send();

    function handler() {
      if (this.readyState !== 4) {
        return;
      }
      if (this.status === 200) {
      debugger;
        resolve(this.responseText);
      } else {
        reject(new Error(this.statusText));
      }
    };
  });

  return promise;
};

getJSON("https://gis.lmi.is/arcgis/rest/services/GP_service/geocode_thjonusta_single/GeocodeServer?f=json").then(function(json) {
  console.log(‘Contents: ‘ + json);
}, function(error) {
  console.error(‘Error: ‘, error);
});

Proxy

  顾名思义用来作为一个对象或函数的代理。Proxy构造函数接受两个参数:target用来被封装的对象或函数、handler拥有一系列方法,重写这些方法以便当调用这些操作时会进入重写的方法中

•handler.getPrototypeOf

•handler.setPrototypeOf

•handler.isExtensible

•handler.preventExtensions

•handler.getOwnPropertyDescriptor

•handler.defineProperty

•handler.has

•handler.get

•handler.set

•handler.deleteProperty

•handler.enumerate

•handler.ownKeys

•handler.apply

•handler.construct

handler.getPrototypeOf
handler.setPrototypeOf
handler.isExtensible
handler.preventExtensions
handler.getOwnPropertyDescriptor
handler.defineProperty
handler.has
handler.get
handler.set
handler.deleteProperty
handler.enumerate
handler.ownKeys
handler.apply
handler.construct

参考资料:

Understanding ECMAScript 6

ECMAScript 6 入门

时间: 2024-10-11 04:11:26

初探ECMAScript6的相关文章

重新认识HTML,CSS,Javascript 之node-webkit 初探

今天我们来系统的.全面的 了解一下前端的一些技术,将有助于我们写出 更优秀的 产品 出来. 什么是HTML? HTML 是用来描述网页的一种语言. HTML 包含一些根节点,子节点,文本节点,属性节点,组成, 它通过一系列预定义标签来描述网页结构,如: <title>This is title</title> ,这个表明该网页的标题是 This is title. 什么是CSS? CSS 指层叠样式表 (Cascading Style Sheets),它描述浏览器显示如何显示htm

进阶之初探nodeJS

一.前言 在"初探nodeJS"随笔中,我们对于node有了一个大致地了解,并在最后也通过一个示例,了解了如何快速地开启一个简单的服务器. 今儿,再次看了该篇随笔,发现该随笔理论知识稍多,适合初级入门node,固萌生一个想法--想在该篇随笔中,通过一步步编写一个稍大一点的node示例,让我们在整体上更加全面地了解node. so,该篇随笔是建立在"初探nodeJS"之上的,固取名为"进阶之初探nodeJS". 好了,侃了这多,那么我们即将实现一个

从273二手车的M站点初探js模块化编程

前言 这几天在看273M站点时被他们的页面交互方式所吸引,他们的首页是采用三次加载+分页的方式.也就说分为大分页和小分页两种交互.大分页就是通过分页按钮来操作,小分页是通过下拉(向下滑动)时异步加载数据. 273这个M站点是产品推荐我看的.第一眼看这个产品时我就再想他们这个三次加载和翻页按钮的方式,那么小分页的pageIndex是怎么计算的.所以就顺便看了下源码. 提到看源码时用到了Chrome浏览器的格式化工具(还是朋友推荐我的,不过这个格式化按钮的确不明显,不会的话自行百度). 三次加载和分

[转载]HDFS初探之旅

转载自 http://www.cnblogs.com/xia520pi/archive/2012/05/28/2520813.html , 感谢虾皮工作室这一系列精彩的文章. Hadoop集群(第8期)_HDFS初探之旅 1.HDFS简介 HDFS(Hadoop Distributed File System)是Hadoop项目的核心子项目,是分布式计算中数据存储管理的基础,是基于流数据模式访问和处理超大文件的需求而开发的,可以运行于廉价的商用服务器上.它所具有的高容错.高可靠性.高可扩展性.高

MongoDB初探系列之二:认识MongoDB提供的一些常用工具

在初探一中,我们已经可以顺利的将MongoDB在我们自己的机器上跑起来了.但是在其bin目录下面还有一些我们不熟知的工具.接下来,将介绍一下各个小工具的用途以及初探一中MongoDB在data文件夹下创建的文件的用途. 1.bin目录下面的各种小工具简介及使用方式 bsondump.exe 用于将导出的BSON文件格式转换为JSON格式mongo.exe mongoDB的客户端 mongod.exe 用于启动mongoDB的Server mongodump.exe 用于从mongodb数据库中导

Asynchronous Pluggable Protocols 初探

Asynchronous Pluggable Protocols,异步可插入协议,允许开发者创建可插协议处理器,MIME过滤器,以及命名空间处理器工作在微软IE4.0浏览器以及更高版本或者URL moniker中.这涉及到Urlmon.dll动态链接库所公开(输出)的可插协议诸多功能,本文不进行深入的原理讲解,只对它其中之一的应用进行解析,那就是如何将一个应用程序注册为URL协议. 应用场景: tencent协议: 当我们打开"tencent://message/?uin=要链接的QQ号 &qu

java进阶06 线程初探

线程,程序和进程是经常容易混淆的概念. 程序:就是有序严谨的指令集 进程:是一个程序及其数据在处理机上顺序执行时所发生的活动 线程:程序中不同的执行路径,就是程序中多种处理或者方法. 线程有两种方法实现 一:继承Thread 覆盖run方法 package Thread; public class Thread1 { public static void main(String[] args){ MyThread1 thread1=new MyThread1(); thread1.setName

数据加密解密初探

在一次网络通信或者是进程通信中,如果传输数据采用明文的方式,那么很容易被第三方"窃听"到,安全性难以保障. 而所谓加密是让数据从明文变成密文,传输过程中是密文,传送过去之后对方接收到的也是密文.--可以理解为密文就是乱码,看不出内在的任何意义,通常也都是逐位对应的. 在接收方接收到密文之后只有把它还原为原来的样子才可以理解对方说的具体是什么,此过程就叫做解密. 所谓系统的安全要实现的目标应该包括:机密性-confidentiality,完整性-integrity 和可用性-availa

ECMAscript6新特性之解构赋值

在以前,我们要对变量赋值,只能直接指定值.比如:var a = 1;var b = 2;但是发现这种写法写起来有点麻烦,一点都不简洁,而在ECMAScript6中引入了一种新的概念,那就是"解构",这种赋值语句极为简洁,比传统的属性访问方法更为清晰.那什么是解构呢?按照一定的模式,允许从数组或者对象中获取到值,并且对其变量进行赋值.称为"解构". 看到上图了吧,解构是不是很简洁.其实解构不单用于数组.对象,只要内部具有iterator接口,就都可以使用解构来给变量赋