Pour récupérer l'intégralité de la chaîne de requête de l'URL actuelle, en commençant par l'élément ?
vous pouvez utiliser le caractère
location.search
https://developer.mozilla.org/en-US/docs/DOM/window.location
Exemple :
// URL = https://example.com?a=a%20a&b=b123
console.log(location.search); // Prints "?a=a%20a&b=b123"
En ce qui concerne la récupération de paramètres de requête spécifiques, bien que des classes telles que URLSearchParams
y URL
existent, ils ne sont pas pris en charge par Internet Explorer à l'heure actuelle, et devraient probablement être évités. À la place, vous pouvez essayer quelque chose comme ceci :
/**
* Accepts either a URL or querystring and returns an object associating
* each querystring parameter to its value.
*
* Returns an empty object if no querystring parameters found.
*/
function getUrlParams(urlOrQueryString) {
if ((i = urlOrQueryString.indexOf('?')) >= 0) {
const queryString = urlOrQueryString.substring(i+1);
if (queryString) {
return _mapUrlParams(queryString);
}
}
return {};
}
/**
* Helper function for `getUrlParams()`
* Builds the querystring parameter to value object map.
*
* @param queryString {string} - The full querystring, without the leading '?'.
*/
function _mapUrlParams(queryString) {
return queryString
.split('&')
.map(function(keyValueString) { return keyValueString.split('=') })
.reduce(function(urlParams, [key, value]) {
if (Number.isInteger(parseInt(value)) && parseInt(value) == value) {
urlParams[key] = parseInt(value);
} else {
urlParams[key] = decodeURI(value);
}
return urlParams;
}, {});
}
Vous pouvez utiliser ce qui précède comme suit :
// Using location.search
let urlParams = getUrlParams(location.search); // Assume location.search = "?a=1&b=2b2"
console.log(urlParams); // Prints { "a": 1, "b": "2b2" }
// Using a URL string
const url = 'https://example.com?a=A%20A&b=1';
urlParams = getUrlParams(url);
console.log(urlParams); // Prints { "a": "A A", "b": 1 }
// To check if a parameter exists, simply do:
if (urlParams.hasOwnProperty('parameterName')) {
console.log(urlParams.parameterName);
}
0 votes
Cela peut aider certains. gist.github.com/helpse/4d4842c69782b9f94a72
2 votes
var locationValue = (new URL(location.href)).searchParams.get('location')