MultipartFormData.swift 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542
  1. //
  2. // MultipartFormData.swift
  3. //
  4. // Copyright (c) 2014-2018 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. #if os(iOS) || os(watchOS) || os(tvOS)
  26. import MobileCoreServices
  27. #elseif os(macOS)
  28. import CoreServices
  29. #endif
  30. /// Constructs `multipart/form-data` for uploads within an HTTP or HTTPS body. There are currently two ways to encode
  31. /// multipart form data. The first way is to encode the data directly in memory. This is very efficient, but can lead
  32. /// to memory issues if the dataset is too large. The second way is designed for larger datasets and will write all the
  33. /// data to a single file on disk with all the proper boundary segmentation. The second approach MUST be used for
  34. /// larger datasets such as video content, otherwise your app may run out of memory when trying to encode the dataset.
  35. ///
  36. /// For more information on `multipart/form-data` in general, please refer to the RFC-2388 and RFC-2045 specs as well
  37. /// and the w3 form documentation.
  38. ///
  39. /// - https://www.ietf.org/rfc/rfc2388.txt
  40. /// - https://www.ietf.org/rfc/rfc2045.txt
  41. /// - https://www.w3.org/TR/html401/interact/forms.html#h-17.13
  42. open class MultipartFormData {
  43. // MARK: - Helper Types
  44. struct EncodingCharacters {
  45. static let crlf = "\r\n"
  46. }
  47. struct BoundaryGenerator {
  48. enum BoundaryType {
  49. case initial, encapsulated, final
  50. }
  51. static func randomBoundary() -> String {
  52. return String(format: "alamofire.boundary.%08x%08x", arc4random(), arc4random())
  53. }
  54. static func boundaryData(forBoundaryType boundaryType: BoundaryType, boundary: String) -> Data {
  55. let boundaryText: String
  56. switch boundaryType {
  57. case .initial:
  58. boundaryText = "--\(boundary)\(EncodingCharacters.crlf)"
  59. case .encapsulated:
  60. boundaryText = "\(EncodingCharacters.crlf)--\(boundary)\(EncodingCharacters.crlf)"
  61. case .final:
  62. boundaryText = "\(EncodingCharacters.crlf)--\(boundary)--\(EncodingCharacters.crlf)"
  63. }
  64. return Data(boundaryText.utf8)
  65. }
  66. }
  67. class BodyPart {
  68. let headers: HTTPHeaders
  69. let bodyStream: InputStream
  70. let bodyContentLength: UInt64
  71. var hasInitialBoundary = false
  72. var hasFinalBoundary = false
  73. init(headers: HTTPHeaders, bodyStream: InputStream, bodyContentLength: UInt64) {
  74. self.headers = headers
  75. self.bodyStream = bodyStream
  76. self.bodyContentLength = bodyContentLength
  77. }
  78. }
  79. // MARK: - Properties
  80. /// The `Content-Type` header value containing the boundary used to generate the `multipart/form-data`.
  81. open lazy var contentType: String = "multipart/form-data; boundary=\(self.boundary)"
  82. /// The content length of all body parts used to generate the `multipart/form-data` not including the boundaries.
  83. public var contentLength: UInt64 { return bodyParts.reduce(0) { $0 + $1.bodyContentLength } }
  84. /// The boundary used to separate the body parts in the encoded form data.
  85. public let boundary: String
  86. let fileManager: FileManager
  87. private var bodyParts: [BodyPart]
  88. private var bodyPartError: AFError?
  89. private let streamBufferSize: Int
  90. // MARK: - Lifecycle
  91. /// Creates a multipart form data object.
  92. ///
  93. /// - returns: The multipart form data object.
  94. public init(fileManager: FileManager = .default, boundary: String? = nil) {
  95. self.fileManager = fileManager
  96. self.boundary = boundary ?? BoundaryGenerator.randomBoundary()
  97. self.bodyParts = []
  98. ///
  99. /// The optimal read/write buffer size in bytes for input and output streams is 1024 (1KB). For more
  100. /// information, please refer to the following article:
  101. /// - https://developer.apple.com/library/mac/documentation/Cocoa/Conceptual/Streams/Articles/ReadingInputStreams.html
  102. ///
  103. self.streamBufferSize = 1024
  104. }
  105. // MARK: - Body Parts
  106. /// Creates a body part from the data and appends it to the multipart form data object.
  107. ///
  108. /// The body part data will be encoded using the following format:
  109. ///
  110. /// - `Content-Disposition: form-data; name=#{name}; filename=#{filename}` (HTTP Header)
  111. /// - `Content-Type: #{mimeType}` (HTTP Header)
  112. /// - Encoded file data
  113. /// - Multipart form boundary
  114. ///
  115. /// - parameter data: The data to encode into the multipart form data.
  116. /// - parameter name: The name to associate with the data in the `Content-Disposition` HTTP header.
  117. /// - parameter fileName: The filename to associate with the data in the `Content-Disposition` HTTP header.
  118. /// - parameter mimeType: The MIME type to associate with the data in the `Content-Type` HTTP header.
  119. public func append(_ data: Data, withName name: String, fileName: String? = nil, mimeType: String? = nil) {
  120. let headers = contentHeaders(withName: name, fileName: fileName, mimeType: mimeType)
  121. let stream = InputStream(data: data)
  122. let length = UInt64(data.count)
  123. append(stream, withLength: length, headers: headers)
  124. }
  125. /// Creates a body part from the file and appends it to the multipart form data object.
  126. ///
  127. /// The body part data will be encoded using the following format:
  128. ///
  129. /// - `Content-Disposition: form-data; name=#{name}; filename=#{generated filename}` (HTTP Header)
  130. /// - `Content-Type: #{generated mimeType}` (HTTP Header)
  131. /// - Encoded file data
  132. /// - Multipart form boundary
  133. ///
  134. /// The filename in the `Content-Disposition` HTTP header is generated from the last path component of the
  135. /// `fileURL`. The `Content-Type` HTTP header MIME type is generated by mapping the `fileURL` extension to the
  136. /// system associated MIME type.
  137. ///
  138. /// - parameter fileURL: The URL of the file whose content will be encoded into the multipart form data.
  139. /// - parameter name: The name to associate with the file content in the `Content-Disposition` HTTP header.
  140. public func append(_ fileURL: URL, withName name: String) {
  141. let fileName = fileURL.lastPathComponent
  142. let pathExtension = fileURL.pathExtension
  143. if !fileName.isEmpty && !pathExtension.isEmpty {
  144. let mime = mimeType(forPathExtension: pathExtension)
  145. append(fileURL, withName: name, fileName: fileName, mimeType: mime)
  146. } else {
  147. setBodyPartError(withReason: .bodyPartFilenameInvalid(in: fileURL))
  148. }
  149. }
  150. /// Creates a body part from the file and appends it to the multipart form data object.
  151. ///
  152. /// The body part data will be encoded using the following format:
  153. ///
  154. /// - Content-Disposition: form-data; name=#{name}; filename=#{filename} (HTTP Header)
  155. /// - Content-Type: #{mimeType} (HTTP Header)
  156. /// - Encoded file data
  157. /// - Multipart form boundary
  158. ///
  159. /// - parameter fileURL: The URL of the file whose content will be encoded into the multipart form data.
  160. /// - parameter name: The name to associate with the file content in the `Content-Disposition` HTTP header.
  161. /// - parameter fileName: The filename to associate with the file content in the `Content-Disposition` HTTP header.
  162. /// - parameter mimeType: The MIME type to associate with the file content in the `Content-Type` HTTP header.
  163. public func append(_ fileURL: URL, withName name: String, fileName: String, mimeType: String) {
  164. let headers = contentHeaders(withName: name, fileName: fileName, mimeType: mimeType)
  165. //============================================================
  166. // Check 1 - is file URL?
  167. //============================================================
  168. guard fileURL.isFileURL else {
  169. setBodyPartError(withReason: .bodyPartURLInvalid(url: fileURL))
  170. return
  171. }
  172. //============================================================
  173. // Check 2 - is file URL reachable?
  174. //============================================================
  175. do {
  176. let isReachable = try fileURL.checkPromisedItemIsReachable()
  177. guard isReachable else {
  178. setBodyPartError(withReason: .bodyPartFileNotReachable(at: fileURL))
  179. return
  180. }
  181. } catch {
  182. setBodyPartError(withReason: .bodyPartFileNotReachableWithError(atURL: fileURL, error: error))
  183. return
  184. }
  185. //============================================================
  186. // Check 3 - is file URL a directory?
  187. //============================================================
  188. var isDirectory: ObjCBool = false
  189. let path = fileURL.path
  190. guard fileManager.fileExists(atPath: path, isDirectory: &isDirectory) && !isDirectory.boolValue else {
  191. setBodyPartError(withReason: .bodyPartFileIsDirectory(at: fileURL))
  192. return
  193. }
  194. //============================================================
  195. // Check 4 - can the file size be extracted?
  196. //============================================================
  197. let bodyContentLength: UInt64
  198. do {
  199. guard let fileSize = try fileManager.attributesOfItem(atPath: path)[.size] as? NSNumber else {
  200. setBodyPartError(withReason: .bodyPartFileSizeNotAvailable(at: fileURL))
  201. return
  202. }
  203. bodyContentLength = fileSize.uint64Value
  204. }
  205. catch {
  206. setBodyPartError(withReason: .bodyPartFileSizeQueryFailedWithError(forURL: fileURL, error: error))
  207. return
  208. }
  209. //============================================================
  210. // Check 5 - can a stream be created from file URL?
  211. //============================================================
  212. guard let stream = InputStream(url: fileURL) else {
  213. setBodyPartError(withReason: .bodyPartInputStreamCreationFailed(for: fileURL))
  214. return
  215. }
  216. append(stream, withLength: bodyContentLength, headers: headers)
  217. }
  218. /// Creates a body part from the stream and appends it to the multipart form data object.
  219. ///
  220. /// The body part data will be encoded using the following format:
  221. ///
  222. /// - `Content-Disposition: form-data; name=#{name}; filename=#{filename}` (HTTP Header)
  223. /// - `Content-Type: #{mimeType}` (HTTP Header)
  224. /// - Encoded stream data
  225. /// - Multipart form boundary
  226. ///
  227. /// - parameter stream: The input stream to encode in the multipart form data.
  228. /// - parameter length: The content length of the stream.
  229. /// - parameter name: The name to associate with the stream content in the `Content-Disposition` HTTP header.
  230. /// - parameter fileName: The filename to associate with the stream content in the `Content-Disposition` HTTP header.
  231. /// - parameter mimeType: The MIME type to associate with the stream content in the `Content-Type` HTTP header.
  232. public func append(
  233. _ stream: InputStream,
  234. withLength length: UInt64,
  235. name: String,
  236. fileName: String,
  237. mimeType: String)
  238. {
  239. let headers = contentHeaders(withName: name, fileName: fileName, mimeType: mimeType)
  240. append(stream, withLength: length, headers: headers)
  241. }
  242. /// Creates a body part with the headers, stream and length and appends it to the multipart form data object.
  243. ///
  244. /// The body part data will be encoded using the following format:
  245. ///
  246. /// - HTTP headers
  247. /// - Encoded stream data
  248. /// - Multipart form boundary
  249. ///
  250. /// - parameter stream: The input stream to encode in the multipart form data.
  251. /// - parameter length: The content length of the stream.
  252. /// - parameter headers: The HTTP headers for the body part.
  253. public func append(_ stream: InputStream, withLength length: UInt64, headers: HTTPHeaders) {
  254. let bodyPart = BodyPart(headers: headers, bodyStream: stream, bodyContentLength: length)
  255. bodyParts.append(bodyPart)
  256. }
  257. // MARK: - Data Encoding
  258. /// Encodes all the appended body parts into a single `Data` value.
  259. ///
  260. /// It is important to note that this method will load all the appended body parts into memory all at the same
  261. /// time. This method should only be used when the encoded data will have a small memory footprint. For large data
  262. /// cases, please use the `writeEncodedData(to:))` method.
  263. ///
  264. /// - throws: An `AFError` if encoding encounters an error.
  265. ///
  266. /// - returns: The encoded `Data` if encoding is successful.
  267. public func encode() throws -> Data {
  268. if let bodyPartError = bodyPartError {
  269. throw bodyPartError
  270. }
  271. var encoded = Data()
  272. bodyParts.first?.hasInitialBoundary = true
  273. bodyParts.last?.hasFinalBoundary = true
  274. for bodyPart in bodyParts {
  275. let encodedData = try encode(bodyPart)
  276. encoded.append(encodedData)
  277. }
  278. return encoded
  279. }
  280. /// Writes the appended body parts into the given file URL.
  281. ///
  282. /// This process is facilitated by reading and writing with input and output streams, respectively. Thus,
  283. /// this approach is very memory efficient and should be used for large body part data.
  284. ///
  285. /// - parameter fileURL: The file URL to write the multipart form data into.
  286. ///
  287. /// - throws: An `AFError` if encoding encounters an error.
  288. public func writeEncodedData(to fileURL: URL) throws {
  289. if let bodyPartError = bodyPartError {
  290. throw bodyPartError
  291. }
  292. if fileManager.fileExists(atPath: fileURL.path) {
  293. throw AFError.multipartEncodingFailed(reason: .outputStreamFileAlreadyExists(at: fileURL))
  294. } else if !fileURL.isFileURL {
  295. throw AFError.multipartEncodingFailed(reason: .outputStreamURLInvalid(url: fileURL))
  296. }
  297. guard let outputStream = OutputStream(url: fileURL, append: false) else {
  298. throw AFError.multipartEncodingFailed(reason: .outputStreamCreationFailed(for: fileURL))
  299. }
  300. outputStream.open()
  301. defer { outputStream.close() }
  302. self.bodyParts.first?.hasInitialBoundary = true
  303. self.bodyParts.last?.hasFinalBoundary = true
  304. for bodyPart in self.bodyParts {
  305. try write(bodyPart, to: outputStream)
  306. }
  307. }
  308. // MARK: - Private - Body Part Encoding
  309. private func encode(_ bodyPart: BodyPart) throws -> Data {
  310. var encoded = Data()
  311. let initialData = bodyPart.hasInitialBoundary ? initialBoundaryData() : encapsulatedBoundaryData()
  312. encoded.append(initialData)
  313. let headerData = encodeHeaders(for: bodyPart)
  314. encoded.append(headerData)
  315. let bodyStreamData = try encodeBodyStream(for: bodyPart)
  316. encoded.append(bodyStreamData)
  317. if bodyPart.hasFinalBoundary {
  318. encoded.append(finalBoundaryData())
  319. }
  320. return encoded
  321. }
  322. private func encodeHeaders(for bodyPart: BodyPart) -> Data {
  323. let headerText = bodyPart.headers.map { "\($0.name): \($0.value)\(EncodingCharacters.crlf)" }
  324. .joined()
  325. + EncodingCharacters.crlf
  326. return Data(headerText.utf8)
  327. }
  328. private func encodeBodyStream(for bodyPart: BodyPart) throws -> Data {
  329. let inputStream = bodyPart.bodyStream
  330. inputStream.open()
  331. defer { inputStream.close() }
  332. var encoded = Data()
  333. while inputStream.hasBytesAvailable {
  334. var buffer = [UInt8](repeating: 0, count: streamBufferSize)
  335. let bytesRead = inputStream.read(&buffer, maxLength: streamBufferSize)
  336. if let error = inputStream.streamError {
  337. throw AFError.multipartEncodingFailed(reason: .inputStreamReadFailed(error: error))
  338. }
  339. if bytesRead > 0 {
  340. encoded.append(buffer, count: bytesRead)
  341. } else {
  342. break
  343. }
  344. }
  345. return encoded
  346. }
  347. // MARK: - Private - Writing Body Part to Output Stream
  348. private func write(_ bodyPart: BodyPart, to outputStream: OutputStream) throws {
  349. try writeInitialBoundaryData(for: bodyPart, to: outputStream)
  350. try writeHeaderData(for: bodyPart, to: outputStream)
  351. try writeBodyStream(for: bodyPart, to: outputStream)
  352. try writeFinalBoundaryData(for: bodyPart, to: outputStream)
  353. }
  354. private func writeInitialBoundaryData(for bodyPart: BodyPart, to outputStream: OutputStream) throws {
  355. let initialData = bodyPart.hasInitialBoundary ? initialBoundaryData() : encapsulatedBoundaryData()
  356. return try write(initialData, to: outputStream)
  357. }
  358. private func writeHeaderData(for bodyPart: BodyPart, to outputStream: OutputStream) throws {
  359. let headerData = encodeHeaders(for: bodyPart)
  360. return try write(headerData, to: outputStream)
  361. }
  362. private func writeBodyStream(for bodyPart: BodyPart, to outputStream: OutputStream) throws {
  363. let inputStream = bodyPart.bodyStream
  364. inputStream.open()
  365. defer { inputStream.close() }
  366. while inputStream.hasBytesAvailable {
  367. var buffer = [UInt8](repeating: 0, count: streamBufferSize)
  368. let bytesRead = inputStream.read(&buffer, maxLength: streamBufferSize)
  369. if let streamError = inputStream.streamError {
  370. throw AFError.multipartEncodingFailed(reason: .inputStreamReadFailed(error: streamError))
  371. }
  372. if bytesRead > 0 {
  373. if buffer.count != bytesRead {
  374. buffer = Array(buffer[0..<bytesRead])
  375. }
  376. try write(&buffer, to: outputStream)
  377. } else {
  378. break
  379. }
  380. }
  381. }
  382. private func writeFinalBoundaryData(for bodyPart: BodyPart, to outputStream: OutputStream) throws {
  383. if bodyPart.hasFinalBoundary {
  384. return try write(finalBoundaryData(), to: outputStream)
  385. }
  386. }
  387. // MARK: - Private - Writing Buffered Data to Output Stream
  388. private func write(_ data: Data, to outputStream: OutputStream) throws {
  389. var buffer = [UInt8](repeating: 0, count: data.count)
  390. data.copyBytes(to: &buffer, count: data.count)
  391. return try write(&buffer, to: outputStream)
  392. }
  393. private func write(_ buffer: inout [UInt8], to outputStream: OutputStream) throws {
  394. var bytesToWrite = buffer.count
  395. while bytesToWrite > 0, outputStream.hasSpaceAvailable {
  396. let bytesWritten = outputStream.write(buffer, maxLength: bytesToWrite)
  397. if let error = outputStream.streamError {
  398. throw AFError.multipartEncodingFailed(reason: .outputStreamWriteFailed(error: error))
  399. }
  400. bytesToWrite -= bytesWritten
  401. if bytesToWrite > 0 {
  402. buffer = Array(buffer[bytesWritten..<buffer.count])
  403. }
  404. }
  405. }
  406. // MARK: - Private - Mime Type
  407. private func mimeType(forPathExtension pathExtension: String) -> String {
  408. if
  409. let id = UTTypeCreatePreferredIdentifierForTag(kUTTagClassFilenameExtension, pathExtension as CFString, nil)?.takeRetainedValue(),
  410. let contentType = UTTypeCopyPreferredTagWithClass(id, kUTTagClassMIMEType)?.takeRetainedValue()
  411. {
  412. return contentType as String
  413. }
  414. return "application/octet-stream"
  415. }
  416. // MARK: - Private - Content Headers
  417. private func contentHeaders(withName name: String, fileName: String? = nil, mimeType: String? = nil) -> HTTPHeaders {
  418. var disposition = "form-data; name=\"\(name)\""
  419. if let fileName = fileName { disposition += "; filename=\"\(fileName)\"" }
  420. var headers: HTTPHeaders = [.contentDisposition(disposition)]
  421. if let mimeType = mimeType { headers.add(.contentType(mimeType)) }
  422. return headers
  423. }
  424. // MARK: - Private - Boundary Encoding
  425. private func initialBoundaryData() -> Data {
  426. return BoundaryGenerator.boundaryData(forBoundaryType: .initial, boundary: boundary)
  427. }
  428. private func encapsulatedBoundaryData() -> Data {
  429. return BoundaryGenerator.boundaryData(forBoundaryType: .encapsulated, boundary: boundary)
  430. }
  431. private func finalBoundaryData() -> Data {
  432. return BoundaryGenerator.boundaryData(forBoundaryType: .final, boundary: boundary)
  433. }
  434. // MARK: - Private - Errors
  435. private func setBodyPartError(withReason reason: AFError.MultipartEncodingFailureReason) {
  436. guard bodyPartError == nil else { return }
  437. bodyPartError = AFError.multipartEncodingFailed(reason: reason)
  438. }
  439. }