Set Javascript Global Variable To Jsonresult?
Solution 1:
You again. Maybe try
var result;
$.ajax({
url: '<%: Url.Action("myUrl", "con") %>/',
dataType: 'json',
async: false,
success: function(data) {
result = data;
}
});
// process result here
Solution 2:
You don't need to set global to an array. Just assign the value.
varglobal = null;
$.getJSON("<%: Url.Action("myUrl", "con") %>/",
function(data) {
$.each(data, function(key, val) {
global = val;
});
});
Solution 3:
That code should work just fine. (Live copy) Sounds like there's a problem with the ajax call not returning the data in the form you expect.
Solution 4:
As @marc (indirectly) points, you have to understand the nature of the ajax call, and event model. The ajax call is executed as soon as the JS file is parsed, byt result is returned asynchronously. So, your code timeline would look like
00setglobal= []
01 AJAX call/someurl/-------------------\02checkglobal/* it's empty */ \
03 do something else [process AJAX callon server, send result]
... /42 AJAX callis completed <----------------/43call success ----------------------------------> global.push(result)44at this point oftime you can access global
This is a timeline, not the execution order. The time between the AJAX call and the response could be arbitrary, including the case of timeout or server-side error
So, what should you do?
1) the normal solurtion for JS - a callback, the success function you already have could either
1.1) set global and call the other function, or
1.2) do the desired actions with data
2) event - better if you suppose to use the data in multiple parts of the code, read for jQuery events mechanism
3) synchronous call, as @marc suggests - this should be avoided in 99% of cases. The only case I know when itt might be needed is when you have to requst for mandatory data from the 3rd party source, and even in this case you could do it on server (though at least synchronous AJAX is acceptable)
Post a Comment for "Set Javascript Global Variable To Jsonresult?"