다음과 같은 문자열이 있습니다.
abc=foo&def=%5Basf%5D&xyz=5
이와 같은 JavaScript 객체로 변환하려면 어떻게해야합니까?
{
abc: 'foo',
def: '[asf]',
xyz: 5
}
다음과 같은 문자열이 있습니다.
abc=foo&def=%5Basf%5D&xyz=5
이와 같은 JavaScript 객체로 변환하려면 어떻게해야합니까?
{
abc: 'foo',
def: '[asf]',
xyz: 5
}
답변:
이 편집은 주석을 기반으로 답변을 개선하고 설명합니다.
var search = location.search.substring(1);
JSON.parse('{"' + decodeURI(search).replace(/"/g, '\\"').replace(/&/g, '","').replace(/=/g,'":"') + '"}')
예
abc=foo&def=%5Basf%5D&xyz=5
5 단계로 구문 분석 하십시오.
abc=foo","def=[asf]","xyz=5
abc":"foo","def":"[asf]","xyz":"5
{"abc":"foo","def":"[asf]","xyz":"5"}
이것은 합법적 인 JSON입니다.
개선 솔루션은 검색 문자열에서 더 많은 문자 수 있습니다. URI 디코딩에 reviver 함수를 사용합니다.
var search = location.search.substring(1);
JSON.parse('{"' + search.replace(/&/g, '","').replace(/=/g,'":"') + '"}', function(key, value) { return key===""?value:decodeURIComponent(value) })
예
search = "abc=foo&def=%5Basf%5D&xyz=5&foo=b%3Dar";
준다
Object {abc: "foo", def: "[asf]", xyz: "5", foo: "b=ar"}
원 라이너 :
JSON.parse('{"' + decodeURI("abc=foo&def=%5Basf%5D&xyz=5".replace(/&/g, "\",\"").replace(/=/g,"\":\"")) + '"}')
JSON.parse('{"' + decodeURI(location.search.substring(1).replace(/&/g, "\",\"").replace(/=/g, "\":\"")) + '"}')
ES6 이상부터 Javascript는이 문제에 대한 성능 솔루션을 만들기 위해 여러 가지 구성을 제공합니다.
여기에는 URLSearchParams 및 반복자 사용이 포함됩니다.
let params = new URLSearchParams('abc=foo&def=%5Basf%5D&xyz=5');
params.get("abc"); // "foo"
사용 사례에서 실제로 객체로 변환해야하는 경우 다음 기능을 구현할 수 있습니다.
function paramsToObject(entries) {
let result = {}
for(let entry of entries) { // each 'entry' is a [key, value] tupple
const [key, value] = entry;
result[key] = value;
}
return result;
}
const urlParams = new URLSearchParams('abc=foo&def=%5Basf%5D&xyz=5');
const entries = urlParams.entries(); //returns an iterator of decoded [key,value] tuples
const params = paramsToObject(entries); //{abc:"foo",def:"[asf]",xyz:"5"}
우리는 사용할 수 Object.fromEntries를 대체 (4 단계에서 현재 인) paramsToObject
와 함께 Object.fromEntries(entries)
.
반복 할 값 쌍은 키가 이름이고 값이 값인 목록 이름-값 쌍입니다.
는 호출하는 대신 스프레드 연산자 를 사용하여 반복 가능한 객체를 URLParams
반환 하므로 스펙마다 항목을 생성합니다..entries
const urlParams = new URLSearchParams('abc=foo&def=%5Basf%5D&xyz=5');
const params = Object.fromEntries(urlParams); // {abc: "foo", def: "[asf]", xyz: "5"}
참고 : 모든 값은 URLSearchParams 사양에 따라 자동으로 문자열입니다
으로 @siipe는 지적, 여러 개의 동일한 키 값이 포함 된 문자열은 사용 가능한 마지막 값으로 강제됩니다 foo=first_value&foo=second_value
본질적으로 될 것이다 {foo: "second_value"}
.
이 답변에 따라 https://stackoverflow.com/a/1746566/1194694 그것으로 무엇을 해야할지 결정하는 데 대한 사양이 없으며 각 프레임 워크가 다르게 작동 할 수 있습니다.
일반적인 사용 사례는 두 개의 동일한 값을 배열로 결합하여 출력 객체를 다음과 같이 만드는 것입니다.
{foo: ["first_value", "second_value"]}
다음 코드를 사용하면됩니다.
const groupParamsByKey = (params) => [...params.entries()].reduce((acc, tuple) => {
// getting the key and value from each tuple
const [key, val] = tuple;
if(acc.hasOwnProperty(key)) {
// if the current key is already an array, we'll add the value to it
if(Array.isArray(acc[key])) {
acc[key] = [...acc[key], val]
} else {
// if it's not an array, but contains a value, we'll convert it into an array
// and add the current value to it
acc[key] = [acc[key], val];
}
} else {
// plain assignment if no special case is present
acc[key] = val;
}
return acc;
}, {});
const params = new URLSearchParams('abc=foo&def=%5Basf%5D&xyz=5&def=dude');
const output = groupParamsByKey(params) // {abc: "foo", def: ["[asf]", "dude"], xyz: 5}
search string
URL과는 상관없이 파서 (parser) 라고 주장 할 수도 있습니다. – URL과 관련이있는
Object.fromEntries
반복 키에는 작동하지 않습니다. 우리가 같은 ?foo=bar1&foo=bar2
일을 하려고한다면 우리 는 오직 얻을 것이다 { foo: 'bar2' }
. 예를 들어 Node.js 요청 객체는 다음과 같이 구문 분석합니다.{ foo: ['bar1', 'bar2'] }
let temp={};Object.keys(params).map(key=>{temp[key]=urlParams.getAll(key)})
ES6 하나의 라이너. 깨끗하고 간단합니다.
Object.fromEntries(new URLSearchParams(location.search));
구체적인 경우에는 다음과 같습니다.
console.log(
Object.fromEntries(new URLSearchParams('abc=foo&def=%5Basf%5D&xyz=5'))
);
"http://place.com?foo=bar&hello=%40world&showThing"
생산{ hello: "@world", http://place.com?foo: "bar", showThing: "" }
?someValue=false
됩니다{ someValue: "false" }
?foo=bar1&foo=bar2
일을 하려고한다면 우리 는 오직 얻을 것이다 { foo: 'bar2' }
. Node.js 요청 객체는 다음과 같이 구문 분석합니다.{ foo: ['bar1', 'bar2'] }
location.search
에서 &
이름 / 값 쌍을 얻으려면을 분할 한 다음에 각 쌍을 분할하십시오 =
. 예를 들면 다음과 같습니다.
var str = "abc=foo&def=%5Basf%5D&xy%5Bz=5"
var obj = str.split("&").reduce(function(prev, curr, i, arr) {
var p = curr.split("=");
prev[decodeURIComponent(p[0])] = decodeURIComponent(p[1]);
return prev;
}, {});
정규 표현식을 사용하는 또 다른 접근법 :
var obj = {};
str.replace(/([^=&]+)=([^&]*)/g, function(m, key, value) {
obj[decodeURIComponent(key)] = decodeURIComponent(value);
});
이것은 John Resig의 "Search and Do n't Replace"에서 수정되었습니다 .
지금까지 찾은 제안 된 솔루션은 더 복잡한 시나리오를 다루지 않습니다.
쿼리 문자열을 다음과 같이 변환해야했습니다.
https://random.url.com?Target=Offer&Method=findAll&filters%5Bhas_goals_enabled%5D%5BTRUE%5D=1&filters%5Bstatus%5D=active&fields%5B%5D=id&fields%5B%5D=name&fields%5B%5D=default_goal_name
다음과 같은 객체로 :
{
"Target": "Offer",
"Method": "findAll",
"fields": [
"id",
"name",
"default_goal_name"
],
"filters": {
"has_goals_enabled": {
"TRUE": "1"
},
"status": "active"
}
}
또는:
https://random.url.com?Target=Report&Method=getStats&fields%5B%5D=Offer.name&fields%5B%5D=Advertiser.company&fields%5B%5D=Stat.clicks&fields%5B%5D=Stat.conversions&fields%5B%5D=Stat.cpa&fields%5B%5D=Stat.payout&fields%5B%5D=Stat.date&fields%5B%5D=Stat.offer_id&fields%5B%5D=Affiliate.company&groups%5B%5D=Stat.offer_id&groups%5B%5D=Stat.date&filters%5BStat.affiliate_id%5D%5Bconditional%5D=EQUAL_TO&filters%5BStat.affiliate_id%5D%5Bvalues%5D=1831&limit=9999
으로:
{
"Target": "Report",
"Method": "getStats",
"fields": [
"Offer.name",
"Advertiser.company",
"Stat.clicks",
"Stat.conversions",
"Stat.cpa",
"Stat.payout",
"Stat.date",
"Stat.offer_id",
"Affiliate.company"
],
"groups": [
"Stat.offer_id",
"Stat.date"
],
"limit": "9999",
"filters": {
"Stat.affiliate_id": {
"conditional": "EQUAL_TO",
"values": "1831"
}
}
}
암호:
var getParamsAsObject = function (query) {
query = query.substring(query.indexOf('?') + 1);
var re = /([^&=]+)=?([^&]*)/g;
var decodeRE = /\+/g;
var decode = function (str) {
return decodeURIComponent(str.replace(decodeRE, " "));
};
var params = {}, e;
while (e = re.exec(query)) {
var k = decode(e[1]), v = decode(e[2]);
if (k.substring(k.length - 2) === '[]') {
k = k.substring(0, k.length - 2);
(params[k] || (params[k] = [])).push(v);
}
else params[k] = v;
}
var assign = function (obj, keyPath, value) {
var lastKeyIndex = keyPath.length - 1;
for (var i = 0; i < lastKeyIndex; ++i) {
var key = keyPath[i];
if (!(key in obj))
obj[key] = {}
obj = obj[key];
}
obj[keyPath[lastKeyIndex]] = value;
}
for (var prop in params) {
var structure = prop.split('[');
if (structure.length > 1) {
var levels = [];
structure.forEach(function (item, i) {
var key = item.replace(/[?[\]\\ ]/g, '');
levels.push(key);
});
assign(params, levels, params[prop]);
delete(params[prop]);
}
}
return params;
};
obj=encodeURIComponent(JSON.stringify({what:{ever:','},i:['like']}))
.
이것은 간단한 버전이므로 분명히 오류 검사를 추가하고 싶을 것입니다.
var obj = {};
var pairs = queryString.split('&');
for(i in pairs){
var split = pairs[i].split('=');
obj[decodeURIComponent(split[0])] = decodeURIComponent(split[1]);
}
JSON.parse('{"' + decodeURIComponent(query.replace(/"/g, '\\"').replace(/&/g, '","').replace(/=/g,'":"') + '"}'));
나를 위해 작동
name[]=test1&name[]=test2
않으며 결과name[]=test2
내가 발견 $ .String.deparam에게 가장 완벽한 사전 구축 솔루션을 (등 중첩 된 객체를 할 수 있습니다). 설명서를 확인하십시오 .
구체적인 경우 :
Object.fromEntries(new URLSearchParams('abc=foo&def=%5Basf%5D&xyz=5'));
쿼리 매개 변수를 개체로 구문 분석하려는보다 일반적인 경우 :
Object.fromEntries(new URLSearchParams(location.search));
Object.fromEntries를 사용할 수 없으면 다음과 같이 작동합니다.
Array.from(new URLSearchParams(window.location.search)).reduce((o, i) => ({ ...o, [i[0]]: i[1] }), {});
[...new URLSearchParams(window.location.search)].reduce((o, i) => ({ ...o, [i[0]]: i[1] }), {});
"http://place.com?foo=bar&hello=%40world&showThing
생산합니다 { hello: "@world", http://place.com?foo: "bar", showThing: "" }
. 추가 시도str.split("?").pop()
최신 표준 URLSearchParams ( https://developer.mozilla.org/en-US/docs/Web/API/URLSearchParams )를 기반으로하는 다른 솔루션
function getQueryParamsObject() {
const searchParams = new URLSearchParams(location.search.slice(1));
return searchParams
? _.fromPairs(Array.from(searchParams.entries()))
: {};
}
이 솔루션은
Array.from ( https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/from )
및 _.fromPairs ( https://lodash.com/docs#fromPairs ) 단순화를 위해 lodash의.
searchParams.entries () 반복자에 액세스 할 수 있으므로보다 호환 가능한 솔루션을 쉽게 작성할 수 있습니다 .
나는 같은 문제가 있었고 여기서 해결책을 시도했지만 URL 매개 변수에 다음과 같이 배열이 있었기 때문에 실제로 작동하지 않았습니다.
?param[]=5¶m[]=8&othr_param=abc¶m[]=string
그래서 URI에서 매개 변수로 배열을 만드는 자체 JS 함수를 작성했습니다.
/**
* Creates an object from URL encoded data
*/
var createObjFromURI = function() {
var uri = decodeURI(location.search.substr(1));
var chunks = uri.split('&');
var params = Object();
for (var i=0; i < chunks.length ; i++) {
var chunk = chunks[i].split('=');
if(chunk[0].search("\\[\\]") !== -1) {
if( typeof params[chunk[0]] === 'undefined' ) {
params[chunk[0]] = [chunk[1]];
} else {
params[chunk[0]].push(chunk[1]);
}
} else {
params[chunk[0]] = chunk[1];
}
}
return params;
}
if(chunk[0].search("\\[\\]") !== -1) {
그가되어chunk[0]=chunk[0].replace(/\[\]$/,'');
const
대신 사용 하면 코드가 엉망이됩니다. 당신이 사용하는 경우 누군가 가 오류를 만들면 상수 변수에 값을 할당 할 수 없습니다. var
createObjFromURI = 'some text'
const
createObjFromURI = 'some text'
ES6, URL API 및 URLSearchParams API 사용
function objectifyQueryString(url) {
let _url = new URL(url);
let _params = new URLSearchParams(_url.search);
let query = Array.from(_params.keys()).reduce((sum, value)=>{
return Object.assign({[value]: _params.get(value)}, sum);
}, {});
return query;
}
URLSearchParams
JavaScript 웹 API를 사용하면 매우 쉽습니다 .
var paramsString = "q=forum&topic=api";
//returns an iterator object
var searchParams = new URLSearchParams(paramsString);
//Usage
for (let p of searchParams) {
console.log(p);
}
//Get the query strings
console.log(searchParams.toString());
//You can also pass in objects
var paramsObject = {q:"forum",topic:"api"}
//returns an iterator object
var searchParams = new URLSearchParams(paramsObject);
//Usage
for (let p of searchParams) {
console.log(p);
}
//Get the query strings
console.log(searchParams.toString());
참고 : IE에서는 지원되지 않습니다
Node JS의 경우 Node JS API를 사용할 수 있습니다 querystring
.
const querystring = require('querystring');
querystring.parse('abc=foo&def=%5Basf%5D&xyz=5&foo=b%3Dar');
// returns the object
내가 아는 기본 솔루션이 없습니다. 해당 프레임 워크를 우연히 사용하는 경우 Dojo에는 내장 직렬화 해제 방법이 있습니다.
그렇지 않으면 간단하게 직접 구현할 수 있습니다.
function unserialize(str) {
str = decodeURIComponent(str);
var chunks = str.split('&'),
obj = {};
for(var c=0; c < chunks.length; c++) {
var split = chunks[c].split('=', 2);
obj[split[0]] = split[1];
}
return obj;
}
편집 : 추가 decodeURIComponent ()
테스트 된 YouAreI.js 라는 경량 라이브러리 가 있으며이를 매우 쉽게 만듭니다.
YouAreI = require('YouAreI')
uri = new YouAreI('http://user:pass@www.example.com:3000/a/b/c?d=dad&e=1&f=12.3#fragment');
uri.query_get() => { d: 'dad', e: '1', f: '12.3' }
URLSearchParam 인터페이스를 사용하여이를 수행하는 가장 간단한 방법 중 하나입니다.
아래는 작업 코드 스 니펫입니다.
let paramObj={},
querystring=window.location.search,
searchParams = new URLSearchParams(querystring);
//*** :loop to add key and values to the param object.
searchParams.forEach(function(value, key) {
paramObj[key] = value;
});
이것은 동일한 이름의 여러 매개 변수를 고려하므로 최상의 솔루션 인 것 같습니다.
function paramsToJSON(str) {
var pairs = str.split('&');
var result = {};
pairs.forEach(function(pair) {
pair = pair.split('=');
var name = pair[0]
var value = pair[1]
if( name.length )
if (result[name] !== undefined) {
if (!result[name].push) {
result[name] = [result[name]];
}
result[name].push(value || '');
} else {
result[name] = value || '';
}
});
return( result );
}
<a href="index.html?x=1&x=2&x=3&y=blah">something</a>
paramsToJSON("x=1&x=2&x=3&y=blah");
console yields => {x: Array[3], y: "blah"} where x is an array as is proper JSON
나중에 jQuery 플러그인으로 변환하기로 결정했습니다 ...
$.fn.serializeURLParams = function() {
var result = {};
if( !this.is("a") || this.attr("href").indexOf("?") == -1 )
return( result );
var pairs = this.attr("href").split("?")[1].split('&');
pairs.forEach(function(pair) {
pair = pair.split('=');
var name = decodeURI(pair[0])
var value = decodeURI(pair[1])
if( name.length )
if (result[name] !== undefined) {
if (!result[name].push) {
result[name] = [result[name]];
}
result[name].push(value || '');
} else {
result[name] = value || '';
}
});
return( result )
}
<a href="index.html?x=1&x=2&x=3&y=blah">something</a>
$("a").serializeURLParams();
console yields => {x: Array[3], y: "blah"} where x is an array as is proper JSON
이제 첫 번째 매개 변수 만 허용하지만 jQuery 플러그인은 전체 URL을 가져 와서 직렬화 된 매개 변수를 반환합니다.
내가 사용하는 것은 다음과 같습니다.
var params = {};
window.location.search.substring(1).split('&').forEach(function(pair) {
pair = pair.split('=');
if (pair[1] !== undefined) {
var key = decodeURIComponent(pair[0]),
val = decodeURIComponent(pair[1]),
val = val ? val.replace(/\++/g,' ').trim() : '';
if (key.length === 0) {
return;
}
if (params[key] === undefined) {
params[key] = val;
}
else {
if ("function" !== typeof params[key].push) {
params[key] = [params[key]];
}
params[key].push(val);
}
}
});
console.log(params);
기본 사용법 (예 :
?a=aa&b=bb
Object {a: "aa", b: "bb"}
예를 들어 중복 매개 변수
?a=aa&b=bb&c=cc&c=potato
Object {a: "aa", b: "bb", c: ["cc","potato"]}
누락 된 키 (예 :
?a=aa&b=bb&=cc
Object {a: "aa", b: "bb"}
결 측값 (예 :
?a=aa&b=bb&c
Object {a: "aa", b: "bb"}
위의 JSON / 정규식 솔루션은이 엉뚱한 URL에서 구문 오류를 발생시킵니다.
?a=aa&b=bb&c=&=dd&e
Object {a: "aa", b: "bb", c: ""}
여기에 빠르고 더러운 버전이 있습니다. 기본적으로 '&'로 구분 된 URL 매개 변수를 배열 요소로 분할 한 다음 '='로 구분 된 키 / 값 쌍을 객체에 추가하여 해당 배열을 반복합니다. encodeURIComponent ()를 사용하여 인코딩 된 문자를 해당하는 일반 문자열로 변환합니다 (따라서 % 20은 공백이되고 % 26은 '&'가됩니다) :
function deparam(paramStr) {
let paramArr = paramStr.split('&');
let paramObj = {};
paramArr.forEach(e=>{
let param = e.split('=');
paramObj[param[0]] = decodeURIComponent(param[1]);
});
return paramObj;
}
예:
deparam('abc=foo&def=%5Basf%5D&xyz=5')
보고
{
abc: "foo"
def:"[asf]"
xyz :"5"
}
유일한 문제는 xyz가 문자열이며 숫자가 아닌 (decodeURIComponent () 사용으로 인해) 그 이상이지만 나쁜 시작점이 아닙니다.
//under ES6
const getUrlParamAsObject = (url = window.location.href) => {
let searchParams = url.split('?')[1];
const result = {};
//in case the queryString is empty
if (searchParams!==undefined) {
const paramParts = searchParams.split('&');
for(let part of paramParts) {
let paramValuePair = part.split('=');
//exclude the case when the param has no value
if(paramValuePair.length===2) {
result[paramValuePair[0]] = decodeURIComponent(paramValuePair[1]);
}
}
}
return result;
}
Babel
의 도움으로 다른 환경에서도 잘 할 수 있습니다
phpjs 사용
function parse_str(str, array) {
// discuss at: http://phpjs.org/functions/parse_str/
// original by: Cagri Ekin
// improved by: Michael White (http://getsprink.com)
// improved by: Jack
// improved by: Brett Zamir (http://brett-zamir.me)
// bugfixed by: Onno Marsman
// bugfixed by: Brett Zamir (http://brett-zamir.me)
// bugfixed by: stag019
// bugfixed by: Brett Zamir (http://brett-zamir.me)
// bugfixed by: MIO_KODUKI (http://mio-koduki.blogspot.com/)
// reimplemented by: stag019
// input by: Dreamer
// input by: Zaide (http://zaidesthings.com/)
// input by: David Pesta (http://davidpesta.com/)
// input by: jeicquest
// note: When no argument is specified, will put variables in global scope.
// note: When a particular argument has been passed, and the returned value is different parse_str of PHP. For example, a=b=c&d====c
// test: skip
// example 1: var arr = {};
// example 1: parse_str('first=foo&second=bar', arr);
// example 1: $result = arr
// returns 1: { first: 'foo', second: 'bar' }
// example 2: var arr = {};
// example 2: parse_str('str_a=Jack+and+Jill+didn%27t+see+the+well.', arr);
// example 2: $result = arr
// returns 2: { str_a: "Jack and Jill didn't see the well." }
// example 3: var abc = {3:'a'};
// example 3: parse_str('abc[a][b]["c"]=def&abc[q]=t+5');
// returns 3: {"3":"a","a":{"b":{"c":"def"}},"q":"t 5"}
var strArr = String(str)
.replace(/^&/, '')
.replace(/&$/, '')
.split('&'),
sal = strArr.length,
i, j, ct, p, lastObj, obj, lastIter, undef, chr, tmp, key, value,
postLeftBracketPos, keys, keysLen,
fixStr = function(str) {
return decodeURIComponent(str.replace(/\+/g, '%20'));
};
if (!array) {
array = this.window;
}
for (i = 0; i < sal; i++) {
tmp = strArr[i].split('=');
key = fixStr(tmp[0]);
value = (tmp.length < 2) ? '' : fixStr(tmp[1]);
while (key.charAt(0) === ' ') {
key = key.slice(1);
}
if (key.indexOf('\x00') > -1) {
key = key.slice(0, key.indexOf('\x00'));
}
if (key && key.charAt(0) !== '[') {
keys = [];
postLeftBracketPos = 0;
for (j = 0; j < key.length; j++) {
if (key.charAt(j) === '[' && !postLeftBracketPos) {
postLeftBracketPos = j + 1;
} else if (key.charAt(j) === ']') {
if (postLeftBracketPos) {
if (!keys.length) {
keys.push(key.slice(0, postLeftBracketPos - 1));
}
keys.push(key.substr(postLeftBracketPos, j - postLeftBracketPos));
postLeftBracketPos = 0;
if (key.charAt(j + 1) !== '[') {
break;
}
}
}
}
if (!keys.length) {
keys = [key];
}
for (j = 0; j < keys[0].length; j++) {
chr = keys[0].charAt(j);
if (chr === ' ' || chr === '.' || chr === '[') {
keys[0] = keys[0].substr(0, j) + '_' + keys[0].substr(j + 1);
}
if (chr === '[') {
break;
}
}
obj = array;
for (j = 0, keysLen = keys.length; j < keysLen; j++) {
key = keys[j].replace(/^['"]/, '')
.replace(/['"]$/, '');
lastIter = j !== keys.length - 1;
lastObj = obj;
if ((key !== '' && key !== ' ') || j === 0) {
if (obj[key] === undef) {
obj[key] = {};
}
obj = obj[key];
} else { // To insert new dimension
ct = -1;
for (p in obj) {
if (obj.hasOwnProperty(p)) {
if (+p > ct && p.match(/^\d+$/g)) {
ct = +p;
}
}
}
key = ct + 1;
}
}
lastObj[key] = value;
}
}
}
위에 구축 마이크 원인이되는 사람의 대답은 내가 고려 동일한 키를 가진 여러 PARAMS (소요이 기능을했습니다 foo=bar&foo=baz
) 또한 쉼표로 구분 된 매개 변수를 ( foo=bar,baz,bin
). 또한 특정 쿼리 키를 검색 할 수 있습니다.
function getQueryParams(queryKey) {
var queryString = window.location.search;
var query = {};
var pairs = (queryString[0] === '?' ? queryString.substr(1) : queryString).split('&');
for (var i = 0; i < pairs.length; i++) {
var pair = pairs[i].split('=');
var key = decodeURIComponent(pair[0]);
var value = decodeURIComponent(pair[1] || '');
// Se possui uma vírgula no valor, converter em um array
value = (value.indexOf(',') === -1 ? value : value.split(','));
// Se a key já existe, tratar ela como um array
if (query[key]) {
if (query[key].constructor === Array) {
// Array.concat() faz merge se o valor inserido for um array
query[key] = query[key].concat(value);
} else {
// Se não for um array, criar um array contendo o valor anterior e o novo valor
query[key] = [query[key], value];
}
} else {
query[key] = value;
}
}
if (typeof queryKey === 'undefined') {
return query;
} else {
return query[queryKey];
}
}
입력 예 :
foo.html?foo=bar&foo=baz&foo=bez,boz,buz&bar=1,2,3
출력 예
{
foo: ["bar","baz","bez","boz","buz"],
bar: ["1","2","3"]
}
URI.js를 사용하는 경우 다음을 사용할 수 있습니다.
https://medialize.github.io/URI.js/docs.html#static-parseQuery
var result = URI.parseQuery("?foo=bar&hello=world&hello=mars&bam=&yup");
result === {
foo: "bar",
hello: ["world", "mars"],
bam: "",
yup: null
};
먼저 무엇을 얻을 수 있는지 정의해야합니다.
function getVar()
{
this.length = 0;
this.keys = [];
this.push = function(key, value)
{
if(key=="") key = this.length++;
this[key] = value;
this.keys.push(key);
return this[key];
}
}
방금 읽은 것보다 :
function urlElement()
{
var thisPrototype = window.location;
for(var prototypeI in thisPrototype) this[prototypeI] = thisPrototype[prototypeI];
this.Variables = new getVar();
if(!this.search) return this;
var variables = this.search.replace(/\?/g,'').split('&');
for(var varI=0; varI<variables.length; varI++)
{
var nameval = variables[varI].split('=');
var name = nameval[0].replace(/\]/g,'').split('[');
var pVariable = this.Variables;
for(var nameI=0;nameI<name.length;nameI++)
{
if(name.length-1==nameI) pVariable.push(name[nameI],nameval[1]);
else var pVariable = (typeof pVariable[name[nameI]] != 'object')? pVariable.push(name[nameI],new getVar()) : pVariable[name[nameI]];
}
}
}
다음과 같이 사용하십시오.
var mlocation = new urlElement();
mlocation = mlocation.Variables;
for(var key=0;key<mlocation.keys.length;key++)
{
console.log(key);
console.log(mlocation[mlocation.keys[key]];
}
또한 처리하는 데 필요한 +
(URL의 쿼리 부분에 decodeURIComponent하지 않습니다 내가되기 위해 볼프강의 코드를 적용) : 그래서,
var search = location.search.substring(1);
search = search?JSON.parse('{"' + search.replace(/\+/g, ' ').replace(/&/g, '","').replace(/=/g,'":"') + '"}',
function(key, value) { return key===""?value:decodeURIComponent(value)}):{};
필자의 경우 jQuery를 사용하여 URL 준비 양식 매개 변수를 가져 오고이 트릭을 사용하여 객체를 작성하고 객체에서 매개 변수를 쉽게 업데이트하고 쿼리 URL을 다시 작성할 수 있습니다.
var objForm = JSON.parse('{"' + $myForm.serialize().replace(/\+/g, ' ').replace(/&/g, '","').replace(/=/g,'":"') + '"}',
function(key, value) { return key===""?value:decodeURIComponent(value)});
objForm.anyParam += stringToAddToTheParam;
var serializedForm = $.param(objForm);
나는 이런 식으로합니다 :
const uri = new URL('https://example.org/?myvar1=longValue&myvar2=value')
const result = {}
for (let p of uri.searchParams) {
result[p[0]] = p[1]
}
재귀가 필요한 경우 작은 js-extension-ling 라이브러리를 사용할 수 있습니다 .
npm i js-extension-ling
const jsx = require("js-extension-ling");
console.log(jsx.queryStringToObject("a=1"));
console.log(jsx.queryStringToObject("a=1&a=3"));
console.log(jsx.queryStringToObject("a[]=1"));
console.log(jsx.queryStringToObject("a[]=1&a[]=pomme"));
console.log(jsx.queryStringToObject("a[0]=one&a[1]=five"));
console.log(jsx.queryStringToObject("http://blabla?foo=bar&number=1234"));
console.log(jsx.queryStringToObject("a[fruits][red][]=strawberry"));
console.log(jsx.queryStringToObject("a[fruits][red][]=strawberry&a[1]=five&a[fruits][red][]=cherry&a[fruits][yellow][]=lemon&a[fruits][yellow][688]=banana"));
이것은 다음과 같이 출력됩니다 :
{ a: '1' }
{ a: '3' }
{ a: { '0': '1' } }
{ a: { '0': '1', '1': 'pomme' } }
{ a: { '0': 'one', '1': 'five' } }
{ foo: 'bar', number: '1234' }
{
a: { fruits: { red: { '0': 'strawberry' } } }
}
{
a: {
'1': 'five',
fruits: {
red: { '0': 'strawberry', '1': 'cherry' },
yellow: { '0': 'lemon', '688': 'banana' }
}
}
}
참고 : locutus parse_str 함수 ( https://locutus.io/php/strings/parse_str/ )를 기반으로 합니다.