Can A Javascript Attribute Value Be Determined By A Manual Url Parameter?
I am trying to display data from an external .jsp file, which is set up something like this:
Solution 1:
You can parse document.location.href
and extract parameters from there. This is from an old HTML file where I used this technique (not sure if it's compatible on all browsers, however).
var args = {};
functionparseArgs()
{
var aa = document.location.href;
if (aa.indexOf("?") != -1)
{
aa = aa.split("?")[1].split("&");
for (var i=0; i<aa.length; i++)
{
var s = aa[i];
var j = s.indexOf("=");
if (j != -1)
{
var name = s.substr(0, j);
var value = s.substr(j + 1);
args[name] = value;
}
}
}
}
Solution 2:
Not sure if this is what you're looking for, but you can access parameters from the url using location.search
.
6502's answer is almost good enough, it's not url decoding parameters. The function below is a bit more polished (descriptive variable names, no global variables)
functiongetUrlParams() {
var paramMap = {};
if (location.search.length == 0) {
return paramMap;
}
var parts = location.search.substring(1).split("&");
for (var i = 0; i < parts.length; i ++) {
var component = parts[i].split("=");
paramMap [decodeURIComponent(component[0])] = decodeURIComponent(component[1]);
}
return paramMap;
}
Then you could do
varparams = getUrlParams();
XMLInfo.getElementsByTagName(params['id']); // or params.id
Post a Comment for "Can A Javascript Attribute Value Be Determined By A Manual Url Parameter?"