Skip to content

Commit 66506c3

Browse files
authored
Merge pull request #6 from WeTransfer/feature/ignoreQueryMocking
Ignore query mocking
2 parents 3343cec + 98adc3c commit 66506c3

File tree

4 files changed

+79
-8
lines changed

4 files changed

+79
-8
lines changed

Changelog.md

+8
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,14 @@
11
## Changelog
22

33
### Next
4+
- Ignoring query path for mocks
5+
- Missing mocks no longer break tests (removed fatalError)
6+
- Support for delayed responses
7+
- Support for redirect responses
8+
- Support for ignoring URLs for mocking
9+
- Support for ZIP content responses
10+
- Updated for Swift 4
11+
- Improved SwiftLint implementation
412

513
### 1.0 (2017-08-11)
614

Mocker/MockerTests/MockerTests.swift

+24
Original file line numberDiff line numberDiff line change
@@ -62,6 +62,30 @@ final class MockerTests: XCTestCase {
6262

6363
waitForExpectations(timeout: 10.0, handler: nil)
6464
}
65+
66+
/// It should correctly ignore queries if set.
67+
func testIgnoreQueryMocking() {
68+
let expectation = self.expectation(description: "Data request should succeed")
69+
let originalURL = URL(string: "https://www.wetransfer.com/sample-image.png?width=200&height=200")!
70+
71+
Mock(url: originalURL, ignoreQuery: true, dataType: .imagePNG, statusCode: 200, data: [
72+
.get: MockedData.botAvatarImageFileUrl.data
73+
]).register()
74+
75+
/// Make it different compared to the mocked URL.
76+
let customURL = URL(string: originalURL.absoluteString + "&" + UUID().uuidString)!
77+
78+
URLSession.shared.dataTask(with: customURL) { (data, _, error) in
79+
XCTAssert(error == nil)
80+
let image: UIImage = UIImage(data: data!)!
81+
let sampleImage: UIImage = UIImage(contentsOfFile: MockedData.botAvatarImageFileUrl.path)!
82+
83+
XCTAssert(image.size == sampleImage.size, "Image should be returned mocked")
84+
expectation.fulfill()
85+
}.resume()
86+
87+
waitForExpectations(timeout: 10.0, handler: nil)
88+
}
6589

