Development

Get a URL’s query parameters with Javascript

Getting the query parameters out of a URL string by using vanilla Javascript.

The query parameters are what is used in HTTP GET to shape a response.

The main piece to this code is the self-made function that puts the query parameters and values into an array.

This works by using URLSearchParams to get the keys from the URL string and then the value for that key.

These are pushed into a multidimensional array which is returned.

function URLQueryAsArray(str) {
  let params = new URLSearchParams(str);
  let params_array = [];
  for (let value of params.keys()) {
    params_array.push([value, params.get(value)]);
  }
  return params_array;
}

The other function is what gets called when a URL is placed into the text input. It calls URLQueryAsArray() and builds the output

function updateParams(val) {
  document.getElementById("output-div").innerHTML = "";
  let split_url = val.split("?");
  let query_string = split_url[1];
  let p_array = URLQueryAsArray(query_string);
  let output_div = document.getElementById("output-div");
  for (let index = 0; index < p_array.length; ++index) {
    let p_string = p_array[index][0] + " => " + p_array[index][1];
    let newNode = document.createElement("p");
    newNode.innerHTML = p_string;
    output_div.appendChild(newNode);
  }
}

The basic HTML:

<h3>URL GET and value parameters</h3>
<p><b>Try with:</b> https://stats.nba.com/stats/teamgamelog?DateFrom=&DateTo=&LeagueID=00&Season=2020-21&SeasonType=Playoffs&TeamID=1610612749</p>
<form style="padding-top: 1rem;">
  <label for="url">URL: </label>
  <input id="url" type="text" onkeyup="updateParams(this.value);" />
</form>
<div id='output-div'>

</div>

The CodePen:

Share

Recent Posts

Kennington reservoir drained drone images

A drained and empty Kennington reservoir images from a drone in early July 2024. The…

1 year ago

Merrimu Reservoir drone images

Merrimu Reservoir from drone. Click images to view larger.

1 year ago

FTP getting array of file details such as size using PHP

Using FTP and PHP to get an array of file details such as size and…

2 years ago

Creating Laravel form requests

Creating and using Laravel form requests to create cleaner code, separation and reusability for your…

2 years ago

Improving the default Laravel login and register views

Improving the default Laravel login and register views in such a simple manner but making…

2 years ago

Laravel validation for checking if value exists in the database

Laravel validation for checking if a field value exists in the database. The validation rule…

2 years ago