admin管理员组

文章数量:1287651

I currently am dealing with a Web Service that is returning an array of strings to the client. From here I would like to take this array of strings and convert it into an object that gives each string a name so to reference it later.

So start with this:

var result = ["test", "hello", "goodbye"];

And I would like to end up with this:

var final = [{'value': "test"}, {'value': "hello"}, {'value': "goodbye"}];

I use jquery. Is there a easy to acplish this?

I currently am dealing with a Web Service that is returning an array of strings to the client. From here I would like to take this array of strings and convert it into an object that gives each string a name so to reference it later.

So start with this:

var result = ["test", "hello", "goodbye"];

And I would like to end up with this:

var final = [{'value': "test"}, {'value': "hello"}, {'value': "goodbye"}];

I use jquery. Is there a easy to acplish this?

Share Improve this question asked May 20, 2011 at 16:02 Collin EstesCollin Estes 5,7997 gold badges53 silver badges71 bronze badges
Add a ment  | 

4 Answers 4

Reset to default 7
var final = $.map(result, function(val) {
    return { value: val };
});

Alternatively you can use the ES5 alternative

var final result.map(function(val) {
    return { value: val };
});

Or a simple iteration.

var final = [];
for (var i = 0, ii = result.length; i < ii; i++) {
    final.push({ value: result[i] });
}

I don't think jQuery has to be used here.

var result = ["test", "hello", "goodbye"];
var final = [];
for(var i = 0; i < result.length; i++) {
    final.push({value: result[i]})
}

I haven't tested this but you can do something like

$(result).map(function(){return {'value':this}});

You could do something like the following:

var input = ["one", "two", "three"], 
    output = [],
    obj;

for (var i = 0; i < input.length; i++)
{
    obj = { "value" : input[i] };

    output.push(obj);

}

Link to the fiddle

本文标签: jqueryConverting string array to NameValue object in javascriptStack Overflow