Como obter a string de consulta do URL atual com JavaScript?


108

Eu tenho um URL como este:

http://localhost/PMApp/temp.htm?ProjectID=462

O que preciso fazer é obter os detalhes após o ?sinal (string de consulta) - isto é ProjectID=462. Como posso fazer isso usando JavaScript?

O que fiz até agora é o seguinte:

var url = window.location.toString();
url.match(?);

Eu não sei o que fazer a seguir.



@Cupcake: Essa pergunta é sobre como extrair parâmetros, isso aqui apenas sobre como obterlocation.search
Bergi

Votando para reabrir, a duplicata marcada é um pedido de uma biblioteca, enquanto esta questão é sobre como obter o código js.
1615903


Respostas:


238

Dê uma olhada no artigo MDN sobre window.location.

O QueryString está disponível em window.location.search.

Solução que funciona em navegadores legados também

O MDN fornece um exemplo (não mais disponível no artigo mencionado acima) de como obter o valor de uma única chave disponível no QueryString. Algo assim:

function getQueryStringValue (key) {  
  return decodeURIComponent(window.location.search.replace(new RegExp("^(?:.*[&\\?]" + encodeURIComponent(key).replace(/[\.\+\*]/g, "\\$&") + "(?:\\=([^&]*))?)?.*$", "i"), "$1"));  
}  

// Would write the value of the QueryString-variable called name to the console  
console.log(getQueryStringValue("name")); 

Em navegadores modernos

Em navegadores modernos, você tem a searchParamspropriedade da interface URL, que retorna um objeto URLSearchParams . O objeto retornado possui vários métodos convenientes, incluindo um get-method. Portanto, o equivalente ao exemplo acima seria:

let params = (new URL(document.location)).searchParams;
let name = params.get("name");

A interface URLSearchParams também pode ser usada para analisar strings em um formato de querystring e transformá-los em um objeto URLSearchParams útil.

let paramsString = "name=foo&age=1337"
let searchParams = new URLSearchParams(paramsString);

searchParams.has("name") === true; // true
searchParams.get("age") === "1337"; // true

Observe que o suporte do navegador ainda é limitado nesta interface, portanto, se você precisar oferecer suporte a navegadores legados, continue com o primeiro exemplo ou use um polyfill .


Apenas uma nota: sempre use em encodeURIComponent/decodeURIComponentvez deescape/unescape
tsh

1
A primeira função getQueryStringValuepara navegadores legados não funciona para ?foo=bar&foo1=bar1 Se tentarmos buscar o valor para foo, ele retorna empty string.
Farhan Chauhan

Navegadores antigos (IE) podem usar o polyfill para URLSearchParams
Pratyush

@Pratyush sim, menciono isso na resposta, com uma referência ao pacote url-search-params-polyfill mais popular e atualizado com mais frequência .
Christofer Eliasson

57

Use window.location.searchpara obter tudo após ? incluir?

Exemplo:

var url = window.location.search;
url = url.replace("?", ''); // remove the ?
alert(url); //alerts ProjectID=462 is your case

15
Ou ainda mais simples:let querystring = window.location.search.substring(1);
olibre

15
decodeURI(window.location.search)
  .replace('?', '')
  .split('&')
  .map(param => param.split('='))
  .reduce((values, [ key, value ]) => {
    values[ key ] = value
    return values
  }, {})

Brilhante! Muito obrigado.
Ron16

Boa abordagem. Obrigado. Um pouco consertar isso: replace verifica toda a string (!). precisamos remover o primeiro char. removendo loops desnecessários. Resultado: window.location.search window.location.search.substr (1) .split ("&") .reduce ((acc, param) => {const [key, value] = param.split ("=") ; return {... acc, [key]: value};}, {})
Nikita

7

Isso adicionará uma função global para acessar as variáveis ​​queryString como um mapa.

// -------------------------------------------------------------------------------------
// Add function for 'window.location.query( [queryString] )' which returns an object
// of querystring keys and their values. An optional string parameter can be used as
// an alternative to 'window.location.search'.
// -------------------------------------------------------------------------------------
// Add function for 'window.location.query.makeString( object, [addQuestionMark] )'
// which returns a queryString from an object. An optional boolean parameter can be
// used to toggle a leading question mark.
// -------------------------------------------------------------------------------------
if (!window.location.query) {
    window.location.query = function (source) {
        var map = {};
        source = source || this.search;

        if ("" != source) {
            var groups = source, i;

            if (groups.indexOf("?") == 0) {
                groups = groups.substr(1);
            }

            groups = groups.split("&");

            for (i in groups) {
                source = groups[i].split("=",
                    // For: xxx=, Prevents: [xxx, ""], Forces: [xxx]
                    (groups[i].slice(-1) !== "=") + 1
                );

                // Key
                i = decodeURIComponent(source[0]);

                // Value
                source = source[1];
                source = typeof source === "undefined"
                    ? source
                    : decodeURIComponent(source);

                // Save Duplicate Key
                if (i in map) {
                    if (Object.prototype.toString.call(map[i]) !== "[object Array]") {
                        map[i] = [map[i]];
                    }

                    map[i].push(source);
                }

                // Save New Key
                else {
                    map[i] = source;
                }
            }
        }

        return map;
    }

    window.location.query.makeString = function (source, addQuestionMark) {
        var str = "", i, ii, key;

        if (typeof source == "boolean") {
            addQuestionMark = source;
            source = undefined;
        }

        if (source == undefined) {
            str = window.location.search;
        }
        else {
            for (i in source) {
                key = "&" + encodeURIComponent(i);

                if (Object.prototype.toString.call(source[i]) !== "[object Array]") {
                    str += key + addUndefindedValue(source[i]);
                }
                else {
                    for (ii = 0; ii < source[i].length; ii++) {
                        str += key + addUndefindedValue(source[i][ii]);
                    }
                }
            }
        }

        return (addQuestionMark === false ? "" : "?") + str.substr(1);
    }

    function addUndefindedValue(source) {
        return typeof source === "undefined"
            ? ""
            : "=" + encodeURIComponent(source);
    }
}

