URL Object:
Use URL to get the data you need from the search parameters.
  URL is used to parse, construct, normalise, and encode URLs.
The URL object has a very convenient method called searchParams
  The searchParams readonly property of the URL interface returns a
  URLSearchParams object allowing access to the GET decoded query
  arguments contained in the URL.
Quick solution:
not recommended... but works
Since your query parameters are not valid (no key, just values) an extra step is required to get the values.
const url = new URL('https://www.example.com/page?=item1&item2&item3&item4&item5');
const res = [...url.searchParams]
.flat()
.filter(v=>v!==null&&v.length>0);
console.log(res);
 
 
Better solution using valid URL:
It would be better if you instead organised your URL the following way, so that your url string would look like 
https://www.example.com/page?item=item1&item=item2&item=item3
const params = ['item1','item2','item3']
.map(v=>'item='+v)
.join('&');
const urlStr = "https://www.example.com/page?"+params;
const url = new URL(urlStr);
//Two possible ways of getting the values
//Option 1
const resOption1 = url.searchParams.getAll('item');
//Option 2
const resOption2 = [...url.searchParams.values()];
console.log(resOption1);
console.log(resOption2);
 
 
     
    
https://www.example.com?page=item1&item2&item3&item4&item5instead? Or something like that? query parameters needs a key.=character, then there would be another somewhat reasonable method of usingURLSearchParams.keys()to iterate through the keys to make an array. (continued)URLSearchParams.keys()would be a more robust solution that could be used to allow you to have multiple other parameters and/or avoid some issues with people hand editing in additional parameters, incorrectly.