144

I have code like this.

var key = "anything";   
var object = {   
    key: "key attribute"  
};

I want to know if there is a way to replace that key with "anything".

like

var object = {  
    "anything": "key attribute"     
};
Gordian Yuan
  • 4,750
  • 6
  • 29
  • 35

8 Answers8

313

In ES6, use computed property names.

const key = "anything";   

const object = {   
    [key]: "key attribute"
//  ^^^^^  COMPUTED PROPERTY NAME
};

Note the square brackets around key. You can actually specify any expression in the square brackets, not just a variable.

127

Yes. You can use:

var key = "anything";
var json = { };
json[key] = "key attribute";

Or simply use your second method if you have the values at hand when writing the program.

tvanfosson
  • 524,688
  • 99
  • 697
  • 795
29

On modern Javascript (ECMAScript 6) you can sorround the variable with square brackets:

var key = "anything";

var json = {
    [key]: "key attribute"
};
Jorge Barroso
  • 1,878
  • 1
  • 13
  • 14
16

This should do the trick:

var key = "anything";

var json = {};

json[key] = "key attribute";
D. Evans
  • 3,242
  • 22
  • 23
5

Solution:

var key = "anything";

var json = {};

json[key] = "key attribute";
Aatif Bandey
  • 1,193
  • 11
  • 14
-2

Recently needed a solution how to set cookies passing the dynamic json key values. Using the https://github.com/js-cookie/js-cookie#json, it can be done easily. Wanted to store each selected option value of user in cookie, so it's not lost in case of tab or browser shutting down.

var json = { 
        option_values : {}
    };
    $('option:selected').each(function(index, el) {
        var option = $(this);
        var optionText = option.text();
        var key = 'option_' + index;
        json.option_values[key] = optionText;
        Cookies.set('option_values', json, { expires: 7 } );
    }); 

Then you can retrieve each cookie key value on each page load using

Cookies.getJSON('option_values');
-3

Closures work great for this.

function keyValue(key){
  return function(value){
    var object = {};
    object[key] = value;
    return object;
  }
}

var key = keyValue(key);
key(value);
Rick
  • 12,606
  • 2
  • 43
  • 41
-3

Well, there isn't a "direct" way to do this...

but this should do it:

json[key] = json.key;
json.key = undefined;

Its a bit tricky, but hey, it works!

jrharshath
  • 25,975
  • 33
  • 97
  • 127