How can I add a key/value pair to a JavaScript object?

前端 未结 24 3318
情歌与酒
情歌与酒 2020-11-21 07:01

Here is my object literal:

var obj = {key1: value1, key2: value2};

How can I add field key3 with value3 to the ob

24条回答
  •  野的像风
    2020-11-21 07:42

    There are two ways to add new properties to an object:

    var obj = {
        key1: value1,
        key2: value2
    };
    

    Using dot notation:

    obj.key3 = "value3";
    

    Using square bracket notation:

    obj["key3"] = "value3";
    

    The first form is used when you know the name of the property. The second form is used when the name of the property is dynamically determined. Like in this example:

    var getProperty = function (propertyName) {
        return obj[propertyName];
    };
    
    getProperty("key1");
    getProperty("key2");
    getProperty("key3");
    

    A real JavaScript array can be constructed using either:

    The Array literal notation:

    var arr = [];
    

    The Array constructor notation:

    var arr = new Array();
    

提交回复
热议问题