A query string encoding and decoding library for Swift/ObjC. Ported from qs for JavaScript.
https://github.com/techouse/qs-swift.git
A fast, flexible query string encoding/decoding library for Swift and Objective-C.
Ported from qs for JavaScript.
foo[bar][baz]=qux ⇄ ["foo": ["bar": ["baz": "qux"]]]a.b=c) and optional dot-encoding (setting decodeDotInKeys automatically enables dot notation)utf8=✓)OrderedDictionary (swift-collections)// in your Package.swift
dependencies: [
.package(url: "https://github.com/techouse/qs-swift", from: "1.1.1")
],
targets: [
.target(
name: "YourApp",
dependencies: [
.product(name: "QsSwift", package: "qs-swift")
]
)
]
import QsSwift
// Decode
let decoded: [String: Any] = try Qs.decode("foo[bar]=baz&foo[list][]=a&foo[list][]=b")
// decoded == ["foo": ["bar": "baz", "list": ["a", "b"]]]
// Encode
let encoded: String = try Qs.encode(["foo": ["bar": "baz"]])
// encoded == "foo%5Bbar%5D=baz"
// Decode
let obj: [String: Any] = try Qs.decode("a=c")
// ["a": "c"]
// Encode
let qs: String = try Qs.encode(["a": "c"])
// "a=c"
try Qs.decode("foo[bar]=baz")
// ["foo": ["bar": "baz"]]
try Qs.decode("a%5Bb%5D=c")
// ["a": ["b": "c"]]
try Qs.decode("foo[bar][baz]=foobarbaz")
// ["foo": ["bar": ["baz": "foobarbaz"]]]
Beyond the configured depth, the remainder is kept literally:
let r = try Qs.decode("a[b][c][d][e][f][g][h][i]=j")
// r["a"]?["b"]?["c"]?["d"]?["e"]?["f"]?["[g][h][i]"] == "j"
Set strictDepth: true to throw instead of collapsing the remainder when the limit is exceeded.
Override depth:
let r = try Qs.decode("a[b][c][d][e][f][g][h][i]=j", options: .init(depth: 1))
// r["a"]?["b"]?["[c][d][e][f][g][h][i]"] == "j"
?try Qs.decode("a=b&c=d", options: .init(parameterLimit: 1))
// ["a": "b"]
try Qs.decode("?a=b&c=d", options: .init(ignoreQueryPrefix: true))
// ["a": "b", "c": "d"]
try Qs.decode("a=b;c=d", options: .init(delimiter: StringDelimiter(";")))
// ["a": "b", "c": "d"]
let delim = try RegexDelimiter("[;,]")
try Qs.decode("a=b;c=d", options: .init(delimiter: delim))
// ["a": "b", "c": "d"]
try Qs.decode("a.b=c", options: .init(allowDots: true))
// ["a": ["b": "c"]]
let r = try Qs.decode(
"name%252Eobj.first=John&name%252Eobj.last=Doe",
options: .init(decodeDotInKeys: true)
)
// ["name.obj": ["first": "John", "last": "Doe"]]
Note: decodeDotInKeys implies allowDots; you don’t need to set both.
try Qs.decode("foo[]&bar=baz", options: .init(allowEmptyLists: true))
// ["foo": [], "bar": "baz"]
try Qs.decode("foo=bar&foo=baz")
// ["foo": ["bar", "baz"]]
try Qs.decode("foo=bar&foo=baz", options: .init(duplicates: .first))
// ["foo": "bar"]
try Qs.decode("foo=bar&foo=baz", options: .init(duplicates: .last))
// ["foo": "baz"]
try Qs.decode("a=%A7", options: .init(charset: .isoLatin1))
// ["a": "§"]
try Qs.decode(
"utf8=%E2%9C%93&a=%C3%B8",
options: .init(charset: .isoLatin1, charsetSentinel: true)
)
// ["a": "ø"]
try Qs.decode(
"utf8=%26%2310003%3B&a=%F8",
options: .init(charset: .utf8, charsetSentinel: true)
)
// ["a": "ø"]
Ӓ)try Qs.decode(
"a=%26%239786%3B",
options: .init(charset: .isoLatin1, interpretNumericEntities: true)
)
// ["a": "☺"]
Heads-up: If you also enable comma: true, entity interpretation happens after comma processing. When you use list syntax like a[]=..., a comma-joined scalar stays a single element (e.g. ["1,☺"]) inside the list, matching the library’s tests and cross-port behavior.
try Qs.decode("a[]=b&a[]=c")
// ["a": ["b", "c"]]
try Qs.decode("a[1]=c&a[0]=b")
// ["a": ["b", "c"]]
try Qs.decode("a[1]=b&a[15]=c")
// ["a": ["b", "c"]]
try Qs.decode("a[]=&a[]=b")
// ["a": ["", "b"]]
Large indices become a map by default:
let r = try Qs.decode("a[100]=b")
// ["a": ["100": "b"]]
Disable list parsing:
let r = try Qs.decode("a[]=b", options: .init(parseLists: false))
// ["a": ["0": "b"]]
Mix notations:
let r = try Qs.decode("a[0]=b&a[b]=c")
// ["a": ["0": "b", "b": "c"]]
Comma-separated values:
let r = try Qs.decode("a=b,c", options: .init(comma: true))
// ["a": ["b", "c"]]
try Qs.encode(["a": "b"])
// "a=b"
try Qs.encode(["a": ["b": "c"]])
// "a%5Bb%5D=c"
Disable URI encoding for readability:
try Qs.encode(["a": ["b": "c"]], options: .init(encode: false))
// "a[b]=c"
Values-only encoding:
let input: [String: Any] = [
"a": "b",
"c": ["d", "e=f"],
"f": [["g"], ["h"]],
]
try Qs.encode(input, options: .init(encodeValuesOnly: true))
// "a=b&c[0]=d&c[1]=e%3Df&f[0][0]=g&f[1][0]=h"
Custom encoder:
let enc: ValueEncoder = { value, _, _ in
// e.g. map "č" → "c", otherwise describe
if let s = value as? String, s == "č" {
return "c"
}
return String(describing: value ?? "")
}
try Qs.encode(["a": ["b": "č"]], options: .init(encoder: enc))
// "a[b]=c"
// indices (default when encode=false)
try Qs.encode(["a": ["b", "c"]], options: .init(encode: false))
// "a[0]=b&a[1]=c"
// brackets
try Qs.encode(["a": ["b", "c"]], options: .init(listFormat: .brackets, encode: false))
// "a[]=b&a[]=c"
// repeat
try Qs.encode(["a": ["b", "c"]], options: .init(listFormat: .repeatKey, encode: false))
// "a=b&a=c"
// comma
try Qs.encode(["a": ["b", "c"]], options: .init(listFormat: .comma, encode: false))
// "a=b,c"
Note: When you select .comma, you can set commaRoundTrip = true to append [] for single‑element lists so they can decode back into arrays. Set commaCompactNulls = true to drop NSNull/nil entries before joining (e.g., ["one", NSNull(), nil, "two"] → one,two). If all entries are NSNull/nil, the key is omitted; if filtering leaves a single item and commaRoundTrip = true, [] is preserved.
try Qs.encode(["a": ["b": ["c": "d", "e": "f"]]], options: .init(encode: false))
// "a[b][c]=d&a[b][e]=f"
try Qs.encode(["a": ["b": ["c": "d", "e": "f"]]], options: .init(allowDots: true, encode: false))
// "a.b.c=d&a.b.e=f"
Encode dots in keys:
try Qs.encode(
["name.obj": ["first": "John", "last": "Doe"]],
options: .init(allowDots: true, encodeDotInKeys: true)
)
// "name%252Eobj.first=John&name%252Eobj.last=Doe"
Empty lists, nulls, and other niceties:
// Allow empty lists (order preserved with OrderedDictionary input)
try Qs.encode(["foo": [Any](), "bar": "baz"], options: .init(allowEmptyLists: true, encode: false))
// e.g. "foo[]&bar=baz"
try Qs.encode(["a": ""]) // "a="
try Qs.encode(["a": [Any]()]) // ""
try Qs.encode(["a": ["b": [Any]()]]) // ""
try Qs.encode(["a": NSNull(), "b": Undefined()]) // "a="
try Qs.encode(["a": "b", "c": "d"], options: .init(addQueryPrefix: true)) // "?a=b&c=d"
try Qs.encode(["a": "b", "c": "d"], options: .init(delimiter: ";")) // "a=b;c=d"
let date = Date(timeIntervalSince1970: 0.007) // 7 ms since epoch
// Default ISO-8601 with millisecond precision (encode=false example)
try Qs.encode(["a": date], options: .init(encode: false))
// "a=1970-01-01T00:00:00.007Z"
// Custom serializer (epoch millis)
try Qs.encode(
["a": date],
options: .init(
dateSerializer: { d in String(Int((d.timeIntervalSince1970 * 1000.0).rounded())) },
encode: false
)
)
// "a=7"
// Sort keys
let sort: Sorter = { a, b in
let la = String(describing: a ?? "")
let lb = String(describing: b ?? "")
return la.compare(lb).rawValue // -1/0/1
}
try Qs.encode(["a": "c", "z": "y", "b": "f"], options: .init(encode: false, sort: sort))
// "a=c&b=f&z=y"
// Function filter (drop/transform)
let date = Date(timeIntervalSince1970: 0.123) // 123 ms
let filter = FunctionFilter { prefix, value in
switch prefix {
case "b": return Undefined()
case "e[f]":
if let d = value as? Date {
return Int((d.timeIntervalSince1970 * 1000.0).rounded())
}
case "e[g][0]":
if let n = value as? NSNumber {
return n.intValue * 2
}
if let i = value as? Int {
return i * 2
}
default: break
}
return value
}
let input: [String: Any] = [
"a": "b",
"c": "d",
"e": ["f": date, "g": [2]],
]
try Qs.encode(input, options: .init(encode: false, filter: filter))
// "a=b&c=d&e[f]=123&e[g][0]=4"
// Iterable filter (whitelist keys/indices)
try Qs.encode(["a": "b", "c": "d", "e": "f"], options: .init(encode: false, filter: IterableFilter(["a", "e"])))
// "a=b&e=f"
try Qs.encode(["a": "b c"]) // "a=b%20c" (RFC 3986 default)
try Qs.encode(["a": "b c"], options: .init(format: .rfc3986)) // "a=b%20c"
try Qs.encode(["a": "b c"], options: .init(format: .rfc1738)) // "a=b+c"
nil, NSNull, and Undefined (null semantics)Query strings don’t have a native null concept, so Qs uses a few conventions to mirror “JSON-style” semantics as closely as possible:
NSNull() – use this to represent an explicit “null-like” value.Undefined() – a special sentinel provided by Qs to mean “omit this key entirely”."" (empty string) – a real, present-but-empty value.| Input value | Default (strictNullHandling: false) | With strictNullHandling: true | With skipNulls: true |
|---|---|---|---|
"foo" | a=foo | a=foo | a=foo |
"" (empty string) | a= | a= | a= |
NSNull() | a= | a (no = sign) | (omitted) |
Undefined() | (omitted) | (omitted) | (omitted) |
try Qs.encode(["a": NSNull()])
// "a="
try Qs.encode(["a": NSNull()], options: .init(strictNullHandling: true))
// "a" // bare key, no "="
try Qs.encode(["a": NSNull()], options: .init(skipNulls: true))
// "" // key omitted
try Qs.encode(["a": Undefined()])
// "" // always omitted, regardless of options
| Input token | Default (strictNullHandling: false) | With strictNullHandling: true |
|---|---|---|
a= | ["a": ""] | ["a": ""] |
a | ["a": ""] | ["a": NSNull()] |
try Qs.decode("a&b=")
// ["a": "", "b": ""]
try Qs.decode("a&b=", options: .init(strictNullHandling: true))
// ["a": NSNull(), "b": ""]
NSNull is the conventional stand-in for JSON null.NSNull() to mean a null-like value.
encode vs encodeIfPresent).
→ In Qs, use Undefined() to always omit a key from the output.
NSNull() on encode and strictNullHandling: true (so it renders as a bare key), andstrictNullHandling: true on decode (so bare keys come back as NSNull()).// Encode with a null-like value:
let out = try Qs.encode(["a": NSNull()], options: .init(strictNullHandling: true))
// "a"
// Decode back to NSNull:
let back = try Qs.decode(out, options: .init(strictNullHandling: true))
// ["a": NSNull()]
If you simply want to drop keys when a value is not present, prefer Undefined() (or skipNulls: true when values are
NSNull()), rather than encoding NSNull() itself.
Qs.decode(_:, options:) -> [String: Any]Qs.encode(_:, options:) -> StringDecodeOptions / EncodeOptions – configuration knobsDuplicates / ListFormat / Format – enums matching qs.js semanticsUndefined – sentinel used by filters to omit keysoptions.sort != nil, that comparator decides order.options.sort == nil and options.encode == false, key order follows input traversal (use OrderedDictionarydepth and parameterLimit reasonable for untrusted inputs (defaults are sane).allowEmptyLists, allowSparseLists, and parseLists let you tune behavior for edge cases.strictNullHandling to differentiate nil (no =) from empty string (=).A tiny micro‑bench harness lives in Bench/ (separate SPM package). It’s excluded from the main library.
cd Bench
make profile
An Objective‑C bridge is included as QsObjC (facade + delegate-style hooks).
See the QsObjC README for installation, options, and examples. → Docs
Experimental (Swift 6.0+)
On Linux, QsSwift uses ReerKit’s WeakMap
to emulate NSMapTable.weakToWeakObjects() (weak keys and weak
values) for the encoder’s cycle‑detection side‑channel. This works around CoreFoundation APIs that aren’t available in
swift‑corelibs‑foundation on Linux.
NSArray/NSDictionary graphs are wrapped in withKnownIssue becausecontinue-on-error while Linux behavior stabilizes.| Port | Repository | Package |
|---|---|---|
| Dart | techouse/qs | |
| Python | techouse/qscodec | |
| Kotlin / JVM + Android AAR | techouse/qs-kotlin | |
| .NET / C# | techouse/qs-net | |
| Node.js (original) | ljharb/qs |
BSD 3‑Clause © techouse