• ES13 新增特性


    1、类字段声明

     ES13之前,类字段只能在构造函数中声明,与许多其他语言不同,我们不能在类的最外层范围内声明或定义它们

    1. <script>
    2. class Car {
    3. constructor(){
    4. this.color = 'pink';
    5. this.age = 18;
    6. }
    7. }
    8. const car = new Car();
    9. console.log(car.color); //pink
    10. console.log(car.age); // 18
    11. script>

    ES13消除了这个限制,现在我们可以编写如下代码:

    1. <script>
    2. class Cars {
    3. color = 'black';
    4. age = 16;
    5. }
    6. const car1 = new Cars();
    7. console.log(car1.color); //black
    8. console.log(car1.age); // 16
    9. script>

    2、私有方法和字段

    以前不能在类中声明私有成员,成员通常以下划线(_)为前缀,表示它是私有的,但仍然可以从类外部访问和修改

    1. <script>
    2. class Person {
    3. _firstName = '小白';
    4. _lastName = '小黑';
    5. get name() {
    6. return `${this._firstName} ${this._lastName}`;
    7. }
    8. }
    9. const person = new Person();
    10. console.log(person.name); //小白 小黑
    11. console.log(person._firstName); // 小白
    12. console.log(person._lastName); // 小黑
    13. person._firstName = '小王';
    14. person._lastName = '小明';
    15. console.log(person.name); //小王 小明
    16. script>

     使用ES13 我们现在可以将私有字段和成员添加到类中,方法是在其前面加上#号,试图从类外部访问它们会导致错误:

    1. <script>
    2. class Persons {
    3. #firstName = "小刘";
    4. #lastName = "小李";
    5. get name() {
    6. return `${this.#firstName} ${this.#lastName}`;
    7. }
    8. }
    9. const persons = new Persons();
    10. console.log(persons.name);
    11. //这里抛出的错误是语法错误,发送在编译时,因此没有部分代码运行,编译器甚至不希望您尝试从类外部访问私有字段,因此,它假定您正在尝试声明一个
    12. console.log(persons.#firstName);
    13. console.log(persons.#lastName);
    14. script>

    3、 await 运算符

    在js中,await 运算符用于暂停执行,直到Promise 被解决(履行或拒绝)以前只能在async函数中使用此运算符 使用async关键字声明的函数

    1. <script>
    2. function setTimeoutAsync(timeout){
    3. return new Promise((resolve) => {
    4. setTimeout(()=> {
    5. resolve();
    6. },timeout)
    7. })
    8. }
    9. // await is only valid in async functions and the top level bodies
    10. // await setTimeoutAsync(3000);
    11. script>

    使用ES13可以

    1. <script>
    2. function setTimeoutAsync(timeout){
    3. return new Promise((resolve) => {
    4. setTimeout(()=> {
    5. resolve();
    6. },timeout)
    7. })
    8. }
    9. // waits for timeout - no error thrown
    10. // await setTimeoutAsync(3000);
    11. script>

    4、静态类字段和静态私有方法

    在ES13中为类声明静态字段和静态私有方法,静态方法可以使用this关键字访问类中的其它私有/公共静态成员,实列方法可以使用this.constructor访问它们

    1. <script>
    2. class Personn {
    3. static #count = 0;
    4. static getCount(){
    5. return this.#count
    6. }
    7. constructor(){
    8. this.constructor.#inc()
    9. }
    10. static #inc(){
    11. this.#count++;
    12. }
    13. }
    14. const person1 = new Personn();
    15. const person2 = new Personn();
    16. console.log(Personn.getCount()); //2
    17. script>

    5、类静态块

    ES13允许在创建类定义只执行一次的静态块,这类似于其他面向对象编程的语言中的静态构造函数一个类的类主体中可以有任意数量的静态{} 初始化块,它们将于任何交错的静态字段初始值设定一起按照声明的顺序执行,可以在静态块中使用超属性来访问超类的属性

    1. <script>
    2. class Vehicle {
    3. static defautColors = 'black';
    4. }
    5. class Card extends Vehicle {
    6. static colors = [];
    7. static {
    8. this.colors.push(super.defautColors,'red')
    9. }
    10. static {
    11. this.colors.push('green');
    12. }
    13. }
    14. console.log(Card.colors); //["black" "red" "green"]
    15. script>

     6、at( ) 方法进行索引

    通常在js中使用方括号([])来访问数组的第N个元素,这通常是一个简单的过程,只访问数组的N-1 属性

    1. <script>
    2. let arr = ['a','b','c']
    3. console.log(arr[1]); //b
    4. script>

    但是如果想使用方括号访问数组末尾的第N个元素,我们必须使用arr.length-N 的索引

    1. <script>
    2. const arr1 = [1,2,3,]
    3. console.log(arr1[arr1.length-1]); //3
    4. console.log(arr1[arr1.length-2]); //2
    5. script>

     新的at()方法更简洁,要访问数组末尾的第N个元素,只需要将负值-N 传递给 at()

    1. <script>
    2. let num = [3,4,5,6]
    3. console.log(num.at(-1)); //6
    4. console.log(num.at(-2)); //5
    5. script>

     除了数组,字符串和TypedArray 对象现在也有 at()方法

    1. <script>
    2. const str = 'coding';
    3. console.log(str.at(-1)); //g
    4. console.log(str.at(-2)); //n
    5. let typedArray = new Uint8Array([9,8,7,6]);
    6. console.log(typedArray.at(-1)); //6
    7. console.log(typedArray.at(-2)); //7
    8. script>

    7、RegExp 匹配索引

    新功能允许指定想要获取给定字符串中 RegExp对象匹配的开始和结束索引。以前只能在字符串中获取正则表达式匹配的起始索引

    1. <script>
    2. let strs = 'sun and moon';
    3. let regex = /and/;
    4. let matchObj = regex.exec(strs);
    5. //['and',index:4,input:'sun and moon', groups:undefined]
    6. console.log('matchObj',matchObj);
    7. script>

    现在可以指定一个 d 正则表达式标志来获取匹配开始和结束的两个索引

    1. <script>
    2. const str1 = "sun and moon";
    3. const regex1 = /and/d;
    4. const matchObj1 = regex1.exec(str1)
    5. // ['and',index:4,input:'sun and moon', groups:undefined, indices:[ groups:undefined, [4,7]]]
    6. console.log('matchObj1',matchObj1);
    7. script>

    8、Object.hasOwn( ) 方法

    在js中,可以使用Object.prototype.hasOwnProperty()方法来检查对象是否具有给定的属性

    1. <script>
    2. class Car2 {
    3. color = "white";
    4. age = 14;
    5. }
    6. const car2 = new Car2();
    7. console.log(car2.hasOwnProperty('age')); // true
    8. console.log(car2.hasOwnProperty('name')); // false
    9. script>

    但是这种方法存在一定问题,一方面Object.prototype.hasOwnProperty()方法不受保护,它可以通过为类定义自定义 hasOwnProperty()方法覆盖,该方法可能具有Object.prototype.hasOwnProperty()完全不同的行为

    1. <script>
    2. class Car3 {
    3. color = "hotpink";
    4. age = 11;
    5. hasOwnProperty() {
    6. return false
    7. }
    8. }
    9. const car3 = new Car3();
    10. console.log(car3.hasOwnProperty('age')); // false
    11. console.log(car3.hasOwnProperty('name')); //false
    12. //另一个问题是,对于使用Null 原型创建的对象(使用 Object.create(null)) 尝试对其调用此方法会导致错误
    13. const obj = Object.create(null);
    14. obj.color ="blue";
    15. obj.age = 2;
    16. // obj.hasOwnProperty is not a function
    17. // console.log(obj.hasOwnProperty('color'));
    18. script>

    解决上面问题的一种方法是使用调用 Object.prototype.hasOwnProperty Function 属性上的call()方法,如下:

    1. const obj1= Object.create(null);
    2. obj1.color ="blue";
    3. obj1.age = 2;
    4. obj1.hasOwnProperty = () => false;
    5. console.log(Object.prototype.hasOwnProperty.call(obj1,'color')); // true
    6. console.log(Object.prototype.hasOwnProperty.call(obj1,'name')); // false

     这不是很方便,我们可以编写一个可重用的函数来避免重复自己

    1. function objHasOwnProp(obj,propertyKey) {
    2. return Object.prototype.hasOwnProperty.call(obj,propertyKey);
    3. }
    4. const obj2 = Object.create(null);
    5. obj2.color = 'red';
    6. obj2.age = 3;
    7. obj2.hasOwnProperty = () => false;
    8. console.log(objHasOwnProp(obj2,'color')); // true
    9. console.log(objHasOwnProp(obj2,'name')); //fasle

    不过没有必要,因为可以使用新的内置 Object.hasOwn()方法,与我们的可重用函数一样,它接受对象和属性作为参数 如果指定的属性是对象的直接属性,则返回 true 否则 返回false

    1. const obj3 = Object.create(null);
    2. obj3.color = 'orange';
    3. obj3.age = 6;
    4. obj3.hasOwnProperty = () => false;
    5. console.log(Object.hasOwn(obj3,'color'),'obj3'); //true
    6. console.log(Object.hasOwn(obj3,'name')); // false

    9、错误原因

    错误对象现在有一个 cause 属性,用于指定导致即将抛出的原始错误,这有助于为错误加额外的上下文信息并帮助诊断意外行为, 我们可以通过在作为第二个参数传递给 Error()构造函数的对象上设置 cause 属性来指定错误的原因

    1. <script>
    2. function userAction(){
    3. try{
    4. apiCallThatCanThrow();
    5. }catch(err) {
    6. throw new Error('New error message', { cause: err});
    7. }
    8. }
    9. try{
    10. userAction();
    11. }catch(err) {
    12. console.log('err',err);
    13. console.log(`Cause by: ${err.cause}`);
    14. }
    15. script>

    10、从最后一个数组查找

    在js中可以使用 Array find()方法在数组中查找通过指定测试条件的元素,同样也可以使用findIndex()方法来查找此类元素的索引

    虽然 find()方法和findIndex() 都从数组的第一个元素开始搜索,但在某些情况下,最好从最后一个元素开始搜索.

    在某些情况下,我们知道从最后一个元素中查找可能会获得更好的性能,列如,试图在数组中获取值prop等于 y 的项目.使用find()和findIndex();

    1. <script>
    2. const letters = [
    3. {value:'v'},
    4. {value:'w'},
    5. {value:'x'},
    6. {value:'y'},
    7. {value:'z'},
    8. ]
    9. const found = letters.find(item => item.value === 'y');
    10. const foundIndex = letters.findIndex(v => v.value === 'y')
    11. console.log('found',found); //{value: 'y'}
    12. console.log('foundIndex',foundIndex); //3
    13. script>

    但是由于目标对象更靠近数组的尾部,如果我们使用findLast()和findLastIndex()方法从末尾搜索数组,则可以让程序运行得更快

    1. <script>
    2. const letter = [
    3. {value:'v'},
    4. {value:'w'},
    5. {value:'x'},
    6. {value:'y'},
    7. {value:'z'},
    8. ]
    9. const founds = letter.findLast(item => item.value === 'y');
    10. const foundsIndex = letter.findLastIndex(item => item.value === 'y');
    11. console.log('founds',founds); //{value: 'y'}
    12. console.log('foundsIndex',foundsIndex); //3
    13. script>

    另一个用例可能要求我们专门从末尾搜索数组以获取正确的项目.例如,如果想在数字列表中查找最后一个偶数   find() 和 findIndex() 会产生错误的结果

    1. <script>
    2. let nums = [5,6,7,8,9,10];
    3. let lastEven = nums.find(v => v % 2 === 0);
    4. let lastEvenIndex = nums.findIndex(item => item % 2 === 0);
    5. console.log('lastEven',lastEven); //6
    6. console.log('lastEvenIndex',lastEvenIndex); //1
    7. script>

    可以在调用find() 和findIndex()之前调用数组的reverse() 方法来反转元素的顺序.

    但是这种方法会导致数组发生不必要的突变,因为reverse()会反转数组的元素,避免这种突变的唯一方法是

    制作整个数组的新副本,这可能会导致大型数组出现性能问题.此外,findIndex()仍然无法在反转数组上工作,

    因为反转元素也意味着更改他们在原始数组中的索引,要获得原始索引,需要执行额外的计算,意味编写更多的代码

    1. <script>
    2. let nums1 = [5,6,7,8,9,10];
    3. let reversed = [...nums1.reverse()];
    4. let lastEven1 = reversed.find(v => v % 2 === 0);
    5. let reversedIndex = reversed.findIndex(v => v % 2 === 0);
    6. let lastEvenIndex1 = reversed.length - 1 - reversedIndex;
    7. console.log('lastEven1',lastEven1); //10
    8. console.log('reversedIndex',reversedIndex); //0
    9. console.log('lastEvenIndex1',lastEvenIndex1); // 5
    10. let lastEven2 = nums1.findLast(v => v % 2 === 0);
    11. let lastEvenIndex2 = nums1.findLastIndex(v => v % 2 === 0);
    12. console.log('lastEven2',lastEven2); //6
    13. console.log('lastEvenIndex2',lastEvenIndex2); //4
    14. script>

  • 相关阅读:
    无线城市WiFi解决方案【完整Word】
    vos3000外呼系统如何修改话机注册端口
    【电子书下载】z-library的用法
    Java集合
    c++for循环
    设计模式-单例模式
    SpringCloud之Eureka注册中心解读
    第一章 学前必读
    【开源】SpringBoot框架开发音乐平台
    Java运行时数据区域
  • 原文地址:https://blog.csdn.net/Tianxiaoxixi/article/details/126317159