Updating existing URL querystring values with jQuery












16















Let's say I have a url such as:



http://www.example.com/hello.png?w=100&h=100&bg=white


What I'd like to do is update the values of the w and h querystring, but leave the bg querystring intact, for example:



http://www.example.com/hello.png?w=200&h=200&bg=white


So what's the fastest most efficient way to read the querystring values (and they could be any set of querystring values, not just w, h, and bg), update a few or none of the values, and return the full url with the new querystring?



So:




  1. Get the values of each querystring key

  2. Update any number of the keys

  3. Rebuild the url with the new values

  4. Keep all of the other values which weren't updated

  5. It will not have a standard set of known keys, it could change per URL










share|improve this question





























    16















    Let's say I have a url such as:



    http://www.example.com/hello.png?w=100&h=100&bg=white


    What I'd like to do is update the values of the w and h querystring, but leave the bg querystring intact, for example:



    http://www.example.com/hello.png?w=200&h=200&bg=white


    So what's the fastest most efficient way to read the querystring values (and they could be any set of querystring values, not just w, h, and bg), update a few or none of the values, and return the full url with the new querystring?



    So:




    1. Get the values of each querystring key

    2. Update any number of the keys

    3. Rebuild the url with the new values

    4. Keep all of the other values which weren't updated

    5. It will not have a standard set of known keys, it could change per URL










    share|improve this question



























      16












      16








      16


      4






      Let's say I have a url such as:



      http://www.example.com/hello.png?w=100&h=100&bg=white


      What I'd like to do is update the values of the w and h querystring, but leave the bg querystring intact, for example:



      http://www.example.com/hello.png?w=200&h=200&bg=white


      So what's the fastest most efficient way to read the querystring values (and they could be any set of querystring values, not just w, h, and bg), update a few or none of the values, and return the full url with the new querystring?



      So:




      1. Get the values of each querystring key

      2. Update any number of the keys

      3. Rebuild the url with the new values

      4. Keep all of the other values which weren't updated

      5. It will not have a standard set of known keys, it could change per URL










      share|improve this question
















      Let's say I have a url such as:



      http://www.example.com/hello.png?w=100&h=100&bg=white


      What I'd like to do is update the values of the w and h querystring, but leave the bg querystring intact, for example:



      http://www.example.com/hello.png?w=200&h=200&bg=white


      So what's the fastest most efficient way to read the querystring values (and they could be any set of querystring values, not just w, h, and bg), update a few or none of the values, and return the full url with the new querystring?



      So:




      1. Get the values of each querystring key

      2. Update any number of the keys

      3. Rebuild the url with the new values

      4. Keep all of the other values which weren't updated

      5. It will not have a standard set of known keys, it could change per URL







      javascript jquery query-string






      share|improve this question















      share|improve this question













      share|improve this question




      share|improve this question








      edited Mar 8 '12 at 17:44









      rid

      38.9k18120166




      38.9k18120166










      asked Mar 8 '12 at 17:41









      adamadam

      1,95352544




      1,95352544
























          8 Answers
          8






          active

          oldest

          votes


















          15














          Get query string values this way and use $.param to rebuild query string



          UPDATE:



          This is an example, also check fiddle:






            function getQueryVariable(url, variable) {
          var query = url.substring(1);
          var vars = query.split('&');
          for (var i=0; i<vars.length; i++) {
          var pair = vars[i].split('=');
          if (pair[0] == variable) {
          return pair[1];
          }
          }

          return false;
          }

          var url = 'http://www.example.com/hello.png?w=100&h=100&bg=white';

          var w = getQueryVariable(url, 'w');
          var h = getQueryVariable(url, 'h');
          var bg = getQueryVariable(url, 'bg');

          // http://www.example.com/hello.png?w=200&h=200&bg=white
          var params = { 'w':200, 'h':200, 'bg':bg };
          var new_url = 'http://www.example.com/hello.png?' + jQuery.param(params);





          You can change the function to use current url:






            function getQueryVariable(variable) {
          var query = window.location.search.substring(1);
          var vars = query.split('&');
          for (var i=0; i<vars.length; i++) {
          var pair = vars[i].split('=');
          if (pair[0] == variable) {
          return pair[1];
          }
          }

          return false;
          }








          share|improve this answer


























          • what if we need to update just some of the variables and we have a lot of variables in url that we are not going to update?

            – Ahmed Ali
            Apr 7 '17 at 19:02





















          3














          Another way (independent of jQuery or other libraries): https://github.com/Mikhus/jsurl



          var u = new Url;
          // or
          var u = new Url('/some/path?foo=baz');
          alert(u);
          u.query.foo = 'bar';
          alert(u);





          share|improve this answer
























          • This library is now called domurl. GitHub is redirecting to the correct repo, just posting here in case that ever changes.

            – vaindil
            Apr 14 '17 at 14:04



















          2














          //update URL Parameter
          function updateURL(key,val){
          var url = window.location.href;
          var reExp = new RegExp("[?|&]"+key + "=[0-9a-zA-Z_+-|.,;]*");

          if(reExp.test(url)) {
          // update
          var reExp = new RegExp("[?&]" + key + "=([^&#]*)");
          var delimiter = reExp.exec(url)[0].charAt(0);
          url = url.replace(reExp, delimiter + key + "=" + val);
          } else {
          // add
          var newParam = key + "=" + val;
          if(!url.indexOf('?')){url += '?';}

          if(url.indexOf('#') > -1){
          var urlparts = url.split('#');
          url = urlparts[0] + "&" + newParam + (urlparts[1] ? "#" +urlparts[1] : '');
          } else {
          url += "&" + newParam;
          }
          }
          window.history.pushState(null, document.title, url);
          }





          share|improve this answer


























          • This is a convenient function, but it will not work if the url has no query params from the start, but hash a '#'. You can fix this by changing the indexOf line to (url.indexOf('?') === -1)

            – leo
            Jan 18 '17 at 18:39











          • (It will also output ?&key=val, in case of only one url param)

            – leo
            Jan 18 '17 at 18:39



















          2














          Simple solution



          You can use URLSearchParams.set() like below:



          var currentUrl = 'http://www.example.com/hello.png?w=100&h=100&bg=white';
          var url = new URL(currentUrl);
          url.searchParams.set("w", "200"); // setting your param
          var newUrl = url.href;
          console.log(newUrl);


          Online demo (jsfiddle)






          share|improve this answer































            0














            My URL is like this: http://localhost/dentistryindia/admin/hospital/add_procedure?hid=241&hpr_id=12



            var reExp = /hpr_id=\d+/;
            var url = window.location.href;
            url = url.toString();
            var hrpid = $("#category :selected").val(); //new value to replace hpr_id
            var reExp = new RegExp("[\?&]" + 'hpr_id' + "=([^&#]*)"),
            delimeter = reExp.exec(url)[0].charAt(0),
            newUrl = url.replace(reExp, delimeter + 'hpr_id' + "=" + hrpid);
            window.location.href = newUrl;


            This is how it worked for me.






            share|improve this answer































              0














              Another way you you can do this, using some simple reg ex code by Samuel Santos here like this:



              /*
              * queryParameters -> handles the query string parameters
              * queryString -> the query string without the fist '?' character
              * re -> the regular expression
              * m -> holds the string matching the regular expression
              */
              var queryParameters = {}, queryString = location.search.substring(1),
              re = /([^&=]+)=([^&]*)/g, m;

              // Creates a map with the query string parameters
              while (m = re.exec(queryString)) {
              queryParameters[decodeURIComponent(m[1])] = decodeURIComponent(m[2]);
              }

              // Update w and h
              queryParameters['w'] = 200;
              queryParameters['h'] = 200;


              Now you can either create a new URL:



              var url = window.location.protocol + '//' + window.location.hostname + window.location.pathname;

              // Build new Query String
              var params = $.param(queryParameters);
              if (params != '') {
              url = url + '?' + params;
              }


              OR you could just use the params to cause browser to reload right away:



              location.search = params;


              OR do whatever you want with :)






              share|improve this answer

































                0














                You could do something like this:



                // If key exists updates the value
                if (location.href.indexOf('key=') > -1) {
                location.href = location.href.replace('key=current_val', 'key=new_val');

                // If not, append
                } else {
                location.href = location.href + '&key=new_val';
                }


                Regards






                share|improve this answer































                  0














                  I like Ali's answer the best. I cleaned up the code into a function and thought I would share it to make someone else's life easier. Hope this helps someone.



                  function addParam(currentUrl,key,val) {
                  var url = new URL(currentUrl);
                  url.searchParams.set(key, val);
                  return url.href;
                  }





                  share|improve this answer























                    Your Answer






                    StackExchange.ifUsing("editor", function () {
                    StackExchange.using("externalEditor", function () {
                    StackExchange.using("snippets", function () {
                    StackExchange.snippets.init();
                    });
                    });
                    }, "code-snippets");

                    StackExchange.ready(function() {
                    var channelOptions = {
                    tags: "".split(" "),
                    id: "1"
                    };
                    initTagRenderer("".split(" "), "".split(" "), channelOptions);

                    StackExchange.using("externalEditor", function() {
                    // Have to fire editor after snippets, if snippets enabled
                    if (StackExchange.settings.snippets.snippetsEnabled) {
                    StackExchange.using("snippets", function() {
                    createEditor();
                    });
                    }
                    else {
                    createEditor();
                    }
                    });

                    function createEditor() {
                    StackExchange.prepareEditor({
                    heartbeatType: 'answer',
                    autoActivateHeartbeat: false,
                    convertImagesToLinks: true,
                    noModals: true,
                    showLowRepImageUploadWarning: true,
                    reputationToPostImages: 10,
                    bindNavPrevention: true,
                    postfix: "",
                    imageUploader: {
                    brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
                    contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
                    allowUrls: true
                    },
                    onDemand: true,
                    discardSelector: ".discard-answer"
                    ,immediatelyShowMarkdownHelp:true
                    });


                    }
                    });














                    draft saved

                    draft discarded


















                    StackExchange.ready(
                    function () {
                    StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f9622207%2fupdating-existing-url-querystring-values-with-jquery%23new-answer', 'question_page');
                    }
                    );

                    Post as a guest















                    Required, but never shown

























                    8 Answers
                    8






                    active

                    oldest

                    votes








                    8 Answers
                    8






                    active

                    oldest

                    votes









                    active

                    oldest

                    votes






                    active

                    oldest

                    votes









                    15














                    Get query string values this way and use $.param to rebuild query string



                    UPDATE:



                    This is an example, also check fiddle:






                      function getQueryVariable(url, variable) {
                    var query = url.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }

                    var url = 'http://www.example.com/hello.png?w=100&h=100&bg=white';

                    var w = getQueryVariable(url, 'w');
                    var h = getQueryVariable(url, 'h');
                    var bg = getQueryVariable(url, 'bg');

                    // http://www.example.com/hello.png?w=200&h=200&bg=white
                    var params = { 'w':200, 'h':200, 'bg':bg };
                    var new_url = 'http://www.example.com/hello.png?' + jQuery.param(params);





                    You can change the function to use current url:






                      function getQueryVariable(variable) {
                    var query = window.location.search.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }








                    share|improve this answer


























                    • what if we need to update just some of the variables and we have a lot of variables in url that we are not going to update?

                      – Ahmed Ali
                      Apr 7 '17 at 19:02


















                    15














                    Get query string values this way and use $.param to rebuild query string



                    UPDATE:



                    This is an example, also check fiddle:






                      function getQueryVariable(url, variable) {
                    var query = url.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }

                    var url = 'http://www.example.com/hello.png?w=100&h=100&bg=white';

                    var w = getQueryVariable(url, 'w');
                    var h = getQueryVariable(url, 'h');
                    var bg = getQueryVariable(url, 'bg');

                    // http://www.example.com/hello.png?w=200&h=200&bg=white
                    var params = { 'w':200, 'h':200, 'bg':bg };
                    var new_url = 'http://www.example.com/hello.png?' + jQuery.param(params);





                    You can change the function to use current url:






                      function getQueryVariable(variable) {
                    var query = window.location.search.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }








                    share|improve this answer


























                    • what if we need to update just some of the variables and we have a lot of variables in url that we are not going to update?

                      – Ahmed Ali
                      Apr 7 '17 at 19:02
















                    15












                    15








                    15







                    Get query string values this way and use $.param to rebuild query string



                    UPDATE:



                    This is an example, also check fiddle:






                      function getQueryVariable(url, variable) {
                    var query = url.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }

                    var url = 'http://www.example.com/hello.png?w=100&h=100&bg=white';

                    var w = getQueryVariable(url, 'w');
                    var h = getQueryVariable(url, 'h');
                    var bg = getQueryVariable(url, 'bg');

                    // http://www.example.com/hello.png?w=200&h=200&bg=white
                    var params = { 'w':200, 'h':200, 'bg':bg };
                    var new_url = 'http://www.example.com/hello.png?' + jQuery.param(params);





                    You can change the function to use current url:






                      function getQueryVariable(variable) {
                    var query = window.location.search.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }








                    share|improve this answer















                    Get query string values this way and use $.param to rebuild query string



                    UPDATE:



                    This is an example, also check fiddle:






                      function getQueryVariable(url, variable) {
                    var query = url.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }

                    var url = 'http://www.example.com/hello.png?w=100&h=100&bg=white';

                    var w = getQueryVariable(url, 'w');
                    var h = getQueryVariable(url, 'h');
                    var bg = getQueryVariable(url, 'bg');

                    // http://www.example.com/hello.png?w=200&h=200&bg=white
                    var params = { 'w':200, 'h':200, 'bg':bg };
                    var new_url = 'http://www.example.com/hello.png?' + jQuery.param(params);





                    You can change the function to use current url:






                      function getQueryVariable(variable) {
                    var query = window.location.search.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }








                      function getQueryVariable(url, variable) {
                    var query = url.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }

                    var url = 'http://www.example.com/hello.png?w=100&h=100&bg=white';

                    var w = getQueryVariable(url, 'w');
                    var h = getQueryVariable(url, 'h');
                    var bg = getQueryVariable(url, 'bg');

                    // http://www.example.com/hello.png?w=200&h=200&bg=white
                    var params = { 'w':200, 'h':200, 'bg':bg };
                    var new_url = 'http://www.example.com/hello.png?' + jQuery.param(params);





                      function getQueryVariable(url, variable) {
                    var query = url.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }

                    var url = 'http://www.example.com/hello.png?w=100&h=100&bg=white';

                    var w = getQueryVariable(url, 'w');
                    var h = getQueryVariable(url, 'h');
                    var bg = getQueryVariable(url, 'bg');

                    // http://www.example.com/hello.png?w=200&h=200&bg=white
                    var params = { 'w':200, 'h':200, 'bg':bg };
                    var new_url = 'http://www.example.com/hello.png?' + jQuery.param(params);





                      function getQueryVariable(variable) {
                    var query = window.location.search.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }





                      function getQueryVariable(variable) {
                    var query = window.location.search.substring(1);
                    var vars = query.split('&');
                    for (var i=0; i<vars.length; i++) {
                    var pair = vars[i].split('=');
                    if (pair[0] == variable) {
                    return pair[1];
                    }
                    }

                    return false;
                    }






                    share|improve this answer














                    share|improve this answer



                    share|improve this answer








                    edited May 23 '17 at 12:17









                    Community

                    11




                    11










                    answered Mar 8 '12 at 17:46









                    dotoreedotoree

                    2,73011826




                    2,73011826













                    • what if we need to update just some of the variables and we have a lot of variables in url that we are not going to update?

                      – Ahmed Ali
                      Apr 7 '17 at 19:02





















                    • what if we need to update just some of the variables and we have a lot of variables in url that we are not going to update?

                      – Ahmed Ali
                      Apr 7 '17 at 19:02



















                    what if we need to update just some of the variables and we have a lot of variables in url that we are not going to update?

                    – Ahmed Ali
                    Apr 7 '17 at 19:02







                    what if we need to update just some of the variables and we have a lot of variables in url that we are not going to update?

                    – Ahmed Ali
                    Apr 7 '17 at 19:02















                    3














                    Another way (independent of jQuery or other libraries): https://github.com/Mikhus/jsurl



                    var u = new Url;
                    // or
                    var u = new Url('/some/path?foo=baz');
                    alert(u);
                    u.query.foo = 'bar';
                    alert(u);





                    share|improve this answer
























                    • This library is now called domurl. GitHub is redirecting to the correct repo, just posting here in case that ever changes.

                      – vaindil
                      Apr 14 '17 at 14:04
















                    3














                    Another way (independent of jQuery or other libraries): https://github.com/Mikhus/jsurl



                    var u = new Url;
                    // or
                    var u = new Url('/some/path?foo=baz');
                    alert(u);
                    u.query.foo = 'bar';
                    alert(u);





                    share|improve this answer
























                    • This library is now called domurl. GitHub is redirecting to the correct repo, just posting here in case that ever changes.

                      – vaindil
                      Apr 14 '17 at 14:04














                    3












                    3








                    3







                    Another way (independent of jQuery or other libraries): https://github.com/Mikhus/jsurl



                    var u = new Url;
                    // or
                    var u = new Url('/some/path?foo=baz');
                    alert(u);
                    u.query.foo = 'bar';
                    alert(u);





                    share|improve this answer













                    Another way (independent of jQuery or other libraries): https://github.com/Mikhus/jsurl



                    var u = new Url;
                    // or
                    var u = new Url('/some/path?foo=baz');
                    alert(u);
                    u.query.foo = 'bar';
                    alert(u);






                    share|improve this answer












                    share|improve this answer



                    share|improve this answer










                    answered Apr 19 '13 at 7:33









                    MikhusMikhus

                    1,039118




                    1,039118













                    • This library is now called domurl. GitHub is redirecting to the correct repo, just posting here in case that ever changes.

                      – vaindil
                      Apr 14 '17 at 14:04



















                    • This library is now called domurl. GitHub is redirecting to the correct repo, just posting here in case that ever changes.

                      – vaindil
                      Apr 14 '17 at 14:04

















                    This library is now called domurl. GitHub is redirecting to the correct repo, just posting here in case that ever changes.

                    – vaindil
                    Apr 14 '17 at 14:04





                    This library is now called domurl. GitHub is redirecting to the correct repo, just posting here in case that ever changes.

                    – vaindil
                    Apr 14 '17 at 14:04











                    2














                    //update URL Parameter
                    function updateURL(key,val){
                    var url = window.location.href;
                    var reExp = new RegExp("[?|&]"+key + "=[0-9a-zA-Z_+-|.,;]*");

                    if(reExp.test(url)) {
                    // update
                    var reExp = new RegExp("[?&]" + key + "=([^&#]*)");
                    var delimiter = reExp.exec(url)[0].charAt(0);
                    url = url.replace(reExp, delimiter + key + "=" + val);
                    } else {
                    // add
                    var newParam = key + "=" + val;
                    if(!url.indexOf('?')){url += '?';}

                    if(url.indexOf('#') > -1){
                    var urlparts = url.split('#');
                    url = urlparts[0] + "&" + newParam + (urlparts[1] ? "#" +urlparts[1] : '');
                    } else {
                    url += "&" + newParam;
                    }
                    }
                    window.history.pushState(null, document.title, url);
                    }





                    share|improve this answer


























                    • This is a convenient function, but it will not work if the url has no query params from the start, but hash a '#'. You can fix this by changing the indexOf line to (url.indexOf('?') === -1)

                      – leo
                      Jan 18 '17 at 18:39











                    • (It will also output ?&key=val, in case of only one url param)

                      – leo
                      Jan 18 '17 at 18:39
















                    2














                    //update URL Parameter
                    function updateURL(key,val){
                    var url = window.location.href;
                    var reExp = new RegExp("[?|&]"+key + "=[0-9a-zA-Z_+-|.,;]*");

                    if(reExp.test(url)) {
                    // update
                    var reExp = new RegExp("[?&]" + key + "=([^&#]*)");
                    var delimiter = reExp.exec(url)[0].charAt(0);
                    url = url.replace(reExp, delimiter + key + "=" + val);
                    } else {
                    // add
                    var newParam = key + "=" + val;
                    if(!url.indexOf('?')){url += '?';}

                    if(url.indexOf('#') > -1){
                    var urlparts = url.split('#');
                    url = urlparts[0] + "&" + newParam + (urlparts[1] ? "#" +urlparts[1] : '');
                    } else {
                    url += "&" + newParam;
                    }
                    }
                    window.history.pushState(null, document.title, url);
                    }





                    share|improve this answer


























                    • This is a convenient function, but it will not work if the url has no query params from the start, but hash a '#'. You can fix this by changing the indexOf line to (url.indexOf('?') === -1)

                      – leo
                      Jan 18 '17 at 18:39











                    • (It will also output ?&key=val, in case of only one url param)

                      – leo
                      Jan 18 '17 at 18:39














                    2












                    2








                    2







                    //update URL Parameter
                    function updateURL(key,val){
                    var url = window.location.href;
                    var reExp = new RegExp("[?|&]"+key + "=[0-9a-zA-Z_+-|.,;]*");

                    if(reExp.test(url)) {
                    // update
                    var reExp = new RegExp("[?&]" + key + "=([^&#]*)");
                    var delimiter = reExp.exec(url)[0].charAt(0);
                    url = url.replace(reExp, delimiter + key + "=" + val);
                    } else {
                    // add
                    var newParam = key + "=" + val;
                    if(!url.indexOf('?')){url += '?';}

                    if(url.indexOf('#') > -1){
                    var urlparts = url.split('#');
                    url = urlparts[0] + "&" + newParam + (urlparts[1] ? "#" +urlparts[1] : '');
                    } else {
                    url += "&" + newParam;
                    }
                    }
                    window.history.pushState(null, document.title, url);
                    }





                    share|improve this answer















                    //update URL Parameter
                    function updateURL(key,val){
                    var url = window.location.href;
                    var reExp = new RegExp("[?|&]"+key + "=[0-9a-zA-Z_+-|.,;]*");

                    if(reExp.test(url)) {
                    // update
                    var reExp = new RegExp("[?&]" + key + "=([^&#]*)");
                    var delimiter = reExp.exec(url)[0].charAt(0);
                    url = url.replace(reExp, delimiter + key + "=" + val);
                    } else {
                    // add
                    var newParam = key + "=" + val;
                    if(!url.indexOf('?')){url += '?';}

                    if(url.indexOf('#') > -1){
                    var urlparts = url.split('#');
                    url = urlparts[0] + "&" + newParam + (urlparts[1] ? "#" +urlparts[1] : '');
                    } else {
                    url += "&" + newParam;
                    }
                    }
                    window.history.pushState(null, document.title, url);
                    }






                    share|improve this answer














                    share|improve this answer



                    share|improve this answer








                    edited May 9 '17 at 19:50









                    FiSH GRAPHICS

                    97121024




                    97121024










                    answered Sep 10 '15 at 13:54









                    hitchhikershitchhikers

                    311




                    311













                    • This is a convenient function, but it will not work if the url has no query params from the start, but hash a '#'. You can fix this by changing the indexOf line to (url.indexOf('?') === -1)

                      – leo
                      Jan 18 '17 at 18:39











                    • (It will also output ?&key=val, in case of only one url param)

                      – leo
                      Jan 18 '17 at 18:39



















                    • This is a convenient function, but it will not work if the url has no query params from the start, but hash a '#'. You can fix this by changing the indexOf line to (url.indexOf('?') === -1)

                      – leo
                      Jan 18 '17 at 18:39











                    • (It will also output ?&key=val, in case of only one url param)

                      – leo
                      Jan 18 '17 at 18:39

















                    This is a convenient function, but it will not work if the url has no query params from the start, but hash a '#'. You can fix this by changing the indexOf line to (url.indexOf('?') === -1)

                    – leo
                    Jan 18 '17 at 18:39





                    This is a convenient function, but it will not work if the url has no query params from the start, but hash a '#'. You can fix this by changing the indexOf line to (url.indexOf('?') === -1)

                    – leo
                    Jan 18 '17 at 18:39













                    (It will also output ?&key=val, in case of only one url param)

                    – leo
                    Jan 18 '17 at 18:39





                    (It will also output ?&key=val, in case of only one url param)

                    – leo
                    Jan 18 '17 at 18:39











                    2














                    Simple solution



                    You can use URLSearchParams.set() like below:



                    var currentUrl = 'http://www.example.com/hello.png?w=100&h=100&bg=white';
                    var url = new URL(currentUrl);
                    url.searchParams.set("w", "200"); // setting your param
                    var newUrl = url.href;
                    console.log(newUrl);


                    Online demo (jsfiddle)






                    share|improve this answer




























                      2














                      Simple solution



                      You can use URLSearchParams.set() like below:



                      var currentUrl = 'http://www.example.com/hello.png?w=100&h=100&bg=white';
                      var url = new URL(currentUrl);
                      url.searchParams.set("w", "200"); // setting your param
                      var newUrl = url.href;
                      console.log(newUrl);


                      Online demo (jsfiddle)






                      share|improve this answer


























                        2












                        2








                        2







                        Simple solution



                        You can use URLSearchParams.set() like below:



                        var currentUrl = 'http://www.example.com/hello.png?w=100&h=100&bg=white';
                        var url = new URL(currentUrl);
                        url.searchParams.set("w", "200"); // setting your param
                        var newUrl = url.href;
                        console.log(newUrl);


                        Online demo (jsfiddle)






                        share|improve this answer













                        Simple solution



                        You can use URLSearchParams.set() like below:



                        var currentUrl = 'http://www.example.com/hello.png?w=100&h=100&bg=white';
                        var url = new URL(currentUrl);
                        url.searchParams.set("w", "200"); // setting your param
                        var newUrl = url.href;
                        console.log(newUrl);


                        Online demo (jsfiddle)







                        share|improve this answer












                        share|improve this answer



                        share|improve this answer










                        answered Jun 27 '18 at 9:50









                        Ali SoltaniAli Soltani

                        6,3622829




                        6,3622829























                            0














                            My URL is like this: http://localhost/dentistryindia/admin/hospital/add_procedure?hid=241&hpr_id=12



                            var reExp = /hpr_id=\d+/;
                            var url = window.location.href;
                            url = url.toString();
                            var hrpid = $("#category :selected").val(); //new value to replace hpr_id
                            var reExp = new RegExp("[\?&]" + 'hpr_id' + "=([^&#]*)"),
                            delimeter = reExp.exec(url)[0].charAt(0),
                            newUrl = url.replace(reExp, delimeter + 'hpr_id' + "=" + hrpid);
                            window.location.href = newUrl;


                            This is how it worked for me.






                            share|improve this answer




























                              0














                              My URL is like this: http://localhost/dentistryindia/admin/hospital/add_procedure?hid=241&hpr_id=12



                              var reExp = /hpr_id=\d+/;
                              var url = window.location.href;
                              url = url.toString();
                              var hrpid = $("#category :selected").val(); //new value to replace hpr_id
                              var reExp = new RegExp("[\?&]" + 'hpr_id' + "=([^&#]*)"),
                              delimeter = reExp.exec(url)[0].charAt(0),
                              newUrl = url.replace(reExp, delimeter + 'hpr_id' + "=" + hrpid);
                              window.location.href = newUrl;


                              This is how it worked for me.






                              share|improve this answer


























                                0












                                0








                                0







                                My URL is like this: http://localhost/dentistryindia/admin/hospital/add_procedure?hid=241&hpr_id=12



                                var reExp = /hpr_id=\d+/;
                                var url = window.location.href;
                                url = url.toString();
                                var hrpid = $("#category :selected").val(); //new value to replace hpr_id
                                var reExp = new RegExp("[\?&]" + 'hpr_id' + "=([^&#]*)"),
                                delimeter = reExp.exec(url)[0].charAt(0),
                                newUrl = url.replace(reExp, delimeter + 'hpr_id' + "=" + hrpid);
                                window.location.href = newUrl;


                                This is how it worked for me.






                                share|improve this answer













                                My URL is like this: http://localhost/dentistryindia/admin/hospital/add_procedure?hid=241&hpr_id=12



                                var reExp = /hpr_id=\d+/;
                                var url = window.location.href;
                                url = url.toString();
                                var hrpid = $("#category :selected").val(); //new value to replace hpr_id
                                var reExp = new RegExp("[\?&]" + 'hpr_id' + "=([^&#]*)"),
                                delimeter = reExp.exec(url)[0].charAt(0),
                                newUrl = url.replace(reExp, delimeter + 'hpr_id' + "=" + hrpid);
                                window.location.href = newUrl;


                                This is how it worked for me.







                                share|improve this answer












                                share|improve this answer



                                share|improve this answer










                                answered Jul 2 '15 at 8:51









                                chandoochandoo

                                68511120




                                68511120























                                    0














                                    Another way you you can do this, using some simple reg ex code by Samuel Santos here like this:



                                    /*
                                    * queryParameters -> handles the query string parameters
                                    * queryString -> the query string without the fist '?' character
                                    * re -> the regular expression
                                    * m -> holds the string matching the regular expression
                                    */
                                    var queryParameters = {}, queryString = location.search.substring(1),
                                    re = /([^&=]+)=([^&]*)/g, m;

                                    // Creates a map with the query string parameters
                                    while (m = re.exec(queryString)) {
                                    queryParameters[decodeURIComponent(m[1])] = decodeURIComponent(m[2]);
                                    }

                                    // Update w and h
                                    queryParameters['w'] = 200;
                                    queryParameters['h'] = 200;


                                    Now you can either create a new URL:



                                    var url = window.location.protocol + '//' + window.location.hostname + window.location.pathname;

                                    // Build new Query String
                                    var params = $.param(queryParameters);
                                    if (params != '') {
                                    url = url + '?' + params;
                                    }


                                    OR you could just use the params to cause browser to reload right away:



                                    location.search = params;


                                    OR do whatever you want with :)






                                    share|improve this answer






























                                      0














                                      Another way you you can do this, using some simple reg ex code by Samuel Santos here like this:



                                      /*
                                      * queryParameters -> handles the query string parameters
                                      * queryString -> the query string without the fist '?' character
                                      * re -> the regular expression
                                      * m -> holds the string matching the regular expression
                                      */
                                      var queryParameters = {}, queryString = location.search.substring(1),
                                      re = /([^&=]+)=([^&]*)/g, m;

                                      // Creates a map with the query string parameters
                                      while (m = re.exec(queryString)) {
                                      queryParameters[decodeURIComponent(m[1])] = decodeURIComponent(m[2]);
                                      }

                                      // Update w and h
                                      queryParameters['w'] = 200;
                                      queryParameters['h'] = 200;


                                      Now you can either create a new URL:



                                      var url = window.location.protocol + '//' + window.location.hostname + window.location.pathname;

                                      // Build new Query String
                                      var params = $.param(queryParameters);
                                      if (params != '') {
                                      url = url + '?' + params;
                                      }


                                      OR you could just use the params to cause browser to reload right away:



                                      location.search = params;


                                      OR do whatever you want with :)






                                      share|improve this answer




























                                        0












                                        0








                                        0







                                        Another way you you can do this, using some simple reg ex code by Samuel Santos here like this:



                                        /*
                                        * queryParameters -> handles the query string parameters
                                        * queryString -> the query string without the fist '?' character
                                        * re -> the regular expression
                                        * m -> holds the string matching the regular expression
                                        */
                                        var queryParameters = {}, queryString = location.search.substring(1),
                                        re = /([^&=]+)=([^&]*)/g, m;

                                        // Creates a map with the query string parameters
                                        while (m = re.exec(queryString)) {
                                        queryParameters[decodeURIComponent(m[1])] = decodeURIComponent(m[2]);
                                        }

                                        // Update w and h
                                        queryParameters['w'] = 200;
                                        queryParameters['h'] = 200;


                                        Now you can either create a new URL:



                                        var url = window.location.protocol + '//' + window.location.hostname + window.location.pathname;

                                        // Build new Query String
                                        var params = $.param(queryParameters);
                                        if (params != '') {
                                        url = url + '?' + params;
                                        }


                                        OR you could just use the params to cause browser to reload right away:



                                        location.search = params;


                                        OR do whatever you want with :)






                                        share|improve this answer















                                        Another way you you can do this, using some simple reg ex code by Samuel Santos here like this:



                                        /*
                                        * queryParameters -> handles the query string parameters
                                        * queryString -> the query string without the fist '?' character
                                        * re -> the regular expression
                                        * m -> holds the string matching the regular expression
                                        */
                                        var queryParameters = {}, queryString = location.search.substring(1),
                                        re = /([^&=]+)=([^&]*)/g, m;

                                        // Creates a map with the query string parameters
                                        while (m = re.exec(queryString)) {
                                        queryParameters[decodeURIComponent(m[1])] = decodeURIComponent(m[2]);
                                        }

                                        // Update w and h
                                        queryParameters['w'] = 200;
                                        queryParameters['h'] = 200;


                                        Now you can either create a new URL:



                                        var url = window.location.protocol + '//' + window.location.hostname + window.location.pathname;

                                        // Build new Query String
                                        var params = $.param(queryParameters);
                                        if (params != '') {
                                        url = url + '?' + params;
                                        }


                                        OR you could just use the params to cause browser to reload right away:



                                        location.search = params;


                                        OR do whatever you want with :)







                                        share|improve this answer














                                        share|improve this answer



                                        share|improve this answer








                                        edited Nov 27 '15 at 21:33

























                                        answered Nov 27 '15 at 21:27









                                        PanPipesPanPipes

                                        3,89611020




                                        3,89611020























                                            0














                                            You could do something like this:



                                            // If key exists updates the value
                                            if (location.href.indexOf('key=') > -1) {
                                            location.href = location.href.replace('key=current_val', 'key=new_val');

                                            // If not, append
                                            } else {
                                            location.href = location.href + '&key=new_val';
                                            }


                                            Regards






                                            share|improve this answer




























                                              0














                                              You could do something like this:



                                              // If key exists updates the value
                                              if (location.href.indexOf('key=') > -1) {
                                              location.href = location.href.replace('key=current_val', 'key=new_val');

                                              // If not, append
                                              } else {
                                              location.href = location.href + '&key=new_val';
                                              }


                                              Regards






                                              share|improve this answer


























                                                0












                                                0








                                                0







                                                You could do something like this:



                                                // If key exists updates the value
                                                if (location.href.indexOf('key=') > -1) {
                                                location.href = location.href.replace('key=current_val', 'key=new_val');

                                                // If not, append
                                                } else {
                                                location.href = location.href + '&key=new_val';
                                                }


                                                Regards






                                                share|improve this answer













                                                You could do something like this:



                                                // If key exists updates the value
                                                if (location.href.indexOf('key=') > -1) {
                                                location.href = location.href.replace('key=current_val', 'key=new_val');

                                                // If not, append
                                                } else {
                                                location.href = location.href + '&key=new_val';
                                                }


                                                Regards







                                                share|improve this answer












                                                share|improve this answer



                                                share|improve this answer










                                                answered May 27 '16 at 3:38









                                                Nicolas FinelliNicolas Finelli

                                                2,0261106




                                                2,0261106























                                                    0














                                                    I like Ali's answer the best. I cleaned up the code into a function and thought I would share it to make someone else's life easier. Hope this helps someone.



                                                    function addParam(currentUrl,key,val) {
                                                    var url = new URL(currentUrl);
                                                    url.searchParams.set(key, val);
                                                    return url.href;
                                                    }





                                                    share|improve this answer




























                                                      0














                                                      I like Ali's answer the best. I cleaned up the code into a function and thought I would share it to make someone else's life easier. Hope this helps someone.



                                                      function addParam(currentUrl,key,val) {
                                                      var url = new URL(currentUrl);
                                                      url.searchParams.set(key, val);
                                                      return url.href;
                                                      }





                                                      share|improve this answer


























                                                        0












                                                        0








                                                        0







                                                        I like Ali's answer the best. I cleaned up the code into a function and thought I would share it to make someone else's life easier. Hope this helps someone.



                                                        function addParam(currentUrl,key,val) {
                                                        var url = new URL(currentUrl);
                                                        url.searchParams.set(key, val);
                                                        return url.href;
                                                        }





                                                        share|improve this answer













                                                        I like Ali's answer the best. I cleaned up the code into a function and thought I would share it to make someone else's life easier. Hope this helps someone.



                                                        function addParam(currentUrl,key,val) {
                                                        var url = new URL(currentUrl);
                                                        url.searchParams.set(key, val);
                                                        return url.href;
                                                        }






                                                        share|improve this answer












                                                        share|improve this answer



                                                        share|improve this answer










                                                        answered Nov 20 '18 at 3:15









                                                        user1254723user1254723

                                                        646




                                                        646






























                                                            draft saved

                                                            draft discarded




















































                                                            Thanks for contributing an answer to Stack Overflow!


                                                            • Please be sure to answer the question. Provide details and share your research!

                                                            But avoid



                                                            • Asking for help, clarification, or responding to other answers.

                                                            • Making statements based on opinion; back them up with references or personal experience.


                                                            To learn more, see our tips on writing great answers.




                                                            draft saved


                                                            draft discarded














                                                            StackExchange.ready(
                                                            function () {
                                                            StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f9622207%2fupdating-existing-url-querystring-values-with-jquery%23new-answer', 'question_page');
                                                            }
                                                            );

                                                            Post as a guest















                                                            Required, but never shown





















































                                                            Required, but never shown














                                                            Required, but never shown












                                                            Required, but never shown







                                                            Required, but never shown

































                                                            Required, but never shown














                                                            Required, but never shown












                                                            Required, but never shown







                                                            Required, but never shown







                                                            Popular posts from this blog

                                                            MongoDB - Not Authorized To Execute Command

                                                            Npm cannot find a required file even through it is in the searched directory

                                                            in spring boot 2.1 many test slices are not allowed anymore due to multiple @BootstrapWith