MultipartFormData.swift 25 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614
  1. //
  2. // MultipartFormData.swift
  3. //
  4. // Copyright (c) 2014-2016 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(OSX)
  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. public 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 boundaryText.data(using: String.Encoding.utf8, allowLossyConversion: false)!
  65. }
  66. }
  67. class BodyPart {
  68. let headers: [String: String]
  69. let bodyStream: InputStream
  70. let bodyContentLength: UInt64
  71. var hasInitialBoundary = false
  72. var hasFinalBoundary = false
  73. init(headers: [String: String], 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. public var contentType: String { return "multipart/form-data; boundary=\(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. private var bodyParts: [BodyPart]
  87. private var bodyPartError: NSError?
  88. private let streamBufferSize: Int
  89. // MARK: - Lifecycle
  90. /// Creates a multipart form data object.
  91. ///
  92. /// - returns: The multipart form data object.
  93. public init() {
  94. self.boundary = BoundaryGenerator.randomBoundary()
  95. self.bodyParts = []
  96. ///
  97. /// The optimal read/write buffer size in bytes for input and output streams is 1024 (1KB). For more
  98. /// information, please refer to the following article:
  99. /// - https://developer.apple.com/library/mac/documentation/Cocoa/Conceptual/Streams/Articles/ReadingInputStreams.html
  100. ///
  101. self.streamBufferSize = 1024
  102. }
  103. // MARK: - Body Parts
  104. /// Creates a body part from the data and appends it to the multipart form data object.
  105. ///
  106. /// The body part data will be encoded using the following format:
  107. ///
  108. /// - `Content-Disposition: form-data; name=#{name}` (HTTP Header)
  109. /// - Encoded data
  110. /// - Multipart form boundary
  111. ///
  112. /// - parameter data: The data to encode into the multipart form data.
  113. /// - parameter name: The name to associate with the data in the `Content-Disposition` HTTP header.
  114. public func append(_ data: Data, withName name: String) {
  115. let headers = contentHeaders(withName: name)
  116. let stream = InputStream(data: data)
  117. let length = UInt64(data.count)
  118. append(stream, withLength: length, headers: headers)
  119. }
  120. /// Creates a body part from the data and appends it to the multipart form data object.
  121. ///
  122. /// The body part data will be encoded using the following format:
  123. ///
  124. /// - `Content-Disposition: form-data; name=#{name}` (HTTP Header)
  125. /// - `Content-Type: #{generated mimeType}` (HTTP Header)
  126. /// - Encoded data
  127. /// - Multipart form boundary
  128. ///
  129. /// - parameter data: The data to encode into the multipart form data.
  130. /// - parameter name: The name to associate with the data in the `Content-Disposition` HTTP header.
  131. /// - parameter mimeType: The MIME type to associate with the data content type in the `Content-Type` HTTP header.
  132. public func append(_ data: Data, withName name: String, mimeType: String) {
  133. let headers = contentHeaders(withName: name, mimeType: mimeType)
  134. let stream = InputStream(data: data)
  135. let length = UInt64(data.count)
  136. append(stream, withLength: length, headers: headers)
  137. }
  138. /// Creates a body part from the data and appends it to the multipart form data object.
  139. ///
  140. /// The body part data will be encoded using the following format:
  141. ///
  142. /// - `Content-Disposition: form-data; name=#{name}; filename=#{filename}` (HTTP Header)
  143. /// - `Content-Type: #{mimeType}` (HTTP Header)
  144. /// - Encoded file data
  145. /// - Multipart form boundary
  146. ///
  147. /// - parameter data: The data to encode into the multipart form data.
  148. /// - parameter name: The name to associate with the data in the `Content-Disposition` HTTP header.
  149. /// - parameter fileName: The filename to associate with the data in the `Content-Disposition` HTTP header.
  150. /// - parameter mimeType: The MIME type to associate with the data in the `Content-Type` HTTP header.
  151. public func append(_ data: Data, withN name: String, fileName: String, mimeType: String) {
  152. let headers = contentHeaders(withName: name, fileName: fileName, mimeType: mimeType)
  153. let stream = InputStream(data: data)
  154. let length = UInt64(data.count)
  155. append(stream, withLength: length, headers: headers)
  156. }
  157. /// Creates a body part from the file and appends it to the multipart form data object.
  158. ///
  159. /// The body part data will be encoded using the following format:
  160. ///
  161. /// - `Content-Disposition: form-data; name=#{name}; filename=#{generated filename}` (HTTP Header)
  162. /// - `Content-Type: #{generated mimeType}` (HTTP Header)
  163. /// - Encoded file data
  164. /// - Multipart form boundary
  165. ///
  166. /// The filename in the `Content-Disposition` HTTP header is generated from the last path component of the
  167. /// `fileURL`. The `Content-Type` HTTP header MIME type is generated by mapping the `fileURL` extension to the
  168. /// system associated MIME type.
  169. ///
  170. /// - parameter fileURL: The URL of the file whose content will be encoded into the multipart form data.
  171. /// - parameter name: The name to associate with the file content in the `Content-Disposition` HTTP header.
  172. public func append(_ fileURL: URL, withName name: String) {
  173. let fileName = fileURL.lastPathComponent
  174. let pathExtension = fileURL.pathExtension
  175. if !fileName.isEmpty && !pathExtension.isEmpty {
  176. let mime = mimeType(forPathExtension: pathExtension)
  177. append(fileURL, withName: name, fileName: fileName, mimeType: mime)
  178. } else {
  179. let failureReason = "Failed to extract the fileName of the provided URL: \(fileURL)"
  180. setBodyPartError(withCode: NSURLErrorBadURL, failureReason: failureReason)
  181. }
  182. }
  183. /// Creates a body part from the file and appends it to the multipart form data object.
  184. ///
  185. /// The body part data will be encoded using the following format:
  186. ///
  187. /// - Content-Disposition: form-data; name=#{name}; filename=#{filename} (HTTP Header)
  188. /// - Content-Type: #{mimeType} (HTTP Header)
  189. /// - Encoded file data
  190. /// - Multipart form boundary
  191. ///
  192. /// - parameter fileURL: The URL of the file whose content will be encoded into the multipart form data.
  193. /// - parameter name: The name to associate with the file content in the `Content-Disposition` HTTP header.
  194. /// - parameter fileName: The filename to associate with the file content in the `Content-Disposition` HTTP header.
  195. /// - parameter mimeType: The MIME type to associate with the file content in the `Content-Type` HTTP header.
  196. public func append(_ fileURL: URL, withName name: String, fileName: String, mimeType: String) {
  197. let headers = contentHeaders(withName: name, fileName: fileName, mimeType: mimeType)
  198. //============================================================
  199. // Check 1 - is file URL?
  200. //============================================================
  201. guard fileURL.isFileURL else {
  202. let failureReason = "The file URL does not point to a file URL: \(fileURL)"
  203. setBodyPartError(withCode: NSURLErrorBadURL, failureReason: failureReason)
  204. return
  205. }
  206. //============================================================
  207. // Check 2 - is file URL reachable?
  208. //============================================================
  209. let isReachable = (fileURL as NSURL).checkPromisedItemIsReachableAndReturnError(nil)
  210. guard isReachable else {
  211. setBodyPartError(withCode: NSURLErrorBadURL, failureReason: "The file URL is not reachable: \(fileURL)")
  212. return
  213. }
  214. //============================================================
  215. // Check 3 - is file URL a directory?
  216. //============================================================
  217. var isDirectory: ObjCBool = false
  218. let path = fileURL.path
  219. guard FileManager.default.fileExists(atPath: path, isDirectory: &isDirectory) && !isDirectory.boolValue else
  220. {
  221. let failureReason = "The file URL is a directory, not a file: \(fileURL)"
  222. setBodyPartError(withCode: NSURLErrorBadURL, failureReason: failureReason)
  223. return
  224. }
  225. //============================================================
  226. // Check 4 - can the file size be extracted?
  227. //============================================================
  228. var bodyContentLength: UInt64?
  229. do {
  230. if let fileSize = try FileManager.default.attributesOfItem(atPath: path)[.size] as? NSNumber {
  231. bodyContentLength = fileSize.uint64Value
  232. }
  233. }
  234. catch {
  235. // No Op
  236. }
  237. guard let length = bodyContentLength else {
  238. let failureReason = "Could not fetch attributes from the file URL: \(fileURL)"
  239. setBodyPartError(withCode: NSURLErrorBadURL, failureReason: failureReason)
  240. return
  241. }
  242. //============================================================
  243. // Check 5 - can a stream be created from file URL?
  244. //============================================================
  245. guard let stream = InputStream(url: fileURL) else {
  246. let failureReason = "Failed to create an input stream from the file URL: \(fileURL)"
  247. setBodyPartError(withCode: NSURLErrorCannotOpenFile, failureReason: failureReason)
  248. return
  249. }
  250. append(stream, withLength: length, headers: headers)
  251. }
  252. /// Creates a body part from the stream and appends it to the multipart form data object.
  253. ///
  254. /// The body part data will be encoded using the following format:
  255. ///
  256. /// - `Content-Disposition: form-data; name=#{name}; filename=#{filename}` (HTTP Header)
  257. /// - `Content-Type: #{mimeType}` (HTTP Header)
  258. /// - Encoded stream data
  259. /// - Multipart form boundary
  260. ///
  261. /// - parameter stream: The input stream to encode in the multipart form data.
  262. /// - parameter length: The content length of the stream.
  263. /// - parameter name: The name to associate with the stream content in the `Content-Disposition` HTTP header.
  264. /// - parameter fileName: The filename to associate with the stream content in the `Content-Disposition` HTTP header.
  265. /// - parameter mimeType: The MIME type to associate with the stream content in the `Content-Type` HTTP header.
  266. public func append(
  267. _ stream: InputStream,
  268. withLength length: UInt64,
  269. name: String,
  270. fileName: String,
  271. mimeType: String)
  272. {
  273. let headers = contentHeaders(withName: name, fileName: fileName, mimeType: mimeType)
  274. append(stream, withLength: length, headers: headers)
  275. }
  276. /// Creates a body part with the headers, stream and length and appends it to the multipart form data object.
  277. ///
  278. /// The body part data will be encoded using the following format:
  279. ///
  280. /// - HTTP headers
  281. /// - Encoded stream data
  282. /// - Multipart form boundary
  283. ///
  284. /// - parameter stream: The input stream to encode in the multipart form data.
  285. /// - parameter length: The content length of the stream.
  286. /// - parameter headers: The HTTP headers for the body part.
  287. public func append(_ stream: InputStream, withLength length: UInt64, headers: [String: String]) {
  288. let bodyPart = BodyPart(headers: headers, bodyStream: stream, bodyContentLength: length)
  289. bodyParts.append(bodyPart)
  290. }
  291. // MARK: - Data Encoding
  292. /// Encodes all the appended body parts into a single `NSData` object.
  293. ///
  294. /// It is important to note that this method will load all the appended body parts into memory all at the same
  295. /// time. This method should only be used when the encoded data will have a small memory footprint. For large data
  296. /// cases, please use the `writeEncodedDataToDisk(fileURL:completionHandler:)` method.
  297. ///
  298. /// - throws: An `NSError` if encoding encounters an error.
  299. ///
  300. /// - returns: The encoded `Data` if encoding is successful.
  301. public func encode() throws -> Data {
  302. if let bodyPartError = bodyPartError {
  303. throw bodyPartError
  304. }
  305. var encoded = Data()
  306. bodyParts.first?.hasInitialBoundary = true
  307. bodyParts.last?.hasFinalBoundary = true
  308. for bodyPart in bodyParts {
  309. let encodedData = try encode(bodyPart)
  310. encoded.append(encodedData)
  311. }
  312. return encoded
  313. }
  314. /// Writes the appended body parts into the given file URL.
  315. ///
  316. /// This process is facilitated by reading and writing with input and output streams, respectively. Thus,
  317. /// this approach is very memory efficient and should be used for large body part data.
  318. ///
  319. /// - parameter fileURL: The file URL to write the multipart form data into.
  320. ///
  321. /// - throws: An `NSError` if encoding encounters an error.
  322. public func writeEncodedDataToDisk(_ fileURL: URL) throws {
  323. if let bodyPartError = bodyPartError {
  324. throw bodyPartError
  325. }
  326. if FileManager.default.fileExists(atPath: fileURL.path) {
  327. let failureReason = "A file already exists at the given file URL: \(fileURL)"
  328. throw NSError(domain: NSURLErrorDomain, code: NSURLErrorBadURL, failureReason: failureReason)
  329. } else if !fileURL.isFileURL {
  330. let failureReason = "The URL does not point to a valid file: \(fileURL)"
  331. throw NSError(domain: NSURLErrorDomain, code: NSURLErrorBadURL, failureReason: failureReason)
  332. }
  333. let outputStream: NSOutputStream
  334. if let possibleOutputStream = NSOutputStream(url: fileURL, append: false) {
  335. outputStream = possibleOutputStream
  336. } else {
  337. let failureReason = "Failed to create an output stream with the given URL: \(fileURL)"
  338. throw NSError(domain: NSURLErrorDomain, code: NSURLErrorCannotOpenFile, failureReason: failureReason)
  339. }
  340. outputStream.open()
  341. self.bodyParts.first?.hasInitialBoundary = true
  342. self.bodyParts.last?.hasFinalBoundary = true
  343. for bodyPart in self.bodyParts {
  344. try write(bodyPart, to: outputStream)
  345. }
  346. outputStream.close()
  347. }
  348. // MARK: - Private - Body Part Encoding
  349. private func encode(_ bodyPart: BodyPart) throws -> Data {
  350. var encoded = Data()
  351. let initialData = bodyPart.hasInitialBoundary ? initialBoundaryData() : encapsulatedBoundaryData()
  352. encoded.append(initialData)
  353. let headerData = encodeHeaders(for: bodyPart)
  354. encoded.append(headerData)
  355. let bodyStreamData = try encodeBodyStream(for: bodyPart)
  356. encoded.append(bodyStreamData)
  357. if bodyPart.hasFinalBoundary {
  358. encoded.append(finalBoundaryData())
  359. }
  360. return encoded as Data
  361. }
  362. private func encodeHeaders(for bodyPart: BodyPart) -> Data {
  363. var headerText = ""
  364. for (key, value) in bodyPart.headers {
  365. headerText += "\(key): \(value)\(EncodingCharacters.crlf)"
  366. }
  367. headerText += EncodingCharacters.crlf
  368. return headerText.data(using: String.Encoding.utf8, allowLossyConversion: false)!
  369. }
  370. private func encodeBodyStream(for bodyPart: BodyPart) throws -> Data {
  371. let inputStream = bodyPart.bodyStream
  372. inputStream.open()
  373. var error: Error?
  374. var encoded = Data()
  375. while inputStream.hasBytesAvailable {
  376. var buffer = [UInt8](repeating: 0, count: streamBufferSize)
  377. let bytesRead = inputStream.read(&buffer, maxLength: streamBufferSize)
  378. if inputStream.streamError != nil {
  379. error = inputStream.streamError
  380. break
  381. }
  382. if bytesRead > 0 {
  383. encoded.append(buffer, count: bytesRead)
  384. } else if bytesRead < 0 {
  385. let failureReason = "Failed to read from input stream: \(inputStream)"
  386. error = NSError(domain: NSURLErrorDomain, code: .inputStreamReadFailed, failureReason: failureReason)
  387. break
  388. } else {
  389. break
  390. }
  391. }
  392. inputStream.close()
  393. if let error = error {
  394. throw error
  395. }
  396. return encoded as Data
  397. }
  398. // MARK: - Private - Writing Body Part to Output Stream
  399. private func write(_ bodyPart: BodyPart, to outputStream: NSOutputStream) throws {
  400. try writeInitialBoundaryData(for: bodyPart, to: outputStream)
  401. try writeHeaderData(for: bodyPart, to: outputStream)
  402. try writeBodyStream(for: bodyPart, to: outputStream)
  403. try writeFinalBoundaryData(for: bodyPart, to: outputStream)
  404. }
  405. private func writeInitialBoundaryData(for bodyPart: BodyPart, to outputStream: NSOutputStream) throws {
  406. let initialData = bodyPart.hasInitialBoundary ? initialBoundaryData() : encapsulatedBoundaryData()
  407. return try write(initialData, to: outputStream)
  408. }
  409. private func writeHeaderData(for bodyPart: BodyPart, to outputStream: NSOutputStream) throws {
  410. let headerData = encodeHeaders(for: bodyPart)
  411. return try write(headerData, to: outputStream)
  412. }
  413. private func writeBodyStream(for bodyPart: BodyPart, to outputStream: NSOutputStream) throws {
  414. let inputStream = bodyPart.bodyStream
  415. inputStream.open()
  416. while inputStream.hasBytesAvailable {
  417. var buffer = [UInt8](repeating: 0, count: streamBufferSize)
  418. let bytesRead = inputStream.read(&buffer, maxLength: streamBufferSize)
  419. if let streamError = inputStream.streamError {
  420. throw streamError
  421. }
  422. if bytesRead > 0 {
  423. if buffer.count != bytesRead {
  424. buffer = Array(buffer[0..<bytesRead])
  425. }
  426. try write(&buffer, to: outputStream)
  427. } else if bytesRead < 0 {
  428. let failureReason = "Failed to read from input stream: \(inputStream)"
  429. throw NSError(domain: NSURLErrorDomain, code: .inputStreamReadFailed, failureReason: failureReason)
  430. } else {
  431. break
  432. }
  433. }
  434. inputStream.close()
  435. }
  436. private func writeFinalBoundaryData(for bodyPart: BodyPart, to outputStream: NSOutputStream) throws {
  437. if bodyPart.hasFinalBoundary {
  438. return try write(finalBoundaryData(), to: outputStream)
  439. }
  440. }
  441. // MARK: - Private - Writing Buffered Data to Output Stream
  442. private func write(_ data: Data, to outputStream: NSOutputStream) throws {
  443. var buffer = [UInt8](repeating: 0, count: data.count)
  444. (data as NSData).getBytes(&buffer, length: data.count)
  445. return try write(&buffer, to: outputStream)
  446. }
  447. private func write(_ buffer: inout [UInt8], to outputStream: NSOutputStream) throws {
  448. var bytesToWrite = buffer.count
  449. while bytesToWrite > 0 {
  450. if outputStream.hasSpaceAvailable {
  451. let bytesWritten = outputStream.write(buffer, maxLength: bytesToWrite)
  452. if let streamError = outputStream.streamError {
  453. throw streamError
  454. }
  455. if bytesWritten < 0 {
  456. let failureReason = "Failed to write to output stream: \(outputStream)"
  457. throw NSError(domain: NSURLErrorDomain, code: .outputStreamWriteFailed, failureReason: failureReason)
  458. }
  459. bytesToWrite -= bytesWritten
  460. if bytesToWrite > 0 {
  461. buffer = Array(buffer[bytesWritten..<buffer.count])
  462. }
  463. } else if let streamError = outputStream.streamError {
  464. throw streamError
  465. }
  466. }
  467. }
  468. // MARK: - Private - Mime Type
  469. private func mimeType(forPathExtension pathExtension: String) -> String {
  470. if
  471. let id = UTTypeCreatePreferredIdentifierForTag(kUTTagClassFilenameExtension, pathExtension, nil)?.takeRetainedValue(),
  472. let contentType = UTTypeCopyPreferredTagWithClass(id, kUTTagClassMIMEType)?.takeRetainedValue()
  473. {
  474. return contentType as String
  475. }
  476. return "application/octet-stream"
  477. }
  478. // MARK: - Private - Content Headers
  479. private func contentHeaders(withName name: String, fileName: String? = nil, mimeType: String? = nil) -> [String: String] {
  480. var disposition = "form-data; name=\"\(name)\""
  481. if let fileName = fileName { disposition += "; filename=\"\(fileName)\"" }
  482. var headers = ["Content-Disposition": disposition]
  483. if let mimeType = mimeType { headers["Content-Type"] = mimeType }
  484. return headers
  485. }
  486. // MARK: - Private - Boundary Encoding
  487. private func initialBoundaryData() -> Data {
  488. return BoundaryGenerator.boundaryData(forBoundaryType: .initial, boundary: boundary)
  489. }
  490. private func encapsulatedBoundaryData() -> Data {
  491. return BoundaryGenerator.boundaryData(forBoundaryType: .encapsulated, boundary: boundary)
  492. }
  493. private func finalBoundaryData() -> Data {
  494. return BoundaryGenerator.boundaryData(forBoundaryType: .final, boundary: boundary)
  495. }
  496. // MARK: - Private - Errors
  497. private func setBodyPartError(withCode code: Int, failureReason: String) {
  498. guard bodyPartError == nil else { return }
  499. bodyPartError = NSError(domain: NSURLErrorDomain, code: code, failureReason: failureReason)
  500. }
  501. }