6690
/// It should return the mocked JSON.
6791
func testJSONRequest() {

README.md

+23
Original file line numberDiff line numberDiff line change
@@ -104,6 +104,29 @@ URLSession.shared.dataTask(with: originalURL) { (data, response, error) in
104104
}.resume()
105105
```
106106

107+
##### Ignoring the query
108+
Some URLs like authentication URLs contain timestamps or UUIDs in the query. To mock these you can ignore the Query for a certain URL:
109+
110+
``` swift
111+
/// Would transform to "https://www.example.com/api/authentication?oauth_timestamp=151817037" for example.
112+
let originalURL = URL(string: "https://www.example.com/api/authentication")!
113+
114+
let mock = Mock(url: originalURL, ignoreQuery: true, contentType: .json, statusCode: 200, data: [
115+
.get : MockedData.exampleJSON.data // Data containing the JSON response
116+
])
117+
mock.register()
118+
119+
URLSession.shared.dataTask(with: originalURL) { (data, response, error) in
120+
guard let data = data, let jsonDictionary = (try? JSONSerialization.jsonObject(with: data, options: [])) as? [String: Any] else {
121+
return
122+
}
123+
124+
// jsonDictionary contains your JSON sample file data
125+
// ..
126+
127+
}.resume()
128+
```
129+
107130
##### File extensions
108131
```swift
109132
let imageURL = URL(string: "https://www.wetransfer.com/sample-image.png")!

Sources/Mock.swift

+24-8
Original file line numberDiff line numberDiff line change
@@ -66,6 +66,9 @@ public struct Mock: Equatable {
6666

6767
/// The URL value generated based on the Mock data.
6868
public let url: URL
69+
70+
/// If `true`, checking the URL will ignore the query and match only for the scheme, host and path.
71+
public let ignoreQuery: Bool
6972

7073
/// The file extensions to match for.
7174
public let fileExtensions: [String]?
@@ -76,16 +79,18 @@ public struct Mock: Equatable {
7679
/// Add a delay to a certain mock, which makes the response returned later.
7780
public var delay: DispatchTimeInterval?
7881

79-
private init(url: URL? = nil, dataType: DataType, statusCode: Int, data: [HTTPMethod: Data], additionalHeaders: [String: String] = [:], fileExtensions: [String]? = nil) {
82+
private init(url: URL? = nil, ignoreQuery: Bool = false, dataType: DataType, statusCode: Int, data: [HTTPMethod: Data], additionalHeaders: [String: String] = [:], fileExtensions: [String]? = nil) {
83+
self.url = url ?? URL(string: "https://mocked.wetransfer.com/\(dataType.rawValue)/\(statusCode)/")!
84+
self.ignoreQuery = ignoreQuery
8085
self.dataType = dataType
8186
self.statusCode = statusCode
8287
self.data = data
83-
self.url = url ?? URL(string: "https://mocked.wetransfer.com/\(dataType.rawValue)/\(statusCode)/")!
84-
self.fileExtensions = fileExtensions?.map({ $0.replacingOccurrences(of: ".", with: "") })
85-
88+
8689
var headers = additionalHeaders
8790
headers["Content-Type"] = dataType.headerValue
8891
self.headers = headers
92+
93+
self.fileExtensions = fileExtensions?.map({ $0.replacingOccurrences(of: ".", with: "") })
8994
}
9095

9196
/// Creates a `Mock` for the given data type. The mock will be automatically matched based on a URL created from the given parameters.
@@ -103,12 +108,13 @@ public struct Mock: Equatable {
103108
///
104109
/// - Parameters:
105110
/// - url: The URL to match for and to return the mocked data for.
111+
/// - ignoreQuery: If `true`, checking the URL will ignore the query and match only for the scheme, host and path. Defaults to `false`.
106112
/// - dataType: The type of the data which is returned.
107113
/// - statusCode: The HTTP status code to return with the response.
108114
/// - data: The data which will be returned as the response based on the HTTP Method.
109115
/// - additionalHeaders: Additional headers to be added to the response.
110-
public init(url: URL, dataType: DataType, statusCode: Int, data: [HTTPMethod: Data], additionalHeaders: [String: String] = [:]) {
111-
self.init(url: url, dataType: dataType, statusCode: statusCode, data: data, additionalHeaders: additionalHeaders, fileExtensions: nil)
116+
public init(url: URL, ignoreQuery: Bool = false, dataType: DataType, statusCode: Int, data: [HTTPMethod: Data], additionalHeaders: [String: String] = [:]) {
117+
self.init(url: url, ignoreQuery: ignoreQuery, dataType: dataType, statusCode: statusCode, data: data, additionalHeaders: additionalHeaders, fileExtensions: nil)
112118
}
113119

114120
/// Creates a `Mock` for the given file extensions. The mock will only be used for urls matching the extension.
@@ -145,9 +151,11 @@ public struct Mock: Equatable {
145151
// If the mock contains a file extension, this should always be used to match for.
146152
guard let pathExtension = request.url?.pathExtension else { return false }
147153
return fileExtensions.contains(pathExtension)
148-
} else {
149-
return mock.url == request.url && mock.data.keys.contains(requestHTTPMethod)
154+
} else if mock.ignoreQuery {
155+
return mock.url.baseString == request.url?.baseString && mock.data.keys.contains(requestHTTPMethod)
150156
}
157+
158+
return mock.url == request.url && mock.data.keys.contains(requestHTTPMethod)
151159
}
152160

153161
public static func == (lhs: Mock, rhs: Mock) -> Bool {
@@ -156,3 +164,11 @@ public struct Mock: Equatable {
156164
return lhs.url.absoluteString == rhs.url.absoluteString && lhsHTTPMethods == rhsHTTPMethods
157165
}
158166
}
167+
168+
private extension URL {
169+
/// Returns the base URL string build with the scheme, host and path. "https://www.wetransfer.com/v1/test?param=test" would be "https://www.wetransfer.com/v1/test".
170+
var baseString: String? {
171+
guard let scheme = scheme, let host = host else { return nil }
172+
return scheme + "://" + host + path
173+
}
174+
}

0 commit comments

Comments
 (0)