How to access JSON encoded data of an array using javascript
If this is the only response data then you can access as:
var data = [{"cid":"1234","city":"value1","district":"value2","state":"value3"}];
console.log(data[0].cid);
# "1234"
Correction
var data = [{"cid":"1234","city":"value1","district":"value2","state":"value3"}];
var obj = JSON.parse(data);
console.log(obj[0].cid);
# "1234"
Assuming the JSON is returned as a string:
var data = '[{"cid":"1234","city":"value1","district":"value2","state":"value3"}]';
// Parse the data as json
var obj = JSON.parse(data)
// Access the ojbect:
console.log(obj);
console.log(obj[0]); // == Object {cid: "1234", city: "value1", district: "value2", state: "value3"}
console.log(obj[0].cid); // == 1234
The [0]
is to access the first object inside the JSON, which is an array. Then you just add .name
, where 'name' is the name of the variable you want. (like .cid
).
If the JSON is already a object, you can skip the JSON.parse()
:
var obj = [{"cid":"1234","city":"value1","district":"value2","state":"value3"}];
And access it like the example above.
(In that case, this question is more about accessing JavaScript objects, instead of JSON)
In your case, you can access the data like this:
success: function (data){
var obj = JSON.parse(data);
// Do stuff with `obj` here.
}