Why is delete not allowed in Javascript5 strict mode?

后端 未结 2 627
名媛妹妹
名媛妹妹 2020-11-30 03:46

I\'m fairly new to javascript. I noticed that apparently when operating in \"use strict\" mode, you can\'t delete objects. I\'m not a huge fan of deleting things (since, in

相关标签:
2条回答
  • 2020-11-30 04:18

    The delete statement is still allowed in strict mode, but some particular uses of it are erroneous. It's only allowed for object properties, not simple names, and only for object properties that can be deleted.

    Thus

    var a = {x: 0};
    delete a.x;
    

    is fine, but

    delete Object.prototype;
    

    is not, and neither is

    delete a;
    

    (The latter is actually a syntax-level error, while an attempt to delete an undeletable property is a runtime error.)

    0 讨论(0)
  • 2020-11-30 04:25

    [delete] Explained in detail with example

    // The delete statement is still allowed in strict mode, but some particular uses of it are erroneous. It's only allowed for object properties, not simple names, and only for object properties that can be deleted.
    
    // "use strict";
    
    // creates the property adminName on the global scope
    adminName = "xyz";
    
    // creates the property empCount on the global scope
    // Since we are using var, this is marked as non-configurable. The same is true of let and const.
    var empCount = 43;
    
    EmployeeDetails = {
      name: "xyz",
      age: 5,
      designation: "Developer"
    };
    
    // adminName is a property of the global scope.
    // It can be deleted since it is created without var.
    // Therefore, it is configurable.
    console.log("delete adminName =", delete adminName); // returns true
    
    // On the contrary, empCount is not configurable,
    // since var was used.
    console.log("delete empCount =", delete empCount); // returns false
    
    // delete can be used to remove properties from objects
    console.log("delete EmployeeDetails.name =", delete EmployeeDetails.name); // returns true
    
    // Even when the property does not exists, it returns "true"
    console.log("delete EmployeeDetails.salary =", delete EmployeeDetails.salary); // returns true
    
    // delete does not affect built-in static properties
    console.log("delete Math.PI =", delete Math.PI); // returns false
    
    // EmployeeDetails is a property of the global scope.
    // Since it defined without "var", it is marked configurable
    console.log("delete EmployeeDetails =", delete EmployeeDetails); // returns true
    
    x = 1;
    var y = 2;
    
    function f() {
      var z = 44;
    
      console.log("delete x =", delete x); // returns true
      console.log("delete y =", delete y); // returns false
      // delete doesn't affect local variable names
      console.log("delete z =", delete z); // returns false
    }
    
    f.call();

    0 讨论(0)
提交回复
热议问题