Aproveitar.


5

Se você passou a usar Typescript e ter dom em sua o lib de tsconfig.json, você pode fazer:

const url: URL = new URL(window.location.href);
const params: URLSearchParams = url.searchParams;
// get target key/value from URLSearchParams object
const yourParamValue: string = params.get('yourParamKey');

// To append, you can also leverage api to avoid the `?` check 
params.append('newKey', 'newValue');

4

Você pode usar esta função, para dividir string de? Id =

 function myfunction(myvar){
  var urls = myvar;
  var myurls = urls.split("?id=");
  var mylasturls = myurls[1];
  var mynexturls = mylasturls.split("&");
  var url = mynexturls[0];
  alert(url)
}
myfunction(window.top.location.href);
myfunction("http://www.myname.com/index.html?id=dance&emp;cid=in_social_facebook-hhp-food-moonlight-influencer_s7_20160623");

aqui está o violino


4

Você pode usar isso para encontrar o valor direto por meio do nome dos parâmetros.

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


2

Você pode usar a searchpropriedade do window.locationobjeto para obter a parte da consulta do URL. Observe que inclui o ponto de interrogação (?) No início, apenas no caso de afetar a forma como você pretende analisá-lo.



2
  var queryObj = {};
   if(url.split("?").length>0){
     var queryString = url.split("?")[1];
   }

agora você tem a parte da consulta em queryString

A primeira substituição removerá todos os espaços em branco, a segunda substituirá toda a parte '&' por "," e finalmente a terceira substituição colocará ":" no lugar dos sinais '='.

queryObj = JSON.parse('{"' + queryString.replace(/"/g, '\\"').replace(/&/g, '","').replace(/=/g,'":"') + '"}')

Digamos que você tenha uma consulta como abc = 123 & efg = 456 . Agora, antes de analisar, sua consulta está sendo convertida em algo como {"abc": "123", "efg": "456"}. Agora, quando você for analisar isso, ele lhe dará sua consulta no objeto json.


Embora este código possa responder à pergunta, fornecer contexto adicional sobre como e / ou por que ele resolve o problema melhoraria o valor da resposta a longo prazo.
Badacadabra

2

Converta isso em array e divida com '?'

var url= 'http://localhost/PMApp/temp.htm?ProjectID=462';

url.split('?')[1];     //ProjectID=462

1
q={};location.search.replace(/([^?&=]+)=([^&]+)/g,(_,k,v)=>q[k]=v);q;

0

Tente este

/**
 * Get the value of a querystring
 * @param  {String} field The field to get the value of
 * @param  {String} url   The URL to get the value from (optional)
 * @return {String}       The field value
 */
var getQueryString = function ( field, url ) {
    var href = url ? url : window.location.href;
    var reg = new RegExp( '[?&]' + field + '=([^&#]*)', 'i' );
    var string = reg.exec(href);
    return string ? string[1] : null;
};

Digamos que seu URL seja http: //example.com&this=chicken&that=sandwich . Você deseja obter o valor disso, daquilo e de outro.

var thisOne = getQueryString('this'); // returns 'chicken'
var thatOne = getQueryString('that'); // returns 'sandwich'
var anotherOne = getQueryString('another'); // returns null

Se quiser usar um URL diferente do que está na janela, você pode passar um como segundo argumento.

var yetAnotherOne = getQueryString('example', 'http://another-example.com&example=something'); // returns 'something'

Referência


0

Acho que é muito mais seguro confiar no navegador do que em qualquer regex engenhoso:

const parseUrl = function(url) { 
  const a = document.createElement('a')
  a.href = url
  return {
    protocol: a.protocol ? a.protocol : null,
    hostname: a.hostname ? a.hostname : null,
    port: a.port ? a.port : null,
    path: a.pathname ? a.pathname : null,
    query: a.search ? a.search : null,
    hash: a.hash ? a.hash : null,
    host: a.host ? a.host : null  
  }
}

console.log( parseUrl(window.location.href) ) //stacksnippet
//to obtain a query
console.log( parseUrl( 'https://example.com?qwery=this').query )

Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.