美文网首页
ES6标准汇总(持续更新)

ES6标准汇总(持续更新)

作者: Rebirth_914 | 来源:发表于2021-08-07 13:04 被阅读0次

    一、箭头函数(Arrows Function)

    ES6 为我们带来了一种更简洁的书写函数的方式,箭头函数。在旧的标准中,我们是这样书写函数的:

     const myFunc = function() {
        const myVar = "value";
        return myVar;
      }
    

    使用剪头函数,我们可以将其简化为:

    const myFunc = () =>{
        const myVar = "value";
        return myVar;
    }
    

    进一步简化

    const myFunc = () => "value"
    

    箭头函数还可以传参

    // 将输入的数乘以2,并返回
    const doubler = (item)  => item * 2;
    

    箭头函数可以极大的化简高阶函数的使用。所谓高阶函数,就是那些接受一个函数作为参数的函数,常见的有:map(),filter(),reduce()。
    在以前我们是这么写高阶函数的:

    FBPosts.filter(function(post){
        return post.thumbnil  !== null && post.shares > 100 && post.likes>500;
    })
    

    利用箭头函数可以这样简化

    FBPosts.filter((post)  =>post.thumbnil  !== null && post.shares > 100 && post.likes>500)
    

    注:
    (1)函数体内的this对象,就是定义时所在的对象,而不是使用时所在的对象,箭头函数继承而来的this指向永远不变。

    (2)不可以当作构造函数,也就是说,不可以使用new命令,否则会抛出一个错误。

    (3)不可以使用arguments对象,该对象在函数体内不存在。如果要用,可以用Rest参数代替。

    (4)不可以使用yield命令,因此箭头函数不能用作Generator函数。

    二、为函数的参数设置默认值

    function greeting(name = "Anonymous") {
        return "Hello " + name;
      }
      console.log(greeting("John")); // 输出 Hello John
      console.log(greeting()); // 输出 Hello Anonymous
    

    参数name的默认值被设置为"Anonymous",所以在不传参直接调用greeting()时,输出的是Hello Anonymous。

    三、let、var、const命令

    详细可转https://www.jianshu.com/p/e48003dbd83e查看

    四、rest参数(Rest Operator)

    ES6中引入了rest参数,其形式为...变量名。通过使用rest参数,可以向函数传入不同数量的参数

     function howMany(...args) {
        return "You have passed " + args.length + " arguments.";
      }
      console.log(howMany(0, 1, 2)); // 传入三个参数
      console.log(howMany("string", null, [1, 2, 3], { })); // 传入四个参数
    

    rest 参数中的变量代表一个数组,所有数组特有的方法都可以用于这个变量

     function push(array, ...items) {
        items.forEach(function(item) {
          array.push(item);
          console.log(item);
        });
      }
      var a = [];
      push(a, 1, 2, 3)
      console.log(a)  //输出 [1, 2, 3]
    

    rest 参数后不能再有其他参数,否则程序会报错。

    五、扩展运算符(Spread Operator)

    扩展运算符其实就是rest参数中的那三个点...其作用是:

    1. 拷贝数组对象
     console.log(...[1, 2, 3])
      // 1 2 3
      console.log(1, ...[2, 3, 4], 5)
      // 1 2 3 4 5
      [...document.querySelectorAll('div')]
      // [<div>, <div>, <div>]
    

    扩展运算符拷贝数组,只有第一层是深拷贝,即对一维数组使用扩展运算符拷贝就属于深拷贝。

    const miniCalendar = [2021, [1, 2, 3, 4, 5, 6, 7], 1];
    
    const copyArray = [...miniCalendar];
    console.log(copyArray); // [ 2021, [ 1, 2, 3, 4, 5, 6, 7 ], 1 ]
    
    copyArray[1][0] = 0;
    copyArray[1].push(8);
    copyArray[2] = 2;
    console.log(copyArray); // [ 2021, [ 0, 2, 3, 4, 5, 6, 7, 8 ], 2 ]
    console.log(miniCalendar); // [ 2021, [ 0, 2, 3, 4, 5, 6, 7, 8 ], 1 ]
    

    拷贝对象,代码如下:

    const time = {
        year: 2021,
        month: 7,
        day: {
            value: 1,
        },
    };
    const copyTime = { ...time };
    console.log(copyTime); // { year: 2021, month: 7, day: { value: 1 } }
    

    扩展运算符拷贝对象也是只会在一层进行深拷贝。

    copyTime.day.value = 2;
    copyTime.month = 6;
    console.log(copyTime); // { year: 2021, month: 6, day: { value: 2 } }
    console.log(time); // { year: 2021, month: 7, day: { value: 2 } }
    
    1. 合并操作
    const halfMonths1 = [1, 2, 3, 4, 5, 6];
    const halfMonths2 = [7, 8, 9, 10, 11, 12];
    
    const allMonths = [...halfMonths1, ...halfMonths2];
    console.log(allMonths); // [ 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12 ]
    

    在合并对象时,如果一个键已经存在,它会被具有相同键的最后一个对象给替换。

    const time1 = {
        month: 7,
        day: {
            value: 1,
        },
    };
    const time2 = {
        year: 2021,
        month: 8,
        day: {
            value: 10,
        },
    };
    const time = { ...time1, ...time2 };
    console.log(time); // { month: 8, day: { value: 10 }, year: 2021 }
    
    1. 参数传递
    const sum = (num1, num2) => num1 + num2;
    
    console.log(sum(...[6, 7])); // 13
    console.log(sum(...[6, 7, 8])); // 13
    

    从上面的代码看,函数定义了多少个参数,扩展运算符传入的值就是多少个。

    在之前,如果我们想求数组中的最大值需要这样写:

    var arr = [6, 89, 3, 45];
    var maximus = Math.max.apply(null, arr); // 返回 89
    

    因为Math.max()方法只接受由逗号分隔的参数序列,比如Math.max(1, 2, 3),所以我们需要apply()进行转化。在ES6中,我们不再需要apply()方法,而是可以直接利用扩展运算符,其形式更易于理解。

    const arr = [6, 89, 3, 45];
    const maximus = Math.max(...arr); // 返回 89
    
    const arrayNumbers = [1, 5, 9, 3, 5, 7, 10];
    const min = Math.min(...arrayNumbers);
    const max = Math.max(...arrayNumbers);
    console.log(min); // 1
    console.log(max); // 10
    
    1. 数组去重
      与 Set 一起使用消除数组的重复项
    const arrayNumbers = [1, 5, 9, 3, 5, 7, 10, 4, 5, 2, 5];
    const newNumbers = [...new Set(arrayNumbers)];
    console.log(newNumbers); // [ 1,  5, 9, 3, 7, 10, 4, 2 ]
    
    1. 字符串转字符数组
      String 也是一个可迭代对象,所以也可以使用扩展运算符 ... 将其转为字符数组,如下:
    const title = "china";
    const charts = [...title];
    console.log(charts); // [ 'c', 'h', 'i', 'n', 'a' ]
    

    进而可以简单进行字符串截取,如下:

    const title = "china";
    const short = [...title];
    short.length = 2;
    console.log(short.join("")); // ch
    
    1. NodeList 转数组

    NodeList 对象是节点的集合,通常是由属性,如 Node.childNodes 和方法,如 document.querySelectorAll 返回的。

    NodeList 类似于数组,但不是数组,没有 Array 的所有方法,例如find、map、filter 等,但是可以使用 forEach() 来迭代。

    可以通过扩展运算符将其转为数组.

    const nodeList = document.querySelectorAll(".row");
    const nodeArray = [...nodeList];
    console.log(nodeList);
    console.log(nodeArray);
    
    image
    1. 解构变量

    (1)解构数组

    const [currentMonth, ...others] = [7, 8, 9, 10, 11, 12];
    console.log(currentMonth); // 7
    console.log(others); // [ 8, 9, 10, 11, 12 ]
    

    (2)解构对象

    const userInfo = { name: "Crayon", province: "Guangdong", city: "Shenzhen" };
    const { name, ...location } = userInfo;
    console.log(name); // Crayon
    console.log(location); // { province: 'Guangdong', city: 'Shenzhen' }
    

    注:扩展运算符...只在某些特定的情况下才可以使用,比如函数的参数中,或者数组中。裸用扩展运算符程序会报错。

      var arr = [6, 89, 3, 45]
      const spreaded = ...arr; //报错
    

    六、解构赋值(Destructuring Assignment)

    1.ES5中赋值是这样的:

      var voxel = {x: 3.6, y: 7.4, z: 6.54 };
      var x = voxel.x; // x = 3.6
      var y = voxel.y; // y = 7.4
      var z = voxel.z; // z = 6.54
    

    ES6中

     const { x, y, z } = voxel; // x = 3.6, y = 7.4, z = 6.54
    

    如果想赋值的变量与对象的属性有不同的名称

    const { x : a, y : b, z : c } = voxel // a = 3.6, b = 7.4, c = 6.54
    

    以上这种操作方法就叫解构赋值。
    2.解构赋值也可以作用于嵌套的对象。

     const a = {
        start: { x: 5, y: 6},
        end: { x: 6, y: -9 }
      };
      const { start : { x: startX, y: startY }} = a;
      console.log(startX, startY); // 5, 6
    

    3.利用解构赋值,可以轻易的获取数组的特定元素。

     const [a, b] = [1, 2, 3, 4, 5, 6];
      console.log(a, b); // 1, 2
    
      const [a, b,,, c] = [1, 2, 3, 4, 5, 6];
      console.log(a, b, c); // 1, 2, 5
    

    4.解构赋值可以搭配扩展运算符使用

     const [a, b, ...arr] = [1, 2, 3, 4, 5, 7];
      console.log(a, b); // 1, 2
      console.log(arr); // [3, 4, 5, 7]
    

    5.如果你想将一个对象当参数传入,你可能会想到这样做:

      const profileUpdate = (profileData) => {
        const { name, age, nationality, location } = profileData;
        // 函数操作
      }
    

    其实可以这样简化,不用把整个对象都传进来,只需要传入我们需要的那部分。

    const profileUpdate = ({ name, age, nationality, location }) => {
        // 函数操作
      }
    

    七、模板字符串(Template String)

    ES6中引入了一种更强大的字符串写法,被称为模板字符串,用反引号( ` )标识。

    const person = {
        name: "Zodiac Hasbro",
        age: 56
      };
    
      //用模板字符串方式书写的字符串,并将其赋给greeting变量
      const greeting = `Hello, my name is ${person.name}!
      I am ${person.age} years old.`;
    
      console.log(greeting); 
      // 输出:
      // Hello, my name is Zodiac Hasbro!
      // I am 56 years old.
    

    注:1. 模板字符串的标识符是反引号(`) 而不是单引号(')。

    1. 输出的字符串是多行的,我们在也不需要\n了
    2. 语法${}可以用来获取变量,化简了之前用+来进行字符串拼接的写法。

    八、定义对象的方法

    以前我们是这样定义的

      const person = {
        name: "Taylor",
        sayHello: function() {
          return `Hello! My name is ${this.name}.`;
        }
      };
    

    在ES6中,可以将function关键词省略。

      const person = {
        name: "Taylor",
        sayHello() {
          return `Hello! My name is ${this.name}.`;
        }
      };
    

    九、 class语法糖

    ES6中提供了一种新的语法创建对象,即使用class关键词。需要注意的是,这里的class关键词只是语法糖,并不具有像传统的面向对象的语言那样的特性。

    在ES5中,通常是这样创建构造函数的:

     var Person = function(name){
        this.name = name;
      }
      var person1 = new Person('Jim');
    

    利用class语法糖,我们可以这样写:

     class Person {
        constructor(name){
          this.name = name;
        }
      }
      const person1 = new Person('Jim');
    
    1. 在由class定义的对象中,添加了构造函数constructor(),构造函数在new被调用时唤醒,创建一个新的对象。
    2. 用getters 和 setters封装对象

    在由class定义的对象中,存值函数和取值函数现在有了自己的关键字get和set,用法也更加简单。

      class Book {
        constructor(author) {
          this._author = author;
        }
        // getter
        get writer(){
          return this._author;
        }
        // setter
        set writer(updatedAuthor){
          this._author = updatedAuthor;
        }
      }
      const lol = new Book('anonymous');
      console.log(lol.writer);  // anonymous
      lol.writer = 'wut';
      console.log(lol.writer);  // wut
    

    请注意调用存值函数和取值函数的方式:lol.writer。这种调用方式让他们看起来并不像是函数。

    相关文章

      网友评论

          本文标题:ES6标准汇总(持续更新)

          本文链接:https://www.haomeiwen.com/subject/qznwvltx.html