hank
2017-06-06 e395b54eb89ecf58dc5adaf9acd363696a1b2f83
commit | author | age
6e1425 1 // AFURLConnectionOperation.h
H 2 // Copyright (c) 2011–2015 Alamofire Software Foundation (http://alamofire.org/)
3 //
4 // Permission is hereby granted, free of charge, to any person obtaining a copy
5 // of this software and associated documentation files (the "Software"), to deal
6 // in the Software without restriction, including without limitation the rights
7 // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
8 // copies of the Software, and to permit persons to whom the Software is
9 // furnished to do so, subject to the following conditions:
10 //
11 // The above copyright notice and this permission notice shall be included in
12 // all copies or substantial portions of the Software.
13 //
14 // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
15 // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
16 // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
17 // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
18 // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
19 // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
20 // THE SOFTWARE.
21
22 #import <Foundation/Foundation.h>
23
24 #import <Availability.h>
25 #import "AFURLRequestSerialization.h"
26 #import "AFURLResponseSerialization.h"
27 #import "AFSecurityPolicy.h"
28
29 #ifndef NS_DESIGNATED_INITIALIZER
30 #if __has_attribute(objc_designated_initializer)
31 #define NS_DESIGNATED_INITIALIZER __attribute__((objc_designated_initializer))
32 #else
33 #define NS_DESIGNATED_INITIALIZER
34 #endif
35 #endif
36
37 /**
38  `AFURLConnectionOperation` is a subclass of `NSOperation` that implements `NSURLConnection` delegate methods.
39
40  ## Subclassing Notes
41
42  This is the base class of all network request operations. You may wish to create your own subclass in order to implement additional `NSURLConnection` delegate methods (see "`NSURLConnection` Delegate Methods" below), or to provide additional properties and/or class constructors.
43
44  If you are creating a subclass that communicates over the HTTP or HTTPS protocols, you may want to consider subclassing `AFHTTPRequestOperation` instead, as it supports specifying acceptable content types or status codes.
45
46  ## NSURLConnection Delegate Methods
47
48  `AFURLConnectionOperation` implements the following `NSURLConnection` delegate methods:
49
50  - `connection:didReceiveResponse:`
51  - `connection:didReceiveData:`
52  - `connectionDidFinishLoading:`
53  - `connection:didFailWithError:`
54  - `connection:didSendBodyData:totalBytesWritten:totalBytesExpectedToWrite:`
55  - `connection:willCacheResponse:`
56  - `connectionShouldUseCredentialStorage:`
57  - `connection:needNewBodyStream:`
58  - `connection:willSendRequestForAuthenticationChallenge:`
59
60  If any of these methods are overridden in a subclass, they _must_ call the `super` implementation first.
61
62  ## Callbacks and Completion Blocks
63
64  The built-in `completionBlock` provided by `NSOperation` allows for custom behavior to be executed after the request finishes. It is a common pattern for class constructors in subclasses to take callback block parameters, and execute them conditionally in the body of its `completionBlock`. Make sure to handle cancelled operations appropriately when setting a `completionBlock` (i.e. returning early before parsing response data). See the implementation of any of the `AFHTTPRequestOperation` subclasses for an example of this.
65
66  Subclasses are strongly discouraged from overriding `setCompletionBlock:`, as `AFURLConnectionOperation`'s implementation includes a workaround to mitigate retain cycles, and what Apple rather ominously refers to as ["The Deallocation Problem"](http://developer.apple.com/library/ios/#technotes/tn2109/).
67
68  ## SSL Pinning
69
70  Relying on the CA trust model to validate SSL certificates exposes your app to security vulnerabilities, such as man-in-the-middle attacks. For applications that connect to known servers, SSL certificate pinning provides an increased level of security, by checking server certificate validity against those specified in the app bundle.
71
72  SSL with certificate pinning is strongly recommended for any application that transmits sensitive information to an external webservice.
73
74  Connections will be validated on all matching certificates with a `.cer` extension in the bundle root.
75
76  ## NSCoding & NSCopying Conformance
77
78  `AFURLConnectionOperation` conforms to the `NSCoding` and `NSCopying` protocols, allowing operations to be archived to disk, and copied in memory, respectively. However, because of the intrinsic limitations of capturing the exact state of an operation at a particular moment, there are some important caveats to keep in mind:
79
80  ### NSCoding Caveats
81
82  - Encoded operations do not include any block or stream properties. Be sure to set `completionBlock`, `outputStream`, and any callback blocks as necessary when using `-initWithCoder:` or `NSKeyedUnarchiver`.
83  - Operations are paused on `encodeWithCoder:`. If the operation was encoded while paused or still executing, its archived state will return `YES` for `isReady`. Otherwise, the state of an operation when encoding will remain unchanged.
84
85  ### NSCopying Caveats
86
87  - `-copy` and `-copyWithZone:` return a new operation with the `NSURLRequest` of the original. So rather than an exact copy of the operation at that particular instant, the copying mechanism returns a completely new instance, which can be useful for retrying operations.
88  - A copy of an operation will not include the `outputStream` of the original.
89  - Operation copies do not include `completionBlock`, as it often strongly captures a reference to `self`, which would otherwise have the unintuitive side-effect of pointing to the _original_ operation when copied.
90  */
91
92 NS_ASSUME_NONNULL_BEGIN
93
94 @interface AFURLConnectionOperation : NSOperation <NSURLConnectionDelegate, NSURLConnectionDataDelegate, NSSecureCoding, NSCopying>
95
96 ///-------------------------------
97 /// @name Accessing Run Loop Modes
98 ///-------------------------------
99
100 /**
101  The run loop modes in which the operation will run on the network thread. By default, this is a single-member set containing `NSRunLoopCommonModes`.
102  */
103 @property (nonatomic, strong) NSSet *runLoopModes;
104
105 ///-----------------------------------------
106 /// @name Getting URL Connection Information
107 ///-----------------------------------------
108
109 /**
110  The request used by the operation's connection.
111  */
112 @property (readonly, nonatomic, strong) NSURLRequest *request;
113
114 /**
115  The last response received by the operation's connection.
116  */
117 @property (readonly, nonatomic, strong, nullable) NSURLResponse *response;
118
119 /**
120  The error, if any, that occurred in the lifecycle of the request.
121  */
122 @property (readonly, nonatomic, strong, nullable) NSError *error;
123
124 ///----------------------------
125 /// @name Getting Response Data
126 ///----------------------------
127
128 /**
129  The data received during the request.
130  */
131 @property (readonly, nonatomic, strong, nullable) NSData *responseData;
132
133 /**
134  The string representation of the response data.
135  */
136 @property (readonly, nonatomic, copy, nullable) NSString *responseString;
137
138 /**
139  The string encoding of the response.
140
141  If the response does not specify a valid string encoding, `responseStringEncoding` will return `NSUTF8StringEncoding`.
142  */
143 @property (readonly, nonatomic, assign) NSStringEncoding responseStringEncoding;
144
145 ///-------------------------------
146 /// @name Managing URL Credentials
147 ///-------------------------------
148
149 /**
150  Whether the URL connection should consult the credential storage for authenticating the connection. `YES` by default.
151
152  This is the value that is returned in the `NSURLConnectionDelegate` method `-connectionShouldUseCredentialStorage:`.
153  */
154 @property (nonatomic, assign) BOOL shouldUseCredentialStorage;
155
156 /**
157  The credential used for authentication challenges in `-connection:didReceiveAuthenticationChallenge:`.
158
159  This will be overridden by any shared credentials that exist for the username or password of the request URL, if present.
160  */
161 @property (nonatomic, strong, nullable) NSURLCredential *credential;
162
163 ///-------------------------------
164 /// @name Managing Security Policy
165 ///-------------------------------
166
167 /**
168  The security policy used to evaluate server trust for secure connections.
169  */
170 @property (nonatomic, strong) AFSecurityPolicy *securityPolicy;
171
172 ///------------------------
173 /// @name Accessing Streams
174 ///------------------------
175
176 /**
177  The input stream used to read data to be sent during the request.
178
179  This property acts as a proxy to the `HTTPBodyStream` property of `request`.
180  */
181 @property (nonatomic, strong) NSInputStream *inputStream;
182
183 /**
184  The output stream that is used to write data received until the request is finished.
185
186  By default, data is accumulated into a buffer that is stored into `responseData` upon completion of the request, with the intermediary `outputStream` property set to `nil`. When `outputStream` is set, the data will not be accumulated into an internal buffer, and as a result, the `responseData` property of the completed request will be `nil`. The output stream will be scheduled in the network thread runloop upon being set.
187  */
188 @property (nonatomic, strong, nullable) NSOutputStream *outputStream;
189
190 ///---------------------------------
191 /// @name Managing Callback Queues
192 ///---------------------------------
193
194 /**
195  The dispatch queue for `completionBlock`. If `NULL` (default), the main queue is used.
196  */
197 #if OS_OBJECT_USE_OBJC
198 @property (nonatomic, strong, nullable) dispatch_queue_t completionQueue;
199 #else
200 @property (nonatomic, assign, nullable) dispatch_queue_t completionQueue;
201 #endif
202
203 /**
204  The dispatch group for `completionBlock`. If `NULL` (default), a private dispatch group is used.
205  */
206 #if OS_OBJECT_USE_OBJC
207 @property (nonatomic, strong, nullable) dispatch_group_t completionGroup;
208 #else
209 @property (nonatomic, assign, nullable) dispatch_group_t completionGroup;
210 #endif
211
212 ///---------------------------------------------
213 /// @name Managing Request Operation Information
214 ///---------------------------------------------
215
216 /**
217  The user info dictionary for the receiver.
218  */
219 @property (nonatomic, strong) NSDictionary *userInfo;
220 // FIXME: It doesn't seem that this userInfo is used anywhere in the implementation.
221
222 ///------------------------------------------------------
223 /// @name Initializing an AFURLConnectionOperation Object
224 ///------------------------------------------------------
225
226 /**
227  Initializes and returns a newly allocated operation object with a url connection configured with the specified url request.
228
229  This is the designated initializer.
230
231  @param urlRequest The request object to be used by the operation connection.
232  */
233 - (instancetype)initWithRequest:(NSURLRequest *)urlRequest NS_DESIGNATED_INITIALIZER;
234
235 ///----------------------------------
236 /// @name Pausing / Resuming Requests
237 ///----------------------------------
238
239 /**
240  Pauses the execution of the request operation.
241
242  A paused operation returns `NO` for `-isReady`, `-isExecuting`, and `-isFinished`. As such, it will remain in an `NSOperationQueue` until it is either cancelled or resumed. Pausing a finished, cancelled, or paused operation has no effect.
243  */
244 - (void)pause;
245
246 /**
247  Whether the request operation is currently paused.
248
249  @return `YES` if the operation is currently paused, otherwise `NO`.
250  */
251 - (BOOL)isPaused;
252
253 /**
254  Resumes the execution of the paused request operation.
255
256  Pause/Resume behavior varies depending on the underlying implementation for the operation class. In its base implementation, resuming a paused requests restarts the original request. However, since HTTP defines a specification for how to request a specific content range, `AFHTTPRequestOperation` will resume downloading the request from where it left off, instead of restarting the original request.
257  */
258 - (void)resume;
259
260 ///----------------------------------------------
261 /// @name Configuring Backgrounding Task Behavior
262 ///----------------------------------------------
263
264 /**
265  Specifies that the operation should continue execution after the app has entered the background, and the expiration handler for that background task.
266
267  @param handler A handler to be called shortly before the application’s remaining background time reaches 0. The handler is wrapped in a block that cancels the operation, and cleans up and marks the end of execution, unlike the `handler` parameter in `UIApplication -beginBackgroundTaskWithExpirationHandler:`, which expects this to be done in the handler itself. The handler is called synchronously on the main thread, thus blocking the application’s suspension momentarily while the application is notified.
268   */
269 #if defined(__IPHONE_OS_VERSION_MIN_REQUIRED)
270 - (void)setShouldExecuteAsBackgroundTaskWithExpirationHandler:(nullable void (^)(void))handler NS_EXTENSION_UNAVAILABLE_IOS("Not available in app extensions.");
271 #endif
272
273 ///---------------------------------
274 /// @name Setting Progress Callbacks
275 ///---------------------------------
276
277 /**
278  Sets a callback to be called when an undetermined number of bytes have been uploaded to the server.
279
280  @param block A block object to be called when an undetermined number of bytes have been uploaded to the server. This block has no return value and takes three arguments: the number of bytes written since the last time the upload progress block was called, the total bytes written, and the total bytes expected to be written during the request, as initially determined by the length of the HTTP body. This block may be called multiple times, and will execute on the main thread.
281  */
282 - (void)setUploadProgressBlock:(nullable void (^)(NSUInteger bytesWritten, long long totalBytesWritten, long long totalBytesExpectedToWrite))block;
283
284 /**
285  Sets a callback to be called when an undetermined number of bytes have been downloaded from the server.
286
287  @param block A block object to be called when an undetermined number of bytes have been downloaded from the server. This block has no return value and takes three arguments: the number of bytes read since the last time the download progress block was called, the total bytes read, and the total bytes expected to be read during the request, as initially determined by the expected content size of the `NSHTTPURLResponse` object. This block may be called multiple times, and will execute on the main thread.
288  */
289 - (void)setDownloadProgressBlock:(nullable void (^)(NSUInteger bytesRead, long long totalBytesRead, long long totalBytesExpectedToRead))block;
290
291 ///-------------------------------------------------
292 /// @name Setting NSURLConnection Delegate Callbacks
293 ///-------------------------------------------------
294
295 /**
296  Sets a block to be executed when the connection will authenticate a challenge in order to download its request, as handled by the `NSURLConnectionDelegate` method `connection:willSendRequestForAuthenticationChallenge:`.
297
298  @param block A block object to be executed when the connection will authenticate a challenge in order to download its request. The block has no return type and takes two arguments: the URL connection object, and the challenge that must be authenticated. This block must invoke one of the challenge-responder methods (NSURLAuthenticationChallengeSender protocol).
299
300  If `allowsInvalidSSLCertificate` is set to YES, `connection:willSendRequestForAuthenticationChallenge:` will attempt to have the challenge sender use credentials with invalid SSL certificates.
301  */
302 - (void)setWillSendRequestForAuthenticationChallengeBlock:(nullable void (^)(NSURLConnection *connection, NSURLAuthenticationChallenge *challenge))block;
303
304 /**
305  Sets a block to be executed when the server redirects the request from one URL to another URL, or when the request URL changed by the `NSURLProtocol` subclass handling the request in order to standardize its format, as handled by the `NSURLConnectionDataDelegate` method `connection:willSendRequest:redirectResponse:`.
306
307  @param block A block object to be executed when the request URL was changed. The block returns an `NSURLRequest` object, the URL request to redirect, and takes three arguments: the URL connection object, the the proposed redirected request, and the URL response that caused the redirect.
308  */
309 - (void)setRedirectResponseBlock:(nullable NSURLRequest * (^)(NSURLConnection *connection, NSURLRequest *request, NSURLResponse *redirectResponse))block;
310
311
312 /**
313  Sets a block to be executed to modify the response a connection will cache, if any, as handled by the `NSURLConnectionDelegate` method `connection:willCacheResponse:`.
314
315  @param block A block object to be executed to determine what response a connection will cache, if any. The block returns an `NSCachedURLResponse` object, the cached response to store in memory or `nil` to prevent the response from being cached, and takes two arguments: the URL connection object, and the cached response provided for the request.
316  */
317 - (void)setCacheResponseBlock:(nullable NSCachedURLResponse * (^)(NSURLConnection *connection, NSCachedURLResponse *cachedResponse))block;
318
319 ///
320
321 /**
322
323  */
324 + (NSArray *)batchOfRequestOperations:(nullable NSArray *)operations
325                         progressBlock:(nullable void (^)(NSUInteger numberOfFinishedOperations, NSUInteger totalNumberOfOperations))progressBlock
326                       completionBlock:(nullable void (^)(NSArray *operations))completionBlock;
327
328 @end
329
330 ///--------------------
331 /// @name Notifications
332 ///--------------------
333
334 /**
335  Posted when an operation begins executing.
336  */
337 extern NSString * const AFNetworkingOperationDidStartNotification;
338
339 /**
340  Posted when an operation finishes.
341  */
342 extern NSString * const AFNetworkingOperationDidFinishNotification;
343
344 NS_ASSUME_NONNULL_END