如何在 JavaScript 中获取查询字符串值?

2024-11-02 20:49:00
admin
原创
44
摘要:问题描述:有没有一种不使用插件的方法可以通过 jQuery检索查询字符串值(或不使用)?如果可以,怎么办?如果不可以,有插件可以实现吗?解决方案 1:使用URLSearchParams从查询字符串中获取参数。例如:const urlParams = new URLSearchParams(window.loc...

问题描述:

有没有一种不使用插件的方法可以通过 jQuery检索查询字符串值(或不使用)?

如果可以,怎么办?如果不可以,有插件可以实现吗?


解决方案 1:

使用URLSearchParams从查询字符串中获取参数。

例如:

const urlParams = new URLSearchParams(window.location.search);
const myParam = urlParams.get('myParam');

更新:2022 年 1 月

使用比使用Proxy()更快,并且支持得更好。Object.fromEntries()

这种方法有一个缺点,即您不能再迭代查询参数。

const params = new Proxy(new URLSearchParams(window.location.search), {
  get: (searchParams, prop) => searchParams.get(prop),
});
// Get the value of "some_key" in eg "https://example.com/?some_key=some_value"
let value = params.some_key; // "some_value"

更新:2021 年 6 月

对于需要所有查询参数的特定情况:

const urlSearchParams = new URLSearchParams(window.location.search);
const params = Object.fromEntries(urlSearchParams.entries());

更新时间:2018 年 9 月

您可以使用URLSearchParams,它很简单并且具有良好(但不完整)的浏览器支持。

const urlParams = new URLSearchParams(window.location.search);
const myParam = urlParams.get('myParam');

原来的

您不需要 jQuery 来实现此目的。您只需使用一些纯 JavaScript 即可:

function getParameterByName(name, url = window.location.href) {
    name = name.replace(/[[]]/g, '\\$&');
    var regex = new RegExp('[?&]' + name + '(=([^&#]*)|&|#|$)'),
        results = regex.exec(url);
    if (!results) return null;
    if (!results[2]) return '';
    return decodeURIComponent(results[2].replace(/+/g, ' '));
}

用法:

// query string: ?foo=lorem&bar=&baz
var foo = getParameterByName('foo'); // "lorem"
var bar = getParameterByName('bar'); // "" (present with empty value)
var baz = getParameterByName('baz'); // "" (present with no value)
var qux = getParameterByName('qux'); // null (absent)

注意:如果一个参数出现多次(?foo=lorem&foo=ipsum),您将获得第一个值(lorem)。这方面没有标准,用法各不相同,例如请参阅此问题:重复 HTTP GET 查询键的权威位置。

注意:该函数区分大小写。如果您喜欢不区分大小写的参数名称,请将“i”修饰符添加到 RegExp

注意:如果您收到无用转义的 eslint 错误,您可以name = name.replace(/[[]]/g, '\$&');用替换name = name.replace(/[[]]/g, '\$&')


这是基于新URLSearchParams 规范的更新,旨在更简洁地实现相同的结果。请参阅下面题为“ URLSearchParams ”的答案。

解决方案 2:

这里发布的一些解决方案效率低下。每次脚本需要访问参数时都重复正则表达式搜索是完全没有必要的,只需一个函数将参数拆分为关联数组样式对象就足够了。如果您不使用 HTML 5 History API,则每次页面加载时只需执行一次。此处的其他建议也无法正确解码 URL。

var urlParams;
(window.onpopstate = function () {
    var match,
        pl     = /+/g,  // Regex for replacing addition symbol with a space
        search = /([^&=]+)=?([^&]*)/g,
        decode = function (s) { return decodeURIComponent(s.replace(pl, " ")); },
        query  = window.location.search.substring(1);
  
    urlParams = {};
    while (match = search.exec(query))
       urlParams[decode(match[1])] = decode(match[2]);
})();

示例查询字符串:

?i=main&mode=front&sid=de8d49b78a85a322c4155015fdce22c4&enc=+Hello%20&empty

结果:

 urlParams = {
    enc: " Hello ",
    i: "main",
    mode: "front",
    sid: "de8d49b78a85a322c4155015fdce22c4",
    empty: ""
}

alert(urlParams["mode"]);
// -> "front"

alert("empty" in urlParams);
// -> true

这也可以轻松改进以处理数组样式的查询字符串。这里是一个例子,但由于RFC 3986中没有定义数组样式的参数,所以我不会用源代码污染这个答案。对于那些对“污染”版本感兴趣的人,请查看下面的 campbeln 的答案。

此外,正如评论中指出的那样,;是成对的合法分隔符。处理或key=value需要更复杂的正则表达式,我认为这是不必要的,因为 很少使用,而且我认为两者同时使用的可能性更小。如果您需要支持而不是,只需在正则表达式中交换它们即可。;`&;;`&


如果您使用的是服务器端预处理语言,则可能需要使用其原生 JSON 函数来为您完成繁重的工作。例如,在 PHP 中,您可以编写:

<script>var urlParams = <?php echo json_encode($_GET, JSON_HEX_TAG);?>;</script>

简单多了!

更新

新功能是检索重复的参数,如下所示myparam=1&myparam=2。目前尚无规范,但大多数当前方法都遵循数组的生成。

myparam = ["1", "2"]

因此,这是管理它的方法:

let urlParams = {};
(window.onpopstate = function () {
    let match,
        pl = /+/g,  // Regex for replacing addition symbol with a space
        search = /([^&=]+)=?([^&]*)/g,
        decode = function (s) {
            return decodeURIComponent(s.replace(pl, " "));
        },
        query = window.location.search.substring(1);

    while (match = search.exec(query)) {
        if (decode(match[1]) in urlParams) {
            if (!Array.isArray(urlParams[decode(match[1])])) {
                urlParams[decode(match[1])] = [urlParams[decode(match[1])]];
            }
            urlParams[decode(match[1])].push(decode(match[2]));
        } else {
            urlParams[decode(match[1])] = decode(match[2]);
        }
    }
})();

解决方案 3:

ES2015 (ES6)

getQueryStringParams = query => {
    return query
        ? (/^[?#]/.test(query) ? query.slice(1) : query)
            .split('&')
            .reduce((params, param) => {
                    let [key, value] = param.split('=');
                    params[key] = value ? decodeURIComponent(value.replace(/+/g, ' ')) : '';
                    return params;
                }, {}
            )
        : {}
};

没有 jQuery

var qs = (function(a) {
    if (a == "") return {};
    var b = {};
    for (var i = 0; i < a.length; ++i)
    {
        var p=a[i].split('=', 2);
        if (p.length == 1)
            b[p[0]] = "";
        else
            b[p[0]] = decodeURIComponent(p[1].replace(/+/g, " "));
    }
    return b;
})(window.location.search.substr(1).split('&'));

使用类似 的 URL ?topic=123&name=query+string,将返回以下内容:

qs["topic"];    // 123
qs["name"];     // query string
qs["nothere"];  // undefined (object)

谷歌方法

撕开Goog​​le的代码我发现了他们使用的方法:getUrlParameters

function (b) {
    var c = typeof b === "undefined";
    if (a !== h && c) return a;
    for (var d = {}, b = b || k[B][vb], e = b[p]("?"), f = b[p]("#"), b = (f === -1 ? b[Ya](e + 1) : [b[Ya](e + 1, f - e - 1), "&", b[Ya](f + 1)][K](""))[z]("&"), e = i.dd ? ia : unescape, f = 0, g = b[w]; f < g; ++f) {
        var l = b[f][p]("=");
        if (l !== -1) {
            var q = b[f][I](0, l),
                l = b[f][I](l + 1),
                l = l[Ca](https://stackoverflow.com/+/g, " ");
            try {
                d[q] = e(l)
            } catch (A) {}
        }
    }
    c && (a = d);
    return d
}

虽然有点模糊,但还是可以理解的。由于某些变量未定义,所以无法正常工作。

?它们开始从 url和哈希中查找参数#。然后,它们将每个参数拆分为等号b[f][p]("=")(看起来像indexOf,它们使用字符的位置来获取键/值)。拆分后,它们检查参数是否有值,如果有,则存储 的值d,否则它们继续。

最后d返回对象,处理转义和+符号。这个对象就像我的一样,它具有相同的行为。


我的方法是使用jQuery 插件

(function($) {
    $.QueryString = (function(paramsArray) {
        let params = {};

        for (let i = 0; i < paramsArray.length; ++i)
        {
            let param = paramsArray[i]
                .split('=', 2);
            
            if (param.length !== 2)
                continue;
            
            params[param[0]] = decodeURIComponent(param[1].replace(/+/g, " "));
        }
            
        return params;
    })(window.location.search.substr(1).split('&'))
})(jQuery);

用法

//Get a param
$.QueryString.param
//-or-
$.QueryString["param"]
//This outputs something like...
//"val"

//Get all params as object
$.QueryString
//This outputs something like...
//Object { param: "val", param2: "val" }

//Set a param (only in the $.QueryString object, doesn't affect the browser's querystring)
$.QueryString.param = "newvalue"
//This doesn't output anything, it just updates the $.QueryString object

//Convert object into string suitable for url a querystring (Requires jQuery)
$.param($.QueryString)
//This outputs something like...
//"param=newvalue&param2=val"

//Update the url/querystring in the browser's location bar with the $.QueryString object
history.replaceState({}, '', "?" + $.param($.QueryString));
//-or-
history.pushState({}, '', "?" + $.param($.QueryString));

性能测试(拆分方法与正则表达式方法)(jsPerf)

准备代码:方法声明

拆分测试代码

var qs = window.GetQueryString(query);

var search = qs["q"];
var value = qs["value"];
var undef = qs["undefinedstring"];

正则表达式测试代码

var search = window.getParameterByName("q");
var value = window.getParameterByName("value");
var undef = window.getParameterByName("undefinedstring");

在 Windows Server 2008 R2 / 7 x64 上的 Firefox 4.0 x86 中进行测试

  • 分割方法:144,780 ±2.17% 最快

  • 正则表达式方法:13,891 ±0.85% | 慢 90%

解决方案 4:

URL搜索参数

Firefox 44+、Opera 36+、Edge 17+、Safari 10.3+ 和 Chrome 49+ 支持URLSearchParams API:

  • Chrome 公告和详细信息

  • Opera 公告和详细信息

  • Firefox 公告和详细信息

谷歌建议为 IE 的稳定版本提供URLSearchParams polyfill 。

它不是由W3C标准化的,但它是WhatWG制定的现行标准。

您可以在以下位置使用它location

const params = new URLSearchParams(location.search);

或者

const params = (new URL(location)).searchParams;

或者当然是在任何 URL 上:

const url = new URL('https://example.com?foo=1&bar=2');
const params = new URLSearchParams(url.search);

.searchParams您还可以使用URL 对象上的简写属性来获取参数,如下所示:

const params = new URL('https://example.com?foo=1&bar=2').searchParams;
params.get('foo'); // "1"
params.get('bar'); // "2" 

您可以通过get(KEY)set(KEY, VALUE)append(KEY, VALUE)API 读取/设置参数。您还可以迭代所有值for (let p of params) {}

有一个参考实现和示例页面可供审核和测试。

解决方案 5:

Artem Barger 答案的改进版本:

function getParameterByName(name) {
    var match = RegExp('[?&]' + name + '=([^&]*)').exec(window.location.search);
    return match && decodeURIComponent(match[1].replace(/+/g, ' '));
}

有关改进的更多信息,请参阅: http: //james.padolsey.com/javascript/bujs-1-getparameterbyname/

解决方案 6:

这只是另一个建议。插件Purl允许检索 URL 的所有部分,包括锚点、主机等。

它可以与 jQuery 一起使用,也可以单独使用。

使用方法非常简单而且很酷:

var url = $.url('http://example.com/folder/dir/index.html?item=value'); // jQuery version
var url = purl('http://example.com/folder/dir/index.html?item=value'); // plain JS version
url.attr('protocol'); // returns 'http'
url.attr('path'); // returns '/folder/dir/index.html'

然而,自 2014 年 11 月 11 日起,Purl 不再维护,作者建议改用URI.js。jQuery插件的不同之处在于它专注于元素 - 对于字符串的使用,URI直接使用即可,无论是否使用 jQuery。类似的代码如下所示,更完整的文档在这里:

var url = new URI('http://example.com/folder/dir/index.html?item=value'); // plain JS version
url.protocol(); // returns 'http'
url.path(); // returns '/folder/dir/index.html'

解决方案 7:

总结

一个快速、完整的解决方案,可以处理多值键编码字符

// using ES5   (200 characters)
var qd = {};
if (location.search) location.search.substr(1).split("&").forEach(function(item) {var s = item.split("="), k = s[0], v = s[1] && decodeURIComponent(s[1]); (qd[k] = qd[k] || []).push(v)})

// using ES6   (23 characters cooler)
var qd = {};
if (location.search) location.search.substr(1).split`&`.forEach(item => {let [k,v] = item.split`=`; v = v && decodeURIComponent(v); (qd[k] = qd[k] || []).push(v)})

// as a function with reduce
function getQueryParams() {
  return location.search
    ? location.search.substr(1).split`&`.reduce((qd, item) => {let [k,v] = item.split`=`; v = v && decodeURIComponent(v); (qd[k] = qd[k] || []).push(v); return qd}, {})
    : {}
}

多行:

var qd = {};
if (location.search) location.search.substr(1).split("&").forEach(function(item) {
    var s = item.split("="),
        k = s[0],
        v = s[1] && decodeURIComponent(s[1]); //  null-coalescing / short-circuit
    //(k in qd) ? qd[k].push(v) : qd[k] = [v]
    (qd[k] = qd[k] || []).push(v) // null-coalescing / short-circuit
})

这所有代码是什么......

*“null-coalescing”,短路求值

ES6解构赋值,箭头函数,模板字符串*

示例:
"?a=1&b=0&c=3&d&e&a=5&a=t%20e%20x%20t&e=http%3A%2F%2Fw3schools.com%2Fmy%20test.asp%3Fname%3Dståle%26car%3Dsaab"
> qd
a: ["1", "5", "t e x t"]
b: ["0"]
c: ["3"]
d: [undefined]
e: [undefined, "http://w3schools.com/my test.asp?name=ståle&car=saab"]

> qd.a[1]    // "5"
> qd["a"][1] // "5"

阅读有关 Vanilla JavaScript 解决方案的更多信息……

要访问 URL 的不同部分,请使用location.(search|hash)

最简单的(虚拟)解决方案

var queryDict = {};
location.search.substr(1).split("&").forEach(function(item) {queryDict[item.split("=")[0]] = item.split("=")[1]})
  • 正确处理空键

  • 使用最后找到的值覆盖多键

"?a=1&b=0&c=3&d&e&a=5"
> queryDict
a: "5"
b: "0"
c: "3"
d: undefined
e: undefined

多值键

简单密钥检查(item in dict) ? dict.item.push(val) : dict.item = [val]

var qd = {};
location.search.substr(1).split("&").forEach(function(item) {(item.split("=")[0] in qd) ? qd[item.split("=")[0]].push(item.split("=")[1]) : qd[item.split("=")[0]] = [item.split("=")[1]]})
  • 现在返回数组

  • qd.key[index]通过或访问值qd[key][index]

> qd
a: ["1", "5"]
b: ["0"]
c: ["3"]
d: [undefined]
e: [undefined]

编码字符?

用于decodeURIComponent()第二次或两次分割。

var qd = {};
location.search.substr(1).split("&").forEach(function(item) {var k = item.split("=")[0], v = decodeURIComponent(item.split("=")[1]); (k in qd) ? qd[k].push(v) : qd[k] = [v]})

####例子:

"?a=1&b=0&c=3&d&e&a=5&a=t%20e%20x%20t&e=http%3A%2F%2Fw3schools.com%2Fmy%20test.asp%3Fname%3Dståle%26car%3Dsaab"
> qd
a: ["1", "5", "t e x t"]
b: ["0"]
c: ["3"]
d: ["undefined"]  // decodeURIComponent(undefined) returns "undefined" !!!*
e: ["undefined", "http://w3schools.com/my test.asp?name=ståle&car=saab"]

来自评论 \*!!! 请注意,decodeURIComponent(undefined) 返回字符串 "undefined"。解决方案在于简单使用 &&,这确保不会在未定义的值上调用 decodeURIComponent()。_(请参阅顶部的“完整解决方案”。)_

v = v && decodeURIComponent(v);

如果查询字符串为空(location.search == ""),结果会有些误导 qd == {"": undefined}。建议在启动解析函数之前检查查询字符串,如下所示:

if (location.search) location.search.substr(1).split("&").forEach(...)

解决方案 8:

snipplr.com 上的 Roshambo 有一个简单的脚本来实现这一点,详见使用 jQuery 获取 URL 参数 | 改进版。使用他的脚本,您还可以轻松提取所需的参数。

以下是要点:

$.urlParam = function(name, url) {
    if (!url) {
     url = window.location.href;
    }
    var results = new RegExp('[\\?&]' + name + '=([^&#]*)').exec(url);
    if (!results) {
        return undefined;
    }
    return results[1] || undefined;
}

然后只需从查询字符串中获取参数。

因此如果 URL/查询字符串是xyz.example/index.html?lang=de

只要打个电话var langval = $.urlParam('lang');,您就可以得到它。

UZBEKJON 对此也有一篇很棒的博客文章,使用 jQuery 获取 URL 参数和值

解决方案 9:

如果您使用 jQuery,则可以使用一个库,例如jQuery BBQ:返回按钮和查询库。

...jQuery BBQ 提供了完整的.deparam()方法,以及哈希状态管理、片段/查询字符串解析和合并实用方法。

编辑:添加 Deparam 示例:

 var DeparamExample = function() {
            var params = $.deparam.querystring();

            //nameofparam is the name of a param from url
            //code below will get param if ajax refresh with hash
            if (typeof params.nameofparam == 'undefined') {
                params = jQuery.deparam.fragment(window.location.href);
            }
            
            if (typeof params.nameofparam != 'undefined') {
                var paramValue = params.nameofparam.toString();
                  
            }
        };

运行代码片段Hide results展开片段

如果您只想使用纯 JavaScript,您可以使用...

var getParamValue = (function() {
    var params;
    var resetParams = function() {
            var query = window.location.search;
            var regex = /[?&;](.+?)=([^&;]+)/g;
            var match;

            params = {};

            if (query) {
                while (match = regex.exec(query)) {
                    params[match[1]] = decodeURIComponent(match[2]);
                }
            }    
        };

    window.addEventListener
    && window.addEventListener('popstate', resetParams);

    resetParams();

    return function(param) {
        return params.hasOwnProperty(param) ? params[param] : null;
    }

})();​

由于新的 HTML History API,特别是history.pushState()history.replaceState(),URL 可能会发生变化,这将使参数及其值的缓存无效。

每次历史记录发生变化时,此版本都会更新其内部参数缓存。

解决方案 10:

只需使用两个分割

function get(n) {
    var half = location.search.split(n + '=')[1];
    return half !== undefined ? decodeURIComponent(half.split('&')[0]) : null;
}

我读了所有以前的更完整的答案。但我认为这是最简单、最快捷的方法。你可以检查这个 jsPerf基准

为了解决 Rup 评论中的问题,请通过将第一行更改为下面的两行来添加条件拆分。但绝对准确意味着它现在比 regexp 慢(请参阅jsPerf)。

function get(n) {
    var half = location.search.split('&' + n + '=')[1];
    if (!half) half = location.search.split('?' + n + '=')[1];
    return half !== undefined ? decodeURIComponent(half.split('&')[0]) : null;
}

因此,如果您知道不会遇到 Rup 的反例,则此方法胜出。否则,正则表达式。

或者,如果您可以控制查询字符串并可以保证您尝试获取的值永远不会包含任何 URL 编码字符(在值中包含这些字符不是一个好主意) - 您可以使用以下稍微简化和易读的第一个选项的版本:

    function getQueryStringValueByName(name) {
        var queryStringFromStartOfValue = location.search.split(name + '=')[1];
         return queryStringFromStartOfValue !== undefined ? queryStringFromStartOfValue.split('&')[0] : null;

解决方案 11:

以下是我将 Andy E 的优秀解决方案转变为成熟的 jQuery 插件的努力:

;(function ($) {
    $.extend({      
        getQueryString: function (name) {           
            function parseParams() {
                var params = {},
                    e,
                    a = /+/g,  // Regex for replacing addition symbol with a space
                    r = /([^&=]+)=?([^&]*)/g,
                    d = function (s) { return decodeURIComponent(s.replace(a, " ")); },
                    q = window.location.search.substring(1);

                while (e = r.exec(q))
                    params[d(e[1])] = d(e[2]);

                return params;
            }

            if (!this.queryStringParams)
                this.queryStringParams = parseParams(); 

            return this.queryStringParams[name];
        }
    });
})(jQuery);

语法是:

var someVar = $.getQueryString('myParam');

两全其美!

解决方案 12:

如果您要进行的 URL 操作不仅仅是解析查询字符串,那么URI.js可能会对您有所帮助。它是一个用于操作 URL 的库 - 并且附带了所有附加功能。(抱歉在这里自我宣传)

将查询字符串转换为映射:

var data = URI('?foo=bar&bar=baz&foo=world').query(true);
data == {
  "foo": ["bar", "world"],
  "bar": "baz"
}

(URI.js 还可以“修复”错误的查询字符串,?&foo&&bar=baz&例如?foo&bar=baz

解决方案 13:

我喜欢Ryan Phelan 的解决方案。但我看不出为此扩展 jQuery 有什么意义?jQuery 功能毫无用处。

另一方面,我喜欢 Google Chrome 中的内置函数:window.location.getParameter。

那么为什么不使用这个呢?好吧,其他浏览器没有。所以如果它不存在,让我们创建这个函数:

if (!window.location.getParameter ) {
  window.location.getParameter = function(key) {
    function parseParams() {
        var params = {},
            e,
            a = /+/g,  // Regex for replacing addition symbol with a space
            r = /([^&=]+)=?([^&]*)/g,
            d = function (s) { return decodeURIComponent(s.replace(a, " ")); },
            q = window.location.search.substring(1);

        while (e = r.exec(q))
            params[d(e[1])] = d(e[2]);

        return params;
    }

    if (!this.queryStringParams)
        this.queryStringParams = parseParams(); 

    return this.queryStringParams[key];
  };
}

这个函数或多或少是来自 Ryan Phelan 的,但它的包装方式不同:名称清晰,不依赖其他 javascript 库。有关此功能的更多信息,请参阅我的博客。

解决方案 14:

以下是获取类似于 PHP $_GET数组的对象的快速方法:

function get_query(){
    var url = location.search;
    var qs = url.substring(url.indexOf('?') + 1).split('&');
    for(var i = 0, result = {}; i < qs.length; i++){
        qs[i] = qs[i].split('=');
        result[qs[i][0]] = decodeURIComponent(qs[i][1]);
    }
    return result;
}

用法:

var $_GET = get_query();

对于查询字符串,x=5&y&z=hello&x=6这将返回对象:

{
  x: "6",
  y: undefined,
  z: "hello"
}

解决方案 15:

使用简单的 JavaScript 代码:

function qs(key) {
    var vars = [], hash;
    var hashes = window.location.href.slice(window.location.href.indexOf('?') + 1).split('&');
    for(var i = 0; i < hashes.length; i++)
    {
        hash = hashes[i].split('=');
        vars.push(hash[0]);
        vars[hash[0]] = hash[1];
    }
    return vars[key];
}

从 JavaScript 代码中的任意位置调用它:

var result = qs('someKey');

解决方案 16:

来自MDN:

function loadPageVar (sVar) {
  return unescape(window.location.search.replace(new RegExp("^(?:.*[&\\?]" + escape(sVar).replace(/[.+*]/g, "\\$&") + "(?:\\=([^&]*))?)?.*$", "i"), "$1"));
}

alert(loadPageVar("name"));

解决方案 17:

这些都是很好的答案,但我需要一些更强大的东西,并且认为你们都可能喜欢我所创造的东西。

这是一个简单的库方法,用于解析和操作 URL 参数。静态方法具有以下子方法,可在主题 URL 上调用:

  • 获取主机

  • 获取路径

  • 获取哈希值

  • 设置哈希值

  • 获取参数

  • 获取查询

  • 设置参数

  • 获取参数

  • hasParam

  • 移除参数

例子:

URLParser(url).getParam('myparam1')

var url = "http://www.example.com/folder/mypage.html?myparam1=1&myparam2=2#something";

function URLParser(u){
    var path="",query="",hash="",params;
    if(u.indexOf("#") > 0){
        hash = u.substr(u.indexOf("#") + 1);
        u = u.substr(0 , u.indexOf("#"));
    }
    if(u.indexOf("?") > 0){
        path = u.substr(0 , u.indexOf("?"));
        query = u.substr(u.indexOf("?") + 1);
        params= query.split('&');
    }else
        path = u;
    return {
        getHost: function(){
            var hostexp = ///([w.-]*)/;
            var match = hostexp.exec(path);
            if (match != null && match.length > 1)
                return match[1];
            return "";
        },
        getPath: function(){
            var pathexp = ///[w.-]*(?:/([^?]*))/;
            var match = pathexp.exec(path);
            if (match != null && match.length > 1)
                return match[1];
            return "";
        },
        getHash: function(){
            return hash;
        },
        getParams: function(){
            return params
        },
        getQuery: function(){
            return query;
        },
        setHash: function(value){
            if(query.length > 0)
                query = "?" + query;
            if(value.length > 0)
                query = query + "#" + value;
            return path + query;
        },
        setParam: function(name, value){
            if(!params){
                params= new Array();
            }
            params.push(name + '=' + value);
            for (var i = 0; i < params.length; i++) {
                if(query.length > 0)
                    query += "&";
                query += params[i];
            }
            if(query.length > 0)
                query = "?" + query;
            if(hash.length > 0)
                query = query + "#" + hash;
            return path + query;
        },
        getParam: function(name){
            if(params){
                for (var i = 0; i < params.length; i++) {
                    var pair = params[i].split('=');
                    if (decodeURIComponent(pair[0]) == name)
                        return decodeURIComponent(pair[1]);
                }
            }
            console.log('Query variable %s not found', name);
        },
        hasParam: function(name){
            if(params){
                for (var i = 0; i < params.length; i++) {
                    var pair = params[i].split('=');
                    if (decodeURIComponent(pair[0]) == name)
                        return true;
                }
            }
            console.log('Query variable %s not found', name);
        },
        removeParam: function(name){
            query = "";
            if(params){
                var newparams = new Array();
                for (var i = 0;i < params.length;i++) {
                    var pair = params[i].split('=');
                    if (decodeURIComponent(pair[0]) != name)
                          newparams .push(params[i]);
                }
                params = newparams;
                for (var i = 0; i < params.length; i++) {
                    if(query.length > 0)
                        query += "&";
                    query += params[i];
                }
            }
            if(query.length > 0)
                query = "?" + query;
            if(hash.length > 0)
                query = query + "#" + hash;
            return path + query;
        },
    }
}

document.write("Host: " + URLParser(url).getHost() + '<br>');
document.write("Path: " + URLParser(url).getPath() + '<br>');
document.write("Query: " + URLParser(url).getQuery() + '<br>');
document.write("Hash: " + URLParser(url).getHash() + '<br>');
document.write("Params Array: " + URLParser(url).getParams() + '<br>');
document.write("Param: " + URLParser(url).getParam('myparam1') + '<br>');
document.write("Has Param: " + URLParser(url).hasParam('myparam1') + '<br>');

document.write(url + '<br>');

// Remove the first parameter
url = URLParser(url).removeParam('myparam1');
document.write(url + ' - Remove the first parameter<br>');

// Add a third parameter
url = URLParser(url).setParam('myparam3',3);
document.write(url + ' - Add a third parameter<br>');

// Remove the second parameter
url = URLParser(url).removeParam('myparam2');
document.write(url + ' - Remove the second parameter<br>');

// Add a hash
url = URLParser(url).setHash('newhash');
document.write(url + ' - Set Hash<br>');

// Remove the last parameter
url = URLParser(url).removeParam('myparam3');
document.write(url + ' - Remove the last parameter<br>');

// Remove a parameter that doesn't exist
url = URLParser(url).removeParam('myparam3');
document.write(url + ' - Remove a parameter that doesn\"t exist<br>');

解决方案 18:

代码高尔夫:

var a = location.search&&location.search.substr(1).replace(/+/gi," ").split("&");
for (var i in a) {
    var s = a[i].split("=");
    a[i]  = a[unescape(s[0])] = unescape(s[1]);
}

展示它!

for (i in a) {
    document.write(i + ":" + a[i] + "<br/>");   
};

在我的 Mac 上:test.htm?i=can&has=cheezburger显示

0:can
1:cheezburger
i:can
has:cheezburger

解决方案 19:

我经常使用正则表达式,但不是为此。

对我来说,在我的应用程序中读取一次查询字符串并从所有键/值对构建一个对象似乎更容易、更有效,如下所示:

var search = function() {
  var s = window.location.search.substr(1),
    p = s.split(/&/), l = p.length, kv, r = {};
  if (l === 0) {return false;}
  while (l--) {
    kv = p[l].split(/=/);
    r[kv[0]] = decodeURIComponent(kv[1] || '') || true;
  }
  return r;
}();

对于像这样的 URL,http://example.com?param1=val1&param2=val2您可以稍后在代码中获取它们的值,如search.param1search.param2

解决方案 20:

function GET() {
        var data = [];
        for(x = 0; x < arguments.length; ++x)
            data.push(location.href.match(new RegExp("/?".concat(arguments[x],"=","([^
&]*)")))[1])
                return data;
    }


example:
data = GET("id","name","foo");
query string : ?id=3&name=jet&foo=b
returns:
    data[0] // 3
    data[1] // jet
    data[2] // b
or
    alert(GET("id")[0]) // return 3

解决方案 21:

Roshambo jQuery 方法没有处理解码 URL

http://snipplr.com/view/26662/get-url-parameters-with-jquery--improved/

在添加返回语句时也添加了该功能

return decodeURIComponent(results[1].replace(/+/g, " ")) || 0;

现在您可以找到更新的要点:

$.urlParam = function(name){
var results = new RegExp('[\\?&]' + name + '=([^&#]*)').exec(window.location.href);
if (!results) { return 0; }
return decodeURIComponent(results[1].replace(/+/g, " ")) || 0;
}

解决方案 22:

这是我对这个优秀答案的编辑——增加了解析带有键而没有值的查询字符串的能力。

var url = 'http://sb.com/reg/step1?param';
var qs = (function(a) {
    if (a == "") return {};
    var b = {};
    for (var i = 0; i < a.length; ++i) {
        var p=a[i].split('=', 2);
        if (p[1]) p[1] = decodeURIComponent(p[1].replace(/+/g, " "));
        b[p[0]] = p[1];
    }
    return b;
})((url.split('?'))[1].split('&'));

重要提示!最后一行中该函数的参数不同。这只是一个如何将任意 URL 传递给它的示例。您可以使用 Bruno 答案中的最后一行来解析当前 URL。

那么究竟发生了什么变化?使用 urlhttp://sb.com/reg/step1?param=结果是一样的。但是使用 url http://sb.com/reg/step1?paramBruno 的解决方案返回一个没有键的对象,而我的解决方案返回一个有键paramundefined值的对象。

解决方案 23:

我喜欢这个(取自jquery-howto.blogspot.co.uk):

// get an array with all querystring values
// example: var valor = getUrlVars()["valor"];
function getUrlVars() {
    var vars = [], hash;
    var hashes = window.location.href.slice(window.location.href.indexOf('?') + 1).split('&');
    for (var i = 0; i < hashes.length; i++) {
        hash = hashes[i].split('=');
        vars.push(hash[0]);
        vars[hash[0]] = hash[1];
    }
    return vars;
}

对我来说非常有效。

解决方案 24:

这是 Andy E 链接的“处理数组样式查询字符串”版本的扩展版本。修复了一个错误(?key=1&key[]=2&key[]=3;1丢失并被 替换[2,3]),做了一些小的性能改进(重新解码值,重新计算“[”位置等),并添加了许多改进(功能化、支持?key=1&key=2、支持;分隔符)。我把变量留得太短,但添加了大量注释以使它们更易读(哦,我v在本地函数中重复使用了,如果这让人感到困惑,请原谅 ;)。

它将处理以下查询字符串...

?测试=你好&person=neek&person[]=jeff&person[]=jim&person[extra]=john&test3&nocache=1398914891264

...使它变成看起来像...的物体。

{
    "test": "Hello",
    "person": {
        "0": "neek",
        "1": "jeff",
        "2": "jim",
        "length": 3,
        "extra": "john"
    },
    "test3": "",
    "nocache": "1398914891264"
}

正如您在上面看到的,此版本处理了一些“格式错误”的数组,即 -person=neek&person[]=jeff&person[]=jim或者person=neek&person=jeff&person=jim键是可识别和有效的(至少在 dotNet 的NameValueCollection.Add中):

如果目标 NameValueCollection 实例中已存在指定的键,则将指定的值以“value1,value2,value3”格式添加到现有的以逗号分隔的值列表中。

由于没有规范,似乎对重复键的判断还存在分歧。在这种情况下,多个键存储为(假)数组。但请注意,我不会将基于逗号的值处理到数组中。

代码:

getQueryStringKey = function(key) {
    return getQueryStringAsObject()[key];
};


getQueryStringAsObject = function() {
    var b, cv, e, k, ma, sk, v, r = {},
        d = function (v) { return decodeURIComponent(v).replace(/+/g, " "); }, //# d(ecode) the v(alue)
        q = window.location.search.substring(1), //# suggested: q = decodeURIComponent(window.location.search.substring(1)),
        s = /([^&;=]+)=?([^&;]*)/g //# original regex that does not allow for ; as a delimiter:   /([^&=]+)=?([^&]*)/g
    ;

    //# ma(make array) out of the v(alue)
    ma = function(v) {
        //# If the passed v(alue) hasn't been setup as an object
        if (typeof v != "object") {
            //# Grab the cv(current value) then setup the v(alue) as an object
            cv = v;
            v = {};
            v.length = 0;

            //# If there was a cv(current value), .push it into the new v(alue)'s array
            //#     NOTE: This may or may not be 100% logical to do... but it's better than loosing the original value
            if (cv) { Array.prototype.push.call(v, cv); }
        }
        return v;
    };

    //# While we still have key-value e(ntries) from the q(uerystring) via the s(earch regex)...
    while (e = s.exec(q)) { //# while((e = s.exec(q)) !== null) {
        //# Collect the open b(racket) location (if any) then set the d(ecoded) v(alue) from the above split key-value e(ntry) 
        b = e[1].indexOf("[");
        v = d(e[2]);

        //# As long as this is NOT a hash[]-style key-value e(ntry)
        if (b < 0) { //# b == "-1"
            //# d(ecode) the simple k(ey)
            k = d(e[1]);

            //# If the k(ey) already exists
            if (r[k]) {
                //# ma(make array) out of the k(ey) then .push the v(alue) into the k(ey)'s array in the r(eturn value)
                r[k] = ma(r[k]);
                Array.prototype.push.call(r[k], v);
            }
            //# Else this is a new k(ey), so just add the k(ey)/v(alue) into the r(eturn value)
            else {
                r[k] = v;
            }
        }
        //# Else we've got ourselves a hash[]-style key-value e(ntry) 
        else {
            //# Collect the d(ecoded) k(ey) and the d(ecoded) sk(sub-key) based on the b(racket) locations
            k = d(e[1].slice(0, b));
            sk = d(e[1].slice(b + 1, e[1].indexOf("]", b)));

            //# ma(make array) out of the k(ey) 
            r[k] = ma(r[k]);

            //# If we have a sk(sub-key), plug the v(alue) into it
            if (sk) { r[k][sk] = v; }
            //# Else .push the v(alue) into the k(ey)'s array
            else { Array.prototype.push.call(r[k], v); }
        }
    }

    //# Return the r(eturn value)
    return r;
};

解决方案 25:

我需要一个来自查询字符串的对象,我讨厌大量的代码。它可能不是宇宙中最强大的,但它只是几行代码。

var q = {};
location.href.split('?')[1].split('&').forEach(function(i){
    q[i.split('=')[0]]=i.split('=')[1];
});

类似这样的 URLthis.htm?hello=world&foo=bar将创建:

{hello:'world', foo:'bar'}

解决方案 26:

这是我之前创建的一个函数,我对此非常满意。它不区分大小写 - 这很方便。此外,如果请求的 QS 不存在,它只会返回一个空字符串。

我使用的是压缩版。我发布的是未压缩版,以便新手可以更好地解释发生了什么。

我确信这可以进行优化或以不同的方式完成以更快地工作,但它总是能很好地满足我的需要。

享受。

function getQSP(sName, sURL) {
    var theItmToRtn = "";
    var theSrchStrg = location.search;
    if (sURL) theSrchStrg = sURL;
    var sOrig = theSrchStrg;
    theSrchStrg = theSrchStrg.toUpperCase();
    sName = sName.toUpperCase();
    theSrchStrg = theSrchStrg.replace("?", "&") theSrchStrg = theSrchStrg + "&";
    var theSrchToken = "&" + sName + "=";
    if (theSrchStrg.indexOf(theSrchToken) != -1) {
        var theSrchTokenLth = theSrchToken.length;
        var theSrchTokenLocStart = theSrchStrg.indexOf(theSrchToken) + theSrchTokenLth;
        var theLocOfNextAndSign = theSrchStrg.indexOf("&", theSrchTokenLocStart);
        theItmToRtn = unescape(sOrig.substring(theSrchTokenLocStart, theLocOfNextAndSign));
    }
    return unescape(theItmToRtn);
}

解决方案 27:

function GetQueryStringParams(sParam)
{
    var sPageURL = window.location.search.substring(1);
    var sURLVariables = sPageURL.split('&');

    for (var i = 0; i < sURLVariables.length; i++)
    {
        var sParameterName = sURLVariables[i].split('=');
        if (sParameterName[0] == sParam)
        {
            return sParameterName[1];
        }
    }
}​

假设 URL 为

http://example.com/?stringtext=jquery&stringword=jquerybyexample

var tech = GetQueryStringParams('stringtext');
var blog = GetQueryStringParams('stringword');

解决方案 28:

如果你正在使用 Browserify,那么你可以使用Node.jsurl中的模块:

var url = require('url');

url.parse('http://example.com/?bob=123', true).query;

// returns { "bob": "123" }

进一步阅读:URL Node.js v0.12.2 手册和文档

编辑:您可以使用URL接口,它在几乎所有新浏览器中都被广泛采用,如果代码要在旧浏览器上运行,您可以使用像这样的 polyfill。这是一个关于如何使用 URL 接口获取查询参数(又名搜索参数)的代码示例

const url = new URL('http://example.com/?bob=123');
url.searchParams.get('bob'); 

您也可以使用 URLSearchParams 来实现它,下面是MDN 中一个使用 URLSearchParams 实现的示例:

var paramsString = "q=URLUtils.searchParams&topic=api";
var searchParams = new URLSearchParams(paramsString);

//Iterate the search parameters.
for (let p of searchParams) {
  console.log(p);
}

searchParams.has("topic") === true; // true
searchParams.get("topic") === "api"; // true
searchParams.getAll("topic"); // ["api"]
searchParams.get("foo") === null; // true
searchParams.append("topic", "webdev");
searchParams.toString(); // "q=URLUtils.searchParams&topic=api&topic=webdev"
searchParams.set("topic", "More webdev");
searchParams.toString(); // "q=URLUtils.searchParams&topic=More+webdev"
searchParams.delete("topic");
searchParams.toString(); // "q=URLUtils.searchParams"

解决方案 29:

我们刚刚发布了arg.js,这个项目旨在一劳永逸地解决这个问题。传统上,这个问题很难解决,但现在你可以这样做:

var name = Arg.get("name");

或者获取全部内容:

var params = Arg.all();

如果您关心?query=true和之间的区别,#hash=true那么您可以使用Arg.query()Arg.hash()方法。

解决方案 30:

该问题的最佳答案的问题是它不支持在#后面放置参数,但有时也需要获取该值。

我修改了答案,让它也能解析带有井号的完整查询字符串:

var getQueryStringData = function(name) {
    var result = null;
    var regexS = "[\\?&#]" + name + "=([^&#]*)";
    var regex = new RegExp(regexS);
    var results = regex.exec('?' + window.location.href.split('?')[1]);
    if (results != null) {
        result = decodeURIComponent(results[1].replace(/+/g, " "));
    }
    return result;
};
相关推荐
  为什么项目管理通常仍然耗时且低效?您是否还在反复更新电子表格、淹没在便利贴中并参加每周更新会议?这确实是耗费时间和精力。借助软件工具的帮助,您可以一目了然地全面了解您的项目。如今,国内外有足够多优秀的项目管理软件可以帮助您掌控每个项目。什么是项目管理软件?项目管理软件是广泛行业用于项目规划、资源分配和调度的软件。它使项...
项目管理软件   601  
  华为IPD与传统研发模式的8大差异在快速变化的商业环境中,产品研发模式的选择直接决定了企业的市场响应速度和竞争力。华为作为全球领先的通信技术解决方案供应商,其成功在很大程度上得益于对产品研发模式的持续创新。华为引入并深度定制的集成产品开发(IPD)体系,相较于传统的研发模式,展现出了显著的差异和优势。本文将详细探讨华为...
IPD流程是谁发明的   7  
  如何通过IPD流程缩短产品上市时间?在快速变化的市场环境中,产品上市时间成为企业竞争力的关键因素之一。集成产品开发(IPD, Integrated Product Development)作为一种先进的产品研发管理方法,通过其结构化的流程设计和跨部门协作机制,显著缩短了产品上市时间,提高了市场响应速度。本文将深入探讨如...
华为IPD流程   9  
  在项目管理领域,IPD(Integrated Product Development,集成产品开发)流程图是连接创意、设计与市场成功的桥梁。它不仅是一个视觉工具,更是一种战略思维方式的体现,帮助团队高效协同,确保产品按时、按质、按量推向市场。尽管IPD流程图可能初看之下显得错综复杂,但只需掌握几个关键点,你便能轻松驾驭...
IPD开发流程管理   8  
  在项目管理领域,集成产品开发(IPD)流程被视为提升产品上市速度、增强团队协作与创新能力的重要工具。然而,尽管IPD流程拥有诸多优势,其实施过程中仍可能遭遇多种挑战,导致项目失败。本文旨在深入探讨八个常见的IPD流程失败原因,并提出相应的解决方法,以帮助项目管理者规避风险,确保项目成功。缺乏明确的项目目标与战略对齐IP...
IPD流程图   8  
热门文章
项目管理软件有哪些?
云禅道AD
禅道项目管理软件

云端的项目管理软件

尊享禅道项目软件收费版功能

无需维护,随时随地协同办公

内置subversion和git源码管理

每天备份,随时转为私有部署

免费试用