我正在尝试从我拥有的网址中提取特定ID。
我需要的ID = 4807307 它始终包含字符串PolicyId =之前和&EndorsementId =之后。
如何从网址中提取。
答案 0 :(得分:0)
使用split在=
上进行拆分,然后在&
上进行拆分以获取值
var a='https://myhost.com/ReferredSummary.aspx?PolicyId=4807307&EndorsementId=5941939&EditExisting=true&NewClient=true&Adjustment=True';
console.log(a.split('=')[1].split('&')[0])
答案 1 :(得分:0)
像这样的通用函数应该能够获取任何参数
function getUrlParameter(parameterName) {
return new RegExp(parameterName + "=([^&]+)", "i").exec(document.URL)[1];
}
因此,像getUrlParameter("policyid")
这样的电话应该可以解决问题。
这是不区分大小写的,如果您希望参数与参数完全匹配,请使用return new RegExp(parameterName + "=([^&]+)").exec(document.URL)[1]
以下是您可以测试的代码段:
var testUrl = "https://myhost.com/ReferredSummary.aspx?PolicyId=4807307&EndorsementId=5941939&EditExisting=true&NewClient=true&Adjustment=True";
var selectElement = document.querySelector("#select"),
resultElement = document.querySelector("#result");
// Adds parameters to select
testUrl.substring(testUrl.indexOf("?") + 1).split("&").forEach(function(param) {
var newOption = document.createElement("option");
newOption.textContent = newOption.value = param.substring(0, param.indexOf("="));
selectElement.appendChild(newOption);
});
// Adds listener to select
selectElement.addEventListener("input", updateResult);
updateResult();
function updateResult() {
resultElement.textContent = getUrlParameter(selectElement.selectedOptions[0].value);
}
function getUrlParameter(parameterName) {
return new RegExp(parameterName + "=([^&]+)", "i").exec(testUrl)[1];
}
<select id="select"></select>
<span id="result"></span>