URLEncodedFormEncoder.swift 41 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982
  1. //
  2. // URLEncodedFormEncoder.swift
  3. //
  4. // Copyright (c) 2019 Alamofire Software Foundation (http://alamofire.org/)
  5. //
  6. // Permission is hereby granted, free of charge, to any person obtaining a copy
  7. // of this software and associated documentation files (the "Software"), to deal
  8. // in the Software without restriction, including without limitation the rights
  9. // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  10. // copies of the Software, and to permit persons to whom the Software is
  11. // furnished to do so, subject to the following conditions:
  12. //
  13. // The above copyright notice and this permission notice shall be included in
  14. // all copies or substantial portions of the Software.
  15. //
  16. // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  17. // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  18. // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  19. // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  20. // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  21. // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
  22. // THE SOFTWARE.
  23. //
  24. import Foundation
  25. /// An object that encodes instances into URL-encoded query strings.
  26. ///
  27. /// There is no published specification for how to encode collection types. By default, the convention of appending
  28. /// `[]` to the key for array values (`foo[]=1&foo[]=2`), and appending the key surrounded by square brackets for
  29. /// nested dictionary values (`foo[bar]=baz`) is used. Optionally, `ArrayEncoding` can be used to omit the
  30. /// square brackets appended to array keys.
  31. ///
  32. /// `BoolEncoding` can be used to configure how `Bool` values are encoded. The default behavior is to encode
  33. /// `true` as 1 and `false` as 0.
  34. ///
  35. /// `DateEncoding` can be used to configure how `Date` values are encoded. By default, the `.deferredToDate`
  36. /// strategy is used, which formats dates from their structure.
  37. ///
  38. /// `SpaceEncoding` can be used to configure how spaces are encoded. Modern encodings use percent replacement (`%20`),
  39. /// while older encodings may expect spaces to be replaced with `+`.
  40. ///
  41. /// This type is largely based on Vapor's [`url-encoded-form`](https://github.com/vapor/url-encoded-form) project.
  42. public final class URLEncodedFormEncoder {
  43. /// Encoding to use for `Array` values.
  44. public enum ArrayEncoding {
  45. /// An empty set of square brackets ("[]") are appended to the key for every value. This is the default encoding.
  46. case brackets
  47. /// No brackets are appended to the key and the key is encoded as is.
  48. case noBrackets
  49. /// Brackets containing the item index are appended. This matches the jQuery and Node.js behavior.
  50. case indexInBrackets
  51. /// Encodes the key according to the encoding.
  52. ///
  53. /// - Parameters:
  54. /// - key: The `key` to encode.
  55. /// - index: When this enum instance is `.indexInBrackets`, the `index` to encode.
  56. ///
  57. /// - Returns: The encoded key.
  58. func encode(_ key: String, atIndex index: Int) -> String {
  59. switch self {
  60. case .brackets: return "\(key)[]"
  61. case .noBrackets: return key
  62. case .indexInBrackets: return "\(key)[\(index)]"
  63. }
  64. }
  65. }
  66. /// Encoding to use for `Bool` values.
  67. public enum BoolEncoding {
  68. /// Encodes `true` as `1`, `false` as `0`.
  69. case numeric
  70. /// Encodes `true` as "true", `false` as "false". This is the default encoding.
  71. case literal
  72. /// Encodes the given `Bool` as a `String`.
  73. ///
  74. /// - Parameter value: The `Bool` to encode.
  75. ///
  76. /// - Returns: The encoded `String`.
  77. func encode(_ value: Bool) -> String {
  78. switch self {
  79. case .numeric: return value ? "1" : "0"
  80. case .literal: return value ? "true" : "false"
  81. }
  82. }
  83. }
  84. /// Encoding to use for `Data` values.
  85. public enum DataEncoding {
  86. /// Defers encoding to the `Data` type.
  87. case deferredToData
  88. /// Encodes `Data` as a Base64-encoded string. This is the default encoding.
  89. case base64
  90. /// Encode the `Data` as a custom value encoded by the given closure.
  91. case custom((Data) throws -> String)
  92. /// Encodes `Data` according to the encoding.
  93. ///
  94. /// - Parameter data: The `Data` to encode.
  95. ///
  96. /// - Returns: The encoded `String`, or `nil` if the `Data` should be encoded according to its
  97. /// `Encodable` implementation.
  98. func encode(_ data: Data) throws -> String? {
  99. switch self {
  100. case .deferredToData: return nil
  101. case .base64: return data.base64EncodedString()
  102. case let .custom(encoding): return try encoding(data)
  103. }
  104. }
  105. }
  106. /// Encoding to use for `Date` values.
  107. public enum DateEncoding {
  108. /// ISO8601 and RFC3339 formatter.
  109. private static let iso8601Formatter: ISO8601DateFormatter = {
  110. let formatter = ISO8601DateFormatter()
  111. formatter.formatOptions = .withInternetDateTime
  112. return formatter
  113. }()
  114. /// Defers encoding to the `Date` type. This is the default encoding.
  115. case deferredToDate
  116. /// Encodes `Date`s as seconds since midnight UTC on January 1, 1970.
  117. case secondsSince1970
  118. /// Encodes `Date`s as milliseconds since midnight UTC on January 1, 1970.
  119. case millisecondsSince1970
  120. /// Encodes `Date`s according to the ISO8601 and RFC3339 standards.
  121. case iso8601
  122. /// Encodes `Date`s using the given `DateFormatter`.
  123. case formatted(DateFormatter)
  124. /// Encodes `Date`s using the given closure.
  125. case custom((Date) throws -> String)
  126. /// Encodes the date according to the encoding.
  127. ///
  128. /// - Parameter date: The `Date` to encode.
  129. ///
  130. /// - Returns: The encoded `String`, or `nil` if the `Date` should be encoded according to its
  131. /// `Encodable` implementation.
  132. func encode(_ date: Date) throws -> String? {
  133. switch self {
  134. case .deferredToDate:
  135. return nil
  136. case .secondsSince1970:
  137. return String(date.timeIntervalSince1970)
  138. case .millisecondsSince1970:
  139. return String(date.timeIntervalSince1970 * 1000.0)
  140. case .iso8601:
  141. return DateEncoding.iso8601Formatter.string(from: date)
  142. case let .formatted(formatter):
  143. return formatter.string(from: date)
  144. case let .custom(closure):
  145. return try closure(date)
  146. }
  147. }
  148. }
  149. /// Encoding to use for keys.
  150. ///
  151. /// This type is derived from [`JSONEncoder`'s `KeyEncodingStrategy`](https://github.com/apple/swift/blob/6aa313b8dd5f05135f7f878eccc1db6f9fbe34ff/stdlib/public/Darwin/Foundation/JSONEncoder.swift#L128)
  152. /// and [`XMLEncoder`s `KeyEncodingStrategy`](https://github.com/MaxDesiatov/XMLCoder/blob/master/Sources/XMLCoder/Encoder/XMLEncoder.swift#L102).
  153. public enum KeyEncoding {
  154. /// Use the keys specified by each type. This is the default encoding.
  155. case useDefaultKeys
  156. /// Convert from "camelCaseKeys" to "snake_case_keys" before writing a key.
  157. ///
  158. /// Capital characters are determined by testing membership in
  159. /// `CharacterSet.uppercaseLetters` and `CharacterSet.lowercaseLetters`
  160. /// (Unicode General Categories Lu and Lt).
  161. /// The conversion to lower case uses `Locale.system`, also known as
  162. /// the ICU "root" locale. This means the result is consistent
  163. /// regardless of the current user's locale and language preferences.
  164. ///
  165. /// Converting from camel case to snake case:
  166. /// 1. Splits words at the boundary of lower-case to upper-case
  167. /// 2. Inserts `_` between words
  168. /// 3. Lowercases the entire string
  169. /// 4. Preserves starting and ending `_`.
  170. ///
  171. /// For example, `oneTwoThree` becomes `one_two_three`. `_oneTwoThree_` becomes `_one_two_three_`.
  172. ///
  173. /// - Note: Using a key encoding strategy has a nominal performance cost, as each string key has to be converted.
  174. case convertToSnakeCase
  175. /// Same as convertToSnakeCase, but using `-` instead of `_`.
  176. /// For example `oneTwoThree` becomes `one-two-three`.
  177. case convertToKebabCase
  178. /// Capitalize the first letter only.
  179. /// For example `oneTwoThree` becomes `OneTwoThree`.
  180. case capitalized
  181. /// Uppercase all letters.
  182. /// For example `oneTwoThree` becomes `ONETWOTHREE`.
  183. case uppercased
  184. /// Lowercase all letters.
  185. /// For example `oneTwoThree` becomes `onetwothree`.
  186. case lowercased
  187. /// A custom encoding using the provided closure.
  188. case custom((String) -> String)
  189. func encode(_ key: String) -> String {
  190. switch self {
  191. case .useDefaultKeys: return key
  192. case .convertToSnakeCase: return convertToSnakeCase(key)
  193. case .convertToKebabCase: return convertToKebabCase(key)
  194. case .capitalized: return String(key.prefix(1).uppercased() + key.dropFirst())
  195. case .uppercased: return key.uppercased()
  196. case .lowercased: return key.lowercased()
  197. case let .custom(encoding): return encoding(key)
  198. }
  199. }
  200. private func convertToSnakeCase(_ key: String) -> String {
  201. convert(key, usingSeparator: "_")
  202. }
  203. private func convertToKebabCase(_ key: String) -> String {
  204. convert(key, usingSeparator: "-")
  205. }
  206. private func convert(_ key: String, usingSeparator separator: String) -> String {
  207. guard !key.isEmpty else { return key }
  208. var words: [Range<String.Index>] = []
  209. // The general idea of this algorithm is to split words on
  210. // transition from lower to upper case, then on transition of >1
  211. // upper case characters to lowercase
  212. //
  213. // myProperty -> my_property
  214. // myURLProperty -> my_url_property
  215. //
  216. // It is assumed, per Swift naming conventions, that the first character of the key is lowercase.
  217. var wordStart = key.startIndex
  218. var searchRange = key.index(after: wordStart)..<key.endIndex
  219. // Find next uppercase character
  220. while let upperCaseRange = key.rangeOfCharacter(from: CharacterSet.uppercaseLetters, options: [], range: searchRange) {
  221. let untilUpperCase = wordStart..<upperCaseRange.lowerBound
  222. words.append(untilUpperCase)
  223. // Find next lowercase character
  224. searchRange = upperCaseRange.lowerBound..<searchRange.upperBound
  225. guard let lowerCaseRange = key.rangeOfCharacter(from: CharacterSet.lowercaseLetters, options: [], range: searchRange) else {
  226. // There are no more lower case letters. Just end here.
  227. wordStart = searchRange.lowerBound
  228. break
  229. }
  230. // Is the next lowercase letter more than 1 after the uppercase?
  231. // If so, we encountered a group of uppercase letters that we
  232. // should treat as its own word
  233. let nextCharacterAfterCapital = key.index(after: upperCaseRange.lowerBound)
  234. if lowerCaseRange.lowerBound == nextCharacterAfterCapital {
  235. // The next character after capital is a lower case character and therefore not a word boundary.
  236. // Continue searching for the next upper case for the boundary.
  237. wordStart = upperCaseRange.lowerBound
  238. } else {
  239. // There was a range of >1 capital letters. Turn those into a word, stopping at the capital before the lower case character.
  240. let beforeLowerIndex = key.index(before: lowerCaseRange.lowerBound)
  241. words.append(upperCaseRange.lowerBound..<beforeLowerIndex)
  242. // Next word starts at the capital before the lowercase we just found
  243. wordStart = beforeLowerIndex
  244. }
  245. searchRange = lowerCaseRange.upperBound..<searchRange.upperBound
  246. }
  247. words.append(wordStart..<searchRange.upperBound)
  248. let result = words.map { range in
  249. key[range].lowercased()
  250. }.joined(separator: separator)
  251. return result
  252. }
  253. }
  254. /// Encoding to use for spaces.
  255. public enum SpaceEncoding {
  256. /// Encodes spaces according to normal percent escaping rules (%20).
  257. case percentEscaped
  258. /// Encodes spaces as `+`,
  259. case plusReplaced
  260. /// Encodes the string according to the encoding.
  261. ///
  262. /// - Parameter string: The `String` to encode.
  263. ///
  264. /// - Returns: The encoded `String`.
  265. func encode(_ string: String) -> String {
  266. switch self {
  267. case .percentEscaped: return string.replacingOccurrences(of: " ", with: "%20")
  268. case .plusReplaced: return string.replacingOccurrences(of: " ", with: "+")
  269. }
  270. }
  271. }
  272. /// `URLEncodedFormEncoder` error.
  273. public enum Error: Swift.Error {
  274. /// An invalid root object was created by the encoder. Only keyed values are valid.
  275. case invalidRootObject(String)
  276. var localizedDescription: String {
  277. switch self {
  278. case let .invalidRootObject(object):
  279. return "URLEncodedFormEncoder requires keyed root object. Received \(object) instead."
  280. }
  281. }
  282. }
  283. /// Whether or not to sort the encoded key value pairs.
  284. ///
  285. /// - Note: This setting ensures a consistent ordering for all encodings of the same parameters. When set to `false`,
  286. /// encoded `Dictionary` values may have a different encoded order each time they're encoded due to
  287. /// ` Dictionary`'s random storage order, but `Encodable` types will maintain their encoded order.
  288. public let alphabetizeKeyValuePairs: Bool
  289. /// The `ArrayEncoding` to use.
  290. public let arrayEncoding: ArrayEncoding
  291. /// The `BoolEncoding` to use.
  292. public let boolEncoding: BoolEncoding
  293. /// THe `DataEncoding` to use.
  294. public let dataEncoding: DataEncoding
  295. /// The `DateEncoding` to use.
  296. public let dateEncoding: DateEncoding
  297. /// The `KeyEncoding` to use.
  298. public let keyEncoding: KeyEncoding
  299. /// The `SpaceEncoding` to use.
  300. public let spaceEncoding: SpaceEncoding
  301. /// The `CharacterSet` of allowed (non-escaped) characters.
  302. public var allowedCharacters: CharacterSet
  303. /// Creates an instance from the supplied parameters.
  304. ///
  305. /// - Parameters:
  306. /// - alphabetizeKeyValuePairs: Whether or not to sort the encoded key value pairs. `true` by default.
  307. /// - arrayEncoding: The `ArrayEncoding` to use. `.brackets` by default.
  308. /// - boolEncoding: The `BoolEncoding` to use. `.numeric` by default.
  309. /// - dataEncoding: The `DataEncoding` to use. `.base64` by default.
  310. /// - dateEncoding: The `DateEncoding` to use. `.deferredToDate` by default.
  311. /// - keyEncoding: The `KeyEncoding` to use. `.useDefaultKeys` by default.
  312. /// - spaceEncoding: The `SpaceEncoding` to use. `.percentEscaped` by default.
  313. /// - allowedCharacters: The `CharacterSet` of allowed (non-escaped) characters. `.afURLQueryAllowed` by
  314. /// default.
  315. public init(alphabetizeKeyValuePairs: Bool = true,
  316. arrayEncoding: ArrayEncoding = .brackets,
  317. boolEncoding: BoolEncoding = .numeric,
  318. dataEncoding: DataEncoding = .base64,
  319. dateEncoding: DateEncoding = .deferredToDate,
  320. keyEncoding: KeyEncoding = .useDefaultKeys,
  321. spaceEncoding: SpaceEncoding = .percentEscaped,
  322. allowedCharacters: CharacterSet = .afURLQueryAllowed) {
  323. self.alphabetizeKeyValuePairs = alphabetizeKeyValuePairs
  324. self.arrayEncoding = arrayEncoding
  325. self.boolEncoding = boolEncoding
  326. self.dataEncoding = dataEncoding
  327. self.dateEncoding = dateEncoding
  328. self.keyEncoding = keyEncoding
  329. self.spaceEncoding = spaceEncoding
  330. self.allowedCharacters = allowedCharacters
  331. }
  332. func encode(_ value: Encodable) throws -> URLEncodedFormComponent {
  333. let context = URLEncodedFormContext(.object([]))
  334. let encoder = _URLEncodedFormEncoder(context: context,
  335. boolEncoding: boolEncoding,
  336. dataEncoding: dataEncoding,
  337. dateEncoding: dateEncoding)
  338. try value.encode(to: encoder)
  339. return context.component
  340. }
  341. /// Encodes the `value` as a URL form encoded `String`.
  342. ///
  343. /// - Parameter value: The `Encodable` value.`
  344. ///
  345. /// - Returns: The encoded `String`.
  346. /// - Throws: An `Error` or `EncodingError` instance if encoding fails.
  347. public func encode(_ value: Encodable) throws -> String {
  348. let component: URLEncodedFormComponent = try encode(value)
  349. guard case let .object(object) = component else {
  350. throw Error.invalidRootObject("\(component)")
  351. }
  352. let serializer = URLEncodedFormSerializer(alphabetizeKeyValuePairs: alphabetizeKeyValuePairs,
  353. arrayEncoding: arrayEncoding,
  354. keyEncoding: keyEncoding,
  355. spaceEncoding: spaceEncoding,
  356. allowedCharacters: allowedCharacters)
  357. let query = serializer.serialize(object)
  358. return query
  359. }
  360. /// Encodes the value as `Data`. This is performed by first creating an encoded `String` and then returning the
  361. /// `.utf8` data.
  362. ///
  363. /// - Parameter value: The `Encodable` value.
  364. ///
  365. /// - Returns: The encoded `Data`.
  366. ///
  367. /// - Throws: An `Error` or `EncodingError` instance if encoding fails.
  368. public func encode(_ value: Encodable) throws -> Data {
  369. let string: String = try encode(value)
  370. return Data(string.utf8)
  371. }
  372. }
  373. final class _URLEncodedFormEncoder {
  374. var codingPath: [CodingKey]
  375. // Returns an empty dictionary, as this encoder doesn't support userInfo.
  376. var userInfo: [CodingUserInfoKey: Any] { [:] }
  377. let context: URLEncodedFormContext
  378. private let boolEncoding: URLEncodedFormEncoder.BoolEncoding
  379. private let dataEncoding: URLEncodedFormEncoder.DataEncoding
  380. private let dateEncoding: URLEncodedFormEncoder.DateEncoding
  381. init(context: URLEncodedFormContext,
  382. codingPath: [CodingKey] = [],
  383. boolEncoding: URLEncodedFormEncoder.BoolEncoding,
  384. dataEncoding: URLEncodedFormEncoder.DataEncoding,
  385. dateEncoding: URLEncodedFormEncoder.DateEncoding) {
  386. self.context = context
  387. self.codingPath = codingPath
  388. self.boolEncoding = boolEncoding
  389. self.dataEncoding = dataEncoding
  390. self.dateEncoding = dateEncoding
  391. }
  392. }
  393. extension _URLEncodedFormEncoder: Encoder {
  394. func container<Key>(keyedBy type: Key.Type) -> KeyedEncodingContainer<Key> where Key: CodingKey {
  395. let container = _URLEncodedFormEncoder.KeyedContainer<Key>(context: context,
  396. codingPath: codingPath,
  397. boolEncoding: boolEncoding,
  398. dataEncoding: dataEncoding,
  399. dateEncoding: dateEncoding)
  400. return KeyedEncodingContainer(container)
  401. }
  402. func unkeyedContainer() -> UnkeyedEncodingContainer {
  403. _URLEncodedFormEncoder.UnkeyedContainer(context: context,
  404. codingPath: codingPath,
  405. boolEncoding: boolEncoding,
  406. dataEncoding: dataEncoding,
  407. dateEncoding: dateEncoding)
  408. }
  409. func singleValueContainer() -> SingleValueEncodingContainer {
  410. _URLEncodedFormEncoder.SingleValueContainer(context: context,
  411. codingPath: codingPath,
  412. boolEncoding: boolEncoding,
  413. dataEncoding: dataEncoding,
  414. dateEncoding: dateEncoding)
  415. }
  416. }
  417. final class URLEncodedFormContext {
  418. var component: URLEncodedFormComponent
  419. init(_ component: URLEncodedFormComponent) {
  420. self.component = component
  421. }
  422. }
  423. enum URLEncodedFormComponent {
  424. typealias Object = [(key: String, value: URLEncodedFormComponent)]
  425. case string(String)
  426. case array([URLEncodedFormComponent])
  427. case object(Object)
  428. /// Converts self to an `[URLEncodedFormData]` or returns `nil` if not convertible.
  429. var array: [URLEncodedFormComponent]? {
  430. switch self {
  431. case let .array(array): return array
  432. default: return nil
  433. }
  434. }
  435. /// Converts self to an `Object` or returns `nil` if not convertible.
  436. var object: Object? {
  437. switch self {
  438. case let .object(object): return object
  439. default: return nil
  440. }
  441. }
  442. /// Sets self to the supplied value at a given path.
  443. ///
  444. /// data.set(to: "hello", at: ["path", "to", "value"])
  445. ///
  446. /// - parameters:
  447. /// - value: Value of `Self` to set at the supplied path.
  448. /// - path: `CodingKey` path to update with the supplied value.
  449. public mutating func set(to value: URLEncodedFormComponent, at path: [CodingKey]) {
  450. set(&self, to: value, at: path)
  451. }
  452. /// Recursive backing method to `set(to:at:)`.
  453. private func set(_ context: inout URLEncodedFormComponent, to value: URLEncodedFormComponent, at path: [CodingKey]) {
  454. guard !path.isEmpty else {
  455. context = value
  456. return
  457. }
  458. let end = path[0]
  459. var child: URLEncodedFormComponent
  460. switch path.count {
  461. case 1:
  462. child = value
  463. case 2...:
  464. if let index = end.intValue {
  465. let array = context.array ?? []
  466. if array.count > index {
  467. child = array[index]
  468. } else {
  469. child = .array([])
  470. }
  471. set(&child, to: value, at: Array(path[1...]))
  472. } else {
  473. child = context.object?.first { $0.key == end.stringValue }?.value ?? .object(.init())
  474. set(&child, to: value, at: Array(path[1...]))
  475. }
  476. default: fatalError("Unreachable")
  477. }
  478. if let index = end.intValue {
  479. if var array = context.array {
  480. if array.count > index {
  481. array[index] = child
  482. } else {
  483. array.append(child)
  484. }
  485. context = .array(array)
  486. } else {
  487. context = .array([child])
  488. }
  489. } else {
  490. if var object = context.object {
  491. if let index = object.firstIndex(where: { $0.key == end.stringValue }) {
  492. object[index] = (key: end.stringValue, value: child)
  493. } else {
  494. object.append((key: end.stringValue, value: child))
  495. }
  496. context = .object(object)
  497. } else {
  498. context = .object([(key: end.stringValue, value: child)])
  499. }
  500. }
  501. }
  502. }
  503. struct AnyCodingKey: CodingKey, Hashable {
  504. let stringValue: String
  505. let intValue: Int?
  506. init?(stringValue: String) {
  507. self.stringValue = stringValue
  508. intValue = nil
  509. }
  510. init?(intValue: Int) {
  511. stringValue = "\(intValue)"
  512. self.intValue = intValue
  513. }
  514. init<Key>(_ base: Key) where Key: CodingKey {
  515. if let intValue = base.intValue {
  516. self.init(intValue: intValue)!
  517. } else {
  518. self.init(stringValue: base.stringValue)!
  519. }
  520. }
  521. }
  522. extension _URLEncodedFormEncoder {
  523. final class KeyedContainer<Key> where Key: CodingKey {
  524. var codingPath: [CodingKey]
  525. private let context: URLEncodedFormContext
  526. private let boolEncoding: URLEncodedFormEncoder.BoolEncoding
  527. private let dataEncoding: URLEncodedFormEncoder.DataEncoding
  528. private let dateEncoding: URLEncodedFormEncoder.DateEncoding
  529. init(context: URLEncodedFormContext,
  530. codingPath: [CodingKey],
  531. boolEncoding: URLEncodedFormEncoder.BoolEncoding,
  532. dataEncoding: URLEncodedFormEncoder.DataEncoding,
  533. dateEncoding: URLEncodedFormEncoder.DateEncoding) {
  534. self.context = context
  535. self.codingPath = codingPath
  536. self.boolEncoding = boolEncoding
  537. self.dataEncoding = dataEncoding
  538. self.dateEncoding = dateEncoding
  539. }
  540. private func nestedCodingPath(for key: CodingKey) -> [CodingKey] {
  541. codingPath + [key]
  542. }
  543. }
  544. }
  545. extension _URLEncodedFormEncoder.KeyedContainer: KeyedEncodingContainerProtocol {
  546. func encodeNil(forKey key: Key) throws {
  547. let context = EncodingError.Context(codingPath: codingPath,
  548. debugDescription: "URLEncodedFormEncoder cannot encode nil values.")
  549. throw EncodingError.invalidValue("\(key): nil", context)
  550. }
  551. func encode<T>(_ value: T, forKey key: Key) throws where T: Encodable {
  552. var container = nestedSingleValueEncoder(for: key)
  553. try container.encode(value)
  554. }
  555. func nestedSingleValueEncoder(for key: Key) -> SingleValueEncodingContainer {
  556. let container = _URLEncodedFormEncoder.SingleValueContainer(context: context,
  557. codingPath: nestedCodingPath(for: key),
  558. boolEncoding: boolEncoding,
  559. dataEncoding: dataEncoding,
  560. dateEncoding: dateEncoding)
  561. return container
  562. }
  563. func nestedUnkeyedContainer(forKey key: Key) -> UnkeyedEncodingContainer {
  564. let container = _URLEncodedFormEncoder.UnkeyedContainer(context: context,
  565. codingPath: nestedCodingPath(for: key),
  566. boolEncoding: boolEncoding,
  567. dataEncoding: dataEncoding,
  568. dateEncoding: dateEncoding)
  569. return container
  570. }
  571. func nestedContainer<NestedKey>(keyedBy keyType: NestedKey.Type, forKey key: Key) -> KeyedEncodingContainer<NestedKey> where NestedKey: CodingKey {
  572. let container = _URLEncodedFormEncoder.KeyedContainer<NestedKey>(context: context,
  573. codingPath: nestedCodingPath(for: key),
  574. boolEncoding: boolEncoding,
  575. dataEncoding: dataEncoding,
  576. dateEncoding: dateEncoding)
  577. return KeyedEncodingContainer(container)
  578. }
  579. func superEncoder() -> Encoder {
  580. _URLEncodedFormEncoder(context: context,
  581. codingPath: codingPath,
  582. boolEncoding: boolEncoding,
  583. dataEncoding: dataEncoding,
  584. dateEncoding: dateEncoding)
  585. }
  586. func superEncoder(forKey key: Key) -> Encoder {
  587. _URLEncodedFormEncoder(context: context,
  588. codingPath: nestedCodingPath(for: key),
  589. boolEncoding: boolEncoding,
  590. dataEncoding: dataEncoding,
  591. dateEncoding: dateEncoding)
  592. }
  593. }
  594. extension _URLEncodedFormEncoder {
  595. final class SingleValueContainer {
  596. var codingPath: [CodingKey]
  597. private var canEncodeNewValue = true
  598. private let context: URLEncodedFormContext
  599. private let boolEncoding: URLEncodedFormEncoder.BoolEncoding
  600. private let dataEncoding: URLEncodedFormEncoder.DataEncoding
  601. private let dateEncoding: URLEncodedFormEncoder.DateEncoding
  602. init(context: URLEncodedFormContext,
  603. codingPath: [CodingKey],
  604. boolEncoding: URLEncodedFormEncoder.BoolEncoding,
  605. dataEncoding: URLEncodedFormEncoder.DataEncoding,
  606. dateEncoding: URLEncodedFormEncoder.DateEncoding) {
  607. self.context = context
  608. self.codingPath = codingPath
  609. self.boolEncoding = boolEncoding
  610. self.dataEncoding = dataEncoding
  611. self.dateEncoding = dateEncoding
  612. }
  613. private func checkCanEncode(value: Any?) throws {
  614. guard canEncodeNewValue else {
  615. let context = EncodingError.Context(codingPath: codingPath,
  616. debugDescription: "Attempt to encode value through single value container when previously value already encoded.")
  617. throw EncodingError.invalidValue(value as Any, context)
  618. }
  619. }
  620. }
  621. }
  622. extension _URLEncodedFormEncoder.SingleValueContainer: SingleValueEncodingContainer {
  623. func encodeNil() throws {
  624. try checkCanEncode(value: nil)
  625. defer { canEncodeNewValue = false }
  626. let context = EncodingError.Context(codingPath: codingPath,
  627. debugDescription: "URLEncodedFormEncoder cannot encode nil values.")
  628. throw EncodingError.invalidValue("nil", context)
  629. }
  630. func encode(_ value: Bool) throws {
  631. try encode(value, as: String(boolEncoding.encode(value)))
  632. }
  633. func encode(_ value: String) throws {
  634. try encode(value, as: value)
  635. }
  636. func encode(_ value: Double) throws {
  637. try encode(value, as: String(value))
  638. }
  639. func encode(_ value: Float) throws {
  640. try encode(value, as: String(value))
  641. }
  642. func encode(_ value: Int) throws {
  643. try encode(value, as: String(value))
  644. }
  645. func encode(_ value: Int8) throws {
  646. try encode(value, as: String(value))
  647. }
  648. func encode(_ value: Int16) throws {
  649. try encode(value, as: String(value))
  650. }
  651. func encode(_ value: Int32) throws {
  652. try encode(value, as: String(value))
  653. }
  654. func encode(_ value: Int64) throws {
  655. try encode(value, as: String(value))
  656. }
  657. func encode(_ value: UInt) throws {
  658. try encode(value, as: String(value))
  659. }
  660. func encode(_ value: UInt8) throws {
  661. try encode(value, as: String(value))
  662. }
  663. func encode(_ value: UInt16) throws {
  664. try encode(value, as: String(value))
  665. }
  666. func encode(_ value: UInt32) throws {
  667. try encode(value, as: String(value))
  668. }
  669. func encode(_ value: UInt64) throws {
  670. try encode(value, as: String(value))
  671. }
  672. private func encode<T>(_ value: T, as string: String) throws where T: Encodable {
  673. try checkCanEncode(value: value)
  674. defer { canEncodeNewValue = false }
  675. context.component.set(to: .string(string), at: codingPath)
  676. }
  677. func encode<T>(_ value: T) throws where T: Encodable {
  678. switch value {
  679. case let date as Date:
  680. guard let string = try dateEncoding.encode(date) else {
  681. try attemptToEncode(value)
  682. return
  683. }
  684. try encode(value, as: string)
  685. case let data as Data:
  686. guard let string = try dataEncoding.encode(data) else {
  687. try attemptToEncode(value)
  688. return
  689. }
  690. try encode(value, as: string)
  691. case let decimal as Decimal:
  692. // Decimal's `Encodable` implementation returns an object, not a single value, so override it.
  693. try encode(value, as: String(describing: decimal))
  694. default:
  695. try attemptToEncode(value)
  696. }
  697. }
  698. private func attemptToEncode<T>(_ value: T) throws where T: Encodable {
  699. try checkCanEncode(value: value)
  700. defer { canEncodeNewValue = false }
  701. let encoder = _URLEncodedFormEncoder(context: context,
  702. codingPath: codingPath,
  703. boolEncoding: boolEncoding,
  704. dataEncoding: dataEncoding,
  705. dateEncoding: dateEncoding)
  706. try value.encode(to: encoder)
  707. }
  708. }
  709. extension _URLEncodedFormEncoder {
  710. final class UnkeyedContainer {
  711. var codingPath: [CodingKey]
  712. var count = 0
  713. var nestedCodingPath: [CodingKey] {
  714. codingPath + [AnyCodingKey(intValue: count)!]
  715. }
  716. private let context: URLEncodedFormContext
  717. private let boolEncoding: URLEncodedFormEncoder.BoolEncoding
  718. private let dataEncoding: URLEncodedFormEncoder.DataEncoding
  719. private let dateEncoding: URLEncodedFormEncoder.DateEncoding
  720. init(context: URLEncodedFormContext,
  721. codingPath: [CodingKey],
  722. boolEncoding: URLEncodedFormEncoder.BoolEncoding,
  723. dataEncoding: URLEncodedFormEncoder.DataEncoding,
  724. dateEncoding: URLEncodedFormEncoder.DateEncoding) {
  725. self.context = context
  726. self.codingPath = codingPath
  727. self.boolEncoding = boolEncoding
  728. self.dataEncoding = dataEncoding
  729. self.dateEncoding = dateEncoding
  730. }
  731. }
  732. }
  733. extension _URLEncodedFormEncoder.UnkeyedContainer: UnkeyedEncodingContainer {
  734. func encodeNil() throws {
  735. let context = EncodingError.Context(codingPath: codingPath,
  736. debugDescription: "URLEncodedFormEncoder cannot encode nil values.")
  737. throw EncodingError.invalidValue("nil", context)
  738. }
  739. func encode<T>(_ value: T) throws where T: Encodable {
  740. var container = nestedSingleValueContainer()
  741. try container.encode(value)
  742. }
  743. func nestedSingleValueContainer() -> SingleValueEncodingContainer {
  744. defer { count += 1 }
  745. return _URLEncodedFormEncoder.SingleValueContainer(context: context,
  746. codingPath: nestedCodingPath,
  747. boolEncoding: boolEncoding,
  748. dataEncoding: dataEncoding,
  749. dateEncoding: dateEncoding)
  750. }
  751. func nestedContainer<NestedKey>(keyedBy keyType: NestedKey.Type) -> KeyedEncodingContainer<NestedKey> where NestedKey: CodingKey {
  752. defer { count += 1 }
  753. let container = _URLEncodedFormEncoder.KeyedContainer<NestedKey>(context: context,
  754. codingPath: nestedCodingPath,
  755. boolEncoding: boolEncoding,
  756. dataEncoding: dataEncoding,
  757. dateEncoding: dateEncoding)
  758. return KeyedEncodingContainer(container)
  759. }
  760. func nestedUnkeyedContainer() -> UnkeyedEncodingContainer {
  761. defer { count += 1 }
  762. return _URLEncodedFormEncoder.UnkeyedContainer(context: context,
  763. codingPath: nestedCodingPath,
  764. boolEncoding: boolEncoding,
  765. dataEncoding: dataEncoding,
  766. dateEncoding: dateEncoding)
  767. }
  768. func superEncoder() -> Encoder {
  769. defer { count += 1 }
  770. return _URLEncodedFormEncoder(context: context,
  771. codingPath: codingPath,
  772. boolEncoding: boolEncoding,
  773. dataEncoding: dataEncoding,
  774. dateEncoding: dateEncoding)
  775. }
  776. }
  777. final class URLEncodedFormSerializer {
  778. private let alphabetizeKeyValuePairs: Bool
  779. private let arrayEncoding: URLEncodedFormEncoder.ArrayEncoding
  780. private let keyEncoding: URLEncodedFormEncoder.KeyEncoding
  781. private let spaceEncoding: URLEncodedFormEncoder.SpaceEncoding
  782. private let allowedCharacters: CharacterSet
  783. init(alphabetizeKeyValuePairs: Bool,
  784. arrayEncoding: URLEncodedFormEncoder.ArrayEncoding,
  785. keyEncoding: URLEncodedFormEncoder.KeyEncoding,
  786. spaceEncoding: URLEncodedFormEncoder.SpaceEncoding,
  787. allowedCharacters: CharacterSet) {
  788. self.alphabetizeKeyValuePairs = alphabetizeKeyValuePairs
  789. self.arrayEncoding = arrayEncoding
  790. self.keyEncoding = keyEncoding
  791. self.spaceEncoding = spaceEncoding
  792. self.allowedCharacters = allowedCharacters
  793. }
  794. func serialize(_ object: URLEncodedFormComponent.Object) -> String {
  795. var output: [String] = []
  796. for (key, component) in object {
  797. let value = serialize(component, forKey: key)
  798. output.append(value)
  799. }
  800. output = alphabetizeKeyValuePairs ? output.sorted() : output
  801. return output.joinedWithAmpersands()
  802. }
  803. func serialize(_ component: URLEncodedFormComponent, forKey key: String) -> String {
  804. switch component {
  805. case let .string(string): return "\(escape(keyEncoding.encode(key)))=\(escape(string))"
  806. case let .array(array): return serialize(array, forKey: key)
  807. case let .object(object): return serialize(object, forKey: key)
  808. }
  809. }
  810. func serialize(_ object: URLEncodedFormComponent.Object, forKey key: String) -> String {
  811. var segments: [String] = object.map { subKey, value in
  812. let keyPath = "[\(subKey)]"
  813. return serialize(value, forKey: key + keyPath)
  814. }
  815. segments = alphabetizeKeyValuePairs ? segments.sorted() : segments
  816. return segments.joinedWithAmpersands()
  817. }
  818. func serialize(_ array: [URLEncodedFormComponent], forKey key: String) -> String {
  819. var segments: [String] = array.enumerated().map { index, component in
  820. let keyPath = arrayEncoding.encode(key, atIndex: index)
  821. return serialize(component, forKey: keyPath)
  822. }
  823. segments = alphabetizeKeyValuePairs ? segments.sorted() : segments
  824. return segments.joinedWithAmpersands()
  825. }
  826. func escape(_ query: String) -> String {
  827. var allowedCharactersWithSpace = allowedCharacters
  828. allowedCharactersWithSpace.insert(charactersIn: " ")
  829. let escapedQuery = query.addingPercentEncoding(withAllowedCharacters: allowedCharactersWithSpace) ?? query
  830. let spaceEncodedQuery = spaceEncoding.encode(escapedQuery)
  831. return spaceEncodedQuery
  832. }
  833. }
  834. extension Array where Element == String {
  835. func joinedWithAmpersands() -> String {
  836. joined(separator: "&")
  837. }
  838. }
  839. extension CharacterSet {
  840. /// Creates a CharacterSet from RFC 3986 allowed characters.
  841. ///
  842. /// RFC 3986 states that the following characters are "reserved" characters.
  843. ///
  844. /// - General Delimiters: ":", "#", "[", "]", "@", "?", "/"
  845. /// - Sub-Delimiters: "!", "$", "&", "'", "(", ")", "*", "+", ",", ";", "="
  846. ///
  847. /// In RFC 3986 - Section 3.4, it states that the "?" and "/" characters should not be escaped to allow
  848. /// query strings to include a URL. Therefore, all "reserved" characters with the exception of "?" and "/"
  849. /// should be percent-escaped in the query string.
  850. public static let afURLQueryAllowed: CharacterSet = {
  851. let generalDelimitersToEncode = ":#[]@" // does not include "?" or "/" due to RFC 3986 - Section 3.4
  852. let subDelimitersToEncode = "!$&'()*+,;="
  853. let encodableDelimiters = CharacterSet(charactersIn: "\(generalDelimitersToEncode)\(subDelimitersToEncode)")
  854. return CharacterSet.urlQueryAllowed.subtracting(encodableDelimiters)
  855. }()
  856. }