
Security News
Attackers Are Hunting High-Impact Node.js Maintainers in a Coordinated Social Engineering Campaign
Multiple high-impact npm maintainers confirm they have been targeted in the same social engineering campaign that compromised Axios.
A focused TypeScript library for parsing and stringifying URL query strings with predictable behavior, explicit typing controls, and practical defaults.
npm install qs-ts
💡 Consider using the native browser API
URLSearchParamsfor simple use cases.
import { parse } from 'qs-ts';
const result = parse('a=1&b=hello&c=true');
console.log(result);
// { a: '1', b: 'hello', c: 'true' } -> by default everything is a string
import { stringify } from 'qs-ts';
const query = stringify({ a: 1, b: 'hello', c: true });
console.log(query);
// 'a=1&b=hello&c=true'
const { parse, stringify } = require('qs-ts');
Parses a query string into an object.
| Option | Type | Default | Description |
|---|---|---|---|
decode | boolean | true | Decode percent-encoded characters. |
parseNumber | boolean | false | Parse numeric-looking values with Number(...); does not parse Infinity, NaN, or empty strings. |
parseBoolean | boolean | false | Parse only lowercase "true" / "false" to booleans. |
array | ParseArrayFormat | { format: "repeat" } | How arrays are represented in the query string. |
types | Record<string, ValueType> | undefined | Explicit per-key typing; takes priority over global parse flags. |
onTypeError | ValueTypeError | "keep" | Behavior when explicit types casting fails. |
Parse Options Definition:
type ParseOptions = {
decode?: boolean;
array?: ParseArrayFormat;
parseNumber?: boolean;
parseBoolean?: boolean;
types?: Record<string, ValueType>;
onTypeError?: ValueTypeError;
};
type ParseArrayFormat =
| { format: "repeat" }
| { format: "comma"; encoded: "preserve" | "split" };
array behavior for comma format:
⚠️ Comma separated arrays depend on delimiter consistency. If values may be URL encoded or come from external sources, repeat is safer and more predictable.
encoded: "preserve" splits on literal , only; %2C is treated as data.encoded: "split" splits on literal , and on %2C/%2c so results don’t depend on upstream encoding.type ValueType =
| "string"
| "number"
| "boolean"
| "string[]"
| "number[]";
type ValueTypeError = "keep" | "throw" | "drop";
onTypeError behavior with explicit types:
"keep": keep the invalid value (for arrays, keep the invalid item)."drop": remove the invalid value (for arrays, drop the invalid item)."throw": throw TypeError.parse('a=1&b=true&c=null', { parseNumber: true, parseBoolean: true });
// { a: 1, b: true, c: 'null' } (null literal not parsed unless typed)
parse('d=hello&e=001&f=12.5', { parseNumber: true });
// { d: 'hello', e: 1, f: 12.5 }
// Repeat (default)
parse('tags=a&tags=b');
// { tags: ['a', 'b'] }
// Comma (Preserve encoded commas)
parse('tags=a,b%2Cc', { array: { format: 'comma', encoded: 'preserve' } });
// { tags: ['a', 'b,c'] }
// Comma (Split encoded commas)
parse('tags=a,b%2Cc', { array: { format: 'comma', encoded: 'split' } });
// { tags: ['a', 'b', 'c'] }
Explicit types take priority over all global parse rules (array, parseNumber, parseBoolean) on a per-key basis.
If a key has an explicit scalar type (string, number, boolean), it is treated as scalar for that key (for repeated params, the last value wins before casting).
If a key has an explicit array type (string[], number[]), array behavior applies for that key.
If a key has no explicit type, global rules apply.
parse('count=5&flags=on&items=a&items=b', {
parseNumber: true,
parseBoolean: true,
types: { count: 'string', flags: 'boolean', items: 'string[]' }
});
// { count: '5', flags: true, items: ['a', 'b'] }
// count stays string because of explicit type, despite parseNumber: true
parse('q=hello%20world', { decode: true });
// { q: 'hello world' }
parse('q=hello%20world', { decode: false });
// { q: 'hello%20world' }
Serializes an object into a query string.
| Option | Type | Default | Description |
|---|---|---|---|
encode | boolean | true | Encode special characters. |
array | StringifyArrayFormat | { format: "repeat" } | How arrays are serialized. |
skipNull | boolean | false | Skip null values (or null array items). |
skipEmptyString | boolean | false | Skip empty-string values (or empty-string array items). |
Stringify Options Definition:
type StringifyOptions = {
encode?: boolean;
array?: StringifyArrayFormat;
skipNull?: boolean;
skipEmptyString?: boolean;
};
type StringifyArrayFormat =
| { format: "repeat" }
| { format: "comma" };
stringify({ a: 1, b: 'hello', c: true });
// 'a=1&b=hello&c=true'
// Repeat (default)
stringify({ tags: ['a', 'b', 'c'] });
// 'tags=a&tags=b&tags=c'
// Comma
stringify({ tags: ['a', 'b', 'c'] }, { array: { format: 'comma' } });
// 'tags=a,b,c'
stringify({ a: 1, b: null, c: '', d: undefined }, { skipNull: true, skipEmptyString: true });
// 'a=1'
stringify({ a: 1, b: null }, { skipNull: false });
// 'a=1&b'
stringify({ q: 'hello world' }, { encode: true });
// 'q=hello%20world'
stringify({ q: 'hello world' }, { encode: false });
// 'q=hello world'
Note: Nested objects are not supported. They are converted to their string representation.
const obj = {
user: 'john',
age: 30,
active: true,
tags: ['developer', 'typescript'],
metadata: {
created: '2025-01-01' // This nested object will become '[object Object]'
}
};
const query = stringify(obj, { array: { format: 'repeat' } });
console.log(query);
// 'user=john&age=30&active=true&tags=developer&tags=typescript&metadata=%5Bobject%20Object%5D'
// When parsing back, you might want numeric/boolean values restored:
const parsed = parse(query, {
parseNumber: true,
parseBoolean: true,
array: { format: 'repeat' }
});
console.log(parsed);
// { user: 'john', age: 30, active: true, tags: ['developer', 'typescript'], metadata: '[object Object]' }
// Parse from URL with repeat format (default)
const url2 = new URL('https://example.com/search?q=typescript&tags=web&tags=api&limit=10');
// Use explicit global parse flags as needed
const params2 = parse(url2.search.slice(1), { parseNumber: true, array: { format: 'repeat' } });
console.log(params2);
// { q: 'typescript', tags: ['web', 'api'], limit: 10 }
// Parse from URL with comma format
const url3 = new URL('https://example.com/search?q=typescript&tags=web,api&limit=10');
const params3 = parse(url3.search.slice(1), { parseNumber: true, array: { format: 'comma', encoded: 'preserve' } });
console.log(params3);
// { q: 'typescript', tags: ['web', 'api'], limit: 10 }
// Build URL
const baseUrl = 'https://example.com/search';
const queryString = stringify({ q: 'javascript', sort: 'recent' });
const fullUrl = `${baseUrl}?${queryString}`;
console.log(fullUrl);
// 'https://example.com/search?q=javascript&sort=recent'
bun run build
bun test
node verify.mjs
# or
bun verify.mjs
MIT - see LICENSE
FAQs
A TypeScript library to parse and stringify URL query strings.
We found that qs-ts demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Security News
Multiple high-impact npm maintainers confirm they have been targeted in the same social engineering campaign that compromised Axios.

Security News
Axios compromise traced to social engineering, showing how attacks on maintainers can bypass controls and expose the broader software supply chain.

Security News
Node.js has paused its bug bounty program after funding ended, removing payouts for vulnerability reports but keeping its security process unchanged.