diff --git a/modules/swagger-codegen/src/main/resources/swift3/AlamofireImplementations.mustache b/modules/swagger-codegen/src/main/resources/swift3/AlamofireImplementations.mustache index d0c9e24bd5d5..d8e2004302d3 100644 --- a/modules/swagger-codegen/src/main/resources/swift3/AlamofireImplementations.mustache +++ b/modules/swagger-codegen/src/main/resources/swift3/AlamofireImplementations.mustache @@ -92,7 +92,7 @@ open class AlamofireRequestBuilder: RequestBuilder { } self.processRequest(request: upload, managerId, completion) case .failure(let encodingError): - completion(nil, ErrorResponse(statusCode: 415, data: nil, error: encodingError)) + completion(nil, ErrorResponse.HttpError(statusCode: 415, data: nil, error: encodingError)) } }) } else { @@ -124,7 +124,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if stringResponse.result.isFailure { completion( nil, - ErrorResponse(statusCode: stringResponse.response?.statusCode ?? 500, data: stringResponse.data, error: stringResponse.result.error as Error!) + ErrorResponse.HttpError(statusCode: stringResponse.response?.statusCode ?? 500, data: stringResponse.data, error: stringResponse.result.error as Error!) ) return } @@ -144,7 +144,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if voidResponse.result.isFailure { completion( nil, - ErrorResponse(statusCode: voidResponse.response?.statusCode ?? 500, data: voidResponse.data, error: voidResponse.result.error!) + ErrorResponse.HttpError(statusCode: voidResponse.response?.statusCode ?? 500, data: voidResponse.data, error: voidResponse.result.error!) ) return } @@ -163,7 +163,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if (dataResponse.result.isFailure) { completion( nil, - ErrorResponse(statusCode: dataResponse.response?.statusCode ?? 500, data: dataResponse.data, error: dataResponse.result.error!) + ErrorResponse.HttpError(statusCode: dataResponse.response?.statusCode ?? 500, data: dataResponse.data, error: dataResponse.result.error!) ) return } @@ -181,7 +181,7 @@ open class AlamofireRequestBuilder: RequestBuilder { cleanupRequest() if response.result.isFailure { - completion(nil, ErrorResponse(statusCode: response.response?.statusCode ?? 500, data: response.data, error: response.result.error!)) + completion(nil, ErrorResponse.HttpError(statusCode: response.response?.statusCode ?? 500, data: response.data, error: response.result.error!)) return } @@ -197,8 +197,11 @@ open class AlamofireRequestBuilder: RequestBuilder { return } if let json: Any = response.result.value { - let body = Decoders.decode(clazz: T.self, source: json as AnyObject) - completion(Response(response: response.response!, body: body), nil) + let decoded = Decoders.decode(clazz: T.self, source: json as AnyObject) + switch decoded { + case let .success(object): completion(Response(response: response.response!, body: object), nil) + case let .failure(error): completion(nil, ErrorResponse.DecodeError(response: response.data, decodeError: error)) + } return } else if "" is T { // swagger-parser currently doesn't support void, which will be fixed in future swagger-parser release @@ -207,7 +210,7 @@ open class AlamofireRequestBuilder: RequestBuilder { return } - completion(nil, ErrorResponse(statusCode: 500, data: nil, error: NSError(domain: "localhost", code: 500, userInfo: ["reason": "unreacheable code"]))) + completion(nil, ErrorResponse.HttpError(statusCode: 500, data: nil, error: NSError(domain: "localhost", code: 500, userInfo: ["reason": "unreacheable code"]))) } } } diff --git a/modules/swagger-codegen/src/main/resources/swift3/Models.mustache b/modules/swagger-codegen/src/main/resources/swift3/Models.mustache index 69b078edd460..60d7a7462003 100644 --- a/modules/swagger-codegen/src/main/resources/swift3/Models.mustache +++ b/modules/swagger-codegen/src/main/resources/swift3/Models.mustache @@ -10,10 +10,9 @@ protocol JSONEncodable { func encodeToJSON() -> Any } -public struct ErrorResponse : Error { - public let statusCode: Int - public let data: Data? - public let error: Error +public enum ErrorResponse : Error { + case HttpError(statusCode: Int, data: Data?, error: Error) + case DecodeError(response: Data?, decodeError: DecodeError) } open class Response { @@ -37,90 +36,181 @@ open class Response { } } +public enum Decoded { + case success(ValueType) + case failure(DecodeError) +} + +public extension Decoded { + var value: ValueType? { + switch self { + case let .success(value): + return value + break + case .failure: + return nil + break + } + } +} + +public enum DecodeError { + case typeMismatch(expected: String, actual: String) + case missingKey(key: String) + case parseError(message: String) +} + private var once = Int() class Decoders { static fileprivate var decoders = Dictionary AnyObject)>() - static func addDecoder(clazz: T.Type, decoder: @escaping ((AnyObject) -> T)) { + + static func addDecoder(clazz: T.Type, decoder: @escaping ((AnyObject) -> Decoded)) { let key = "\(T.self)" decoders[key] = { decoder($0) as AnyObject } } - static func decode(clazz: T.Type, discriminator: String, source: AnyObject) -> T { + static func decode(clazz: T.Type, discriminator: String, source: AnyObject) -> Decoded { let key = discriminator; - if let decoder = decoders[key] { - return decoder(source) as! T + if let decoder = decoders[key], let value = decoder(source) as? Decoded { + return value } else { - fatalError("Source \(source) is not convertible to type \(clazz): Maybe swagger file is insufficient") + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } } - static func decode(clazz: [T].Type, source: AnyObject) -> [T] { - let array = source as! [AnyObject] - return array.map { Decoders.decode(clazz: T.self, source: $0) } - } - - static func decode(clazz: [Key:T].Type, source: AnyObject) -> [Key:T] { - let sourceDictionary = source as! [Key: AnyObject] - var dictionary = [Key:T]() - for (key, value) in sourceDictionary { - dictionary[key] = Decoders.decode(clazz: T.self, source: value) + static func decode(clazz: [T].Type, source: AnyObject) -> Decoded<[T]> { + if let sourceArray = source as? [AnyObject] { + var values = [T]() + for sourceValue in sourceArray { + switch Decoders.decode(clazz: T.self, source: sourceValue) { + case let .success(value): + values.append(value) + case let .failure(error): + return .failure(error) + break + } + } + return .success(values) + } else { + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } - return dictionary } - static func decode(clazz: T.Type, source: AnyObject) -> T { + static func decode(clazz: [Key:T].Type, source: AnyObject) -> Decoded<[Key:T]> { + if let sourceDictionary = source as? [Key: AnyObject] { + var dictionary = [Key:T]() + for (key, value) in sourceDictionary { + switch Decoders.decode(clazz: T.self, source: value) { + case let .success(value): + dictionary[key] = value + break + case let .failure(error): + return .failure(error) + } + } + return .success(dictionary) + } else { + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) + } + } + + static func decodeOptional(clazz: T.Type, source: AnyObject?) -> Decoded { + if let value = source as? T.RawValue { + if let enumValue = T.init(rawValue: value) { + return .success(enumValue) + } else { + return .failure(.typeMismatch(expected: "A value from the enumeration \(T.self)", actual: "\(value)")) + } + } else { + return .failure(.typeMismatch(expected: "\(T.RawValue.self) matching a case from the enumeration \(T.self)", actual: String(describing: type(of: source)))) + } + } + + static func decode(clazz: T.Type, source: AnyObject) -> Decoded { initialize() - if T.self is Int32.Type && source is NSNumber { - return source.int32Value as! T; + if let value = source.int32Value as? T, source is NSNumber, T.self is Int32.Type { + return .success(value) } - if T.self is Int64.Type && source is NSNumber { - return source.int64Value as! T; + if let value = source.int32Value as? T, source is NSNumber, T.self is Int64.Type { + return .success(value) } - if T.self is UUID.Type && source is String { - return UUID(uuidString: source as! String) as! T + if let intermediate = source as? String, let value = UUID(uuidString: intermediate) as? T, source is String, T.self is UUID.Type { + return .success(value) } - if source is T { - return source as! T + if let value = source as? T { + return .success(value) } - if T.self is Data.Type && source is String { - return Data(base64Encoded: source as! String) as! T + if let intermediate = source as? String, let value = Data(base64Encoded: intermediate) as? T { + return .success(value) } let key = "\(T.self)" - if let decoder = decoders[key] { - return decoder(source) as! T + if let decoder = decoders[key], let value = decoder(source) as? Decoded { + return value } else { - fatalError("Source \(source) is not convertible to type \(clazz): Maybe swagger file is insufficient") + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } } - static func decodeOptional(clazz: T.Type, source: AnyObject?) -> T? { - if source is NSNull { - return nil - } - return source.map { (source: AnyObject) -> T in - Decoders.decode(clazz: clazz, source: source) + //Convert a Decoded so that its value is optional. DO WE STILL NEED THIS? + static func toOptional(decoded: Decoded) -> Decoded { + return .success(decoded.value) + } + + static func decodeOptional(clazz: T.Type, source: AnyObject?) -> Decoded { + if let source = source, !(source is NSNull) { + switch Decoders.decode(clazz: clazz, source: source) { + case let .success(value): return .success(value) + case let .failure(error): return .failure(error) + } + } else { + return .success(nil) } } - static func decodeOptional(clazz: [T].Type, source: AnyObject?) -> [T]? { - if source is NSNull { - return nil - } - return source.map { (someSource: AnyObject) -> [T] in - Decoders.decode(clazz: clazz, source: someSource) + static func decodeOptional(clazz: [T].Type, source: AnyObject?) -> Decoded<[T]?> { + if let source = source as? [AnyObject] { + var values = [T]() + for sourceValue in source { + switch Decoders.decode(clazz: T.self, source: sourceValue) { + case let .success(value): values.append(value) + case let .failure(error): return .failure(error) + } + } + return .success(values) + } else { + return .success(nil) } } - static func decodeOptional(clazz: [Key:T].Type, source: AnyObject?) -> [Key:T]? { - if source is NSNull { - return nil - } - return source.map { (someSource: AnyObject) -> [Key:T] in - Decoders.decode(clazz: clazz, source: someSource) + static func decodeOptional(clazz: [Key:T].Type, source: AnyObject?) -> Decoded<[Key:T]?> { + if let sourceDictionary = source as? [Key: AnyObject] { + var dictionary = [Key:T]() + for (key, value) in sourceDictionary { + switch Decoders.decode(clazz: T.self, source: value) { + case let .success(value): dictionary[key] = value + case let .failure(error): return .failure(error) + } + } + return .success(dictionary) + } else { + return .success(nil) } } + + static func decodeOptional(clazz: T, source: AnyObject) -> Decoded { + if let value = source as? U { + if let enumValue = T.init(rawValue: value) { + return .success(enumValue) + } else { + return .failure(.typeMismatch(expected: "A value from the enumeration \(T.self)", actual: "\(value)")) + } + } else { + return .failure(.typeMismatch(expected: "String", actual: String(describing: type(of: source)))) + } + } + private static var __once: () = { let formatters = [ @@ -136,88 +226,97 @@ class Decoders { return formatter } // Decoder for Date - Decoders.addDecoder(clazz: Date.self) { (source: AnyObject) -> Date in + Decoders.addDecoder(clazz: Date.self) { (source: AnyObject) -> Decoded in if let sourceString = source as? String { for formatter in formatters { if let date = formatter.date(from: sourceString) { - return date + return .success(date) } } } - if let sourceInt = source as? Int64 { + if let sourceInt = source as? Int { // treat as a java date - return Date(timeIntervalSince1970: Double(sourceInt / 1000) ) + return .success(Date(timeIntervalSince1970: Double(sourceInt / 1000) )) + } + if source is String || source is Int { + return .failure(.parseError(message: "Could not decode date")) + } else { + return .failure(.typeMismatch(expected: "String or Int", actual: "\(source)")) } - fatalError("formatter failed to parse \(source)") } - + // Decoder for ISOFullDate - Decoders.addDecoder(clazz: ISOFullDate.self) { (source: AnyObject) -> ISOFullDate in + Decoders.addDecoder(clazz: ISOFullDate.self) { (source: AnyObject) -> Decoded in if let string = source as? String, let isoDate = ISOFullDate.from(string: string) { - return isoDate + return .success(isoDate) + } else { + return .failure(.typeMismatch(expected: "ISO date", actual: "\(source)")) } - fatalError("formatter failed to parse \(source)") } {{#models}}{{#model}} +{{^isArrayModel}} // Decoder for [{{{classname}}}] - Decoders.addDecoder(clazz: [{{{classname}}}].self) { (source: AnyObject) -> [{{{classname}}}] in + Decoders.addDecoder(clazz: [{{{classname}}}].self) { (source: AnyObject) -> Decoded<[{{{classname}}}]> in return Decoders.decode(clazz: [{{{classname}}}].self, source: source) } // Decoder for {{{classname}}} - Decoders.addDecoder(clazz: {{{classname}}}.self) { (source: AnyObject) -> {{{classname}}} in -{{#isArrayModel}} - let sourceArray = source as! [AnyObject] - return sourceArray.map({ Decoders.decode(clazz: {{{arrayModelType}}}.self, source: $0) }) -{{/isArrayModel}} -{{^isArrayModel}} + Decoders.addDecoder(clazz: {{{classname}}}.self) { (source: AnyObject) -> Decoded<{{{classname}}}> in {{#isEnum}} - if let source = source as? {{dataType}} { - if let result = {{classname}}(rawValue: source) { - return result - } - } - fatalError("Source \(source) is not convertible to enum type {{classname}}: Maybe swagger file is insufficient") + //TODO: I don't think we need this anymore + return Decoders.decode(clazz: {{{classname}}}.self, source: source) {{/isEnum}} {{^isEnum}} {{#allVars.isEmpty}} if let source = source as? {{dataType}} { - return source + return .success(source) + } else { + return .failure(.typeMismatch(expected: "Typealias {{classname}}", actual: "\(source)")) } - fatalError("Source \(source) is not convertible to typealias {{classname}}: Maybe swagger file is insufficient") {{/allVars.isEmpty}} {{^allVars.isEmpty}} - let sourceDictionary = source as! [AnyHashable: Any] + if let sourceDictionary = source as? [AnyHashable: Any] { {{#discriminator}} - // Check discriminator to support inheritance - if let discriminator = sourceDictionary["{{discriminator}}"] as? String, discriminator != "{{classname}}"{ - return Decoders.decode(clazz: {{classname}}.self, discriminator: discriminator, source: source) - } + // Check discriminator to support inheritance + if let discriminator = sourceDictionary["{{discriminator}}"] as? String, discriminator != "{{classname}}"{ + return Decoders.decode(clazz: {{classname}}.self, discriminator: discriminator, source: source) + } {{/discriminator}} {{#unwrapRequired}} - let instance = {{classname}}({{#requiredVars}}{{^-first}}, {{/-first}}{{#isEnum}}{{name}}: {{classname}}.{{datatypeWithEnum}}(rawValue: (sourceDictionary["{{baseName}}"] as! {{datatype}}))! {{/isEnum}}{{^isEnum}}{{name}}: Decoders.decode(clazz: {{{baseType}}}.self, source: sourceDictionary["{{baseName}}"]! as AnyObject){{/isEnum}}{{/requiredVars}}) - {{#optionalVars}}{{#isEnum}} - if let {{name}} = sourceDictionary["{{baseName}}"] as? {{datatype}} { {{^isContainer}} - instance.{{name}} = {{classname}}.{{datatypeWithEnum}}(rawValue: ({{name}})){{/isContainer}}{{#isListContainer}} - instance.{{name}} = {{name}}.map ({ {{classname}}.{{enumName}}(rawValue: $0)! }){{/isListContainer}} - }{{/isEnum}}{{^isEnum}} - instance.{{name}} = Decoders.decodeOptional(clazz: {{{baseType}}}.self, source: sourceDictionary["{{baseName}}"] as AnyObject?){{/isEnum}} + {{#requiredVars}} + guard let {{name}}Source = sourceDictionary["{{baseName}}"] as AnyObject? else { + return .failure(.missingKey(key: "{{baseName}}")) + } + guard let {{name}} = Decoders.decode(clazz: {{#isEnum}}{{^isListContainer}}{{classname}}.{{enumName}}.self{{/isListContainer}}{{#isListContainer}}Array<{{classname}}.{{enumName}}>.self{{/isListContainer}}{{/isEnum}}{{^isEnum}}{{{datatype}}}.self{{/isEnum}}.self, source: {{name}}Source).value else { + return .failure(.typeMismatch(expected: "{{classname}}", actual: "\({{name}}Source)")) + } + {{/requiredVars}} + let instance = {{classname}}({{#requiredVars}}{{^-first}}, {{/-first}}{{name}}: {{name}}{{/requiredVars}}) + {{#optionalVars}} + switch Decoders.decodeOptional(clazz: {{#isEnum}}{{^isListContainer}}{{classname}}.{{enumName}}.self{{/isListContainer}}{{#isListContainer}}Array<{{classname}}.{{enumName}}>.self{{/isListContainer}}{{/isEnum}}{{^isEnum}}{{{datatype}}}.self{{/isEnum}}, source: sourceDictionary["{{baseName}}"] as AnyObject?) { + case let .success(value): instance.{{name}} = value + case let .failure(error): return .failure(error) + } {{/optionalVars}} {{/unwrapRequired}} {{^unwrapRequired}} - let instance = {{classname}}(){{#allVars}}{{#isEnum}} - if let {{name}} = sourceDictionary["{{baseName}}"] as? {{datatype}} { {{^isContainer}} - instance.{{name}} = {{classname}}.{{datatypeWithEnum}}(rawValue: ({{name}})){{/isContainer}}{{#isListContainer}} - instance.{{name}} = {{name}}.map ({ {{classname}}.{{enumName}}(rawValue: $0)! }){{/isListContainer}}{{#isMapContainer}}//TODO: handle enum map scenario{{/isMapContainer}} - }{{/isEnum}} - {{^isEnum}}instance.{{name}} = Decoders.decodeOptional(clazz: {{{baseType}}}.self, source: sourceDictionary["{{baseName}}"] as AnyObject?){{/isEnum}}{{/allVars}} + let instance = {{classname}}(){{#allVars}} + switch Decoders.decodeOptional(clazz: {{#isEnum}}{{^isListContainer}}{{classname}}.{{enumName}}.self{{/isListContainer}}{{#isListContainer}}Array<{{classname}}.{{enumName}}>.self{{/isListContainer}}{{/isEnum}}{{^isEnum}}{{{datatype}}}.self{{/isEnum}}, source: sourceDictionary["{{baseName}}"] as AnyObject?) { + {{#isEnum}}{{#isMapContainer}}/*{{/isMapContainer}}{{/isEnum}} + case let .success(value): instance.{{name}} = value + case let .failure(error): return .failure(error) + {{#isEnum}}{{#isMapContainer}}*/ default: break //TODO: handle enum map scenario{{/isMapContainer}}{{/isEnum}} + } + {{/allVars}} {{/unwrapRequired}} - return instance + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "{{classname}}", actual: "\(source)")) + } {{/allVars.isEmpty}} {{/isEnum}} -{{/isArrayModel}} - }{{/model}} + }{{/isArrayModel}}{{/model}} {{/models}} }() diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json index 0920f1985e9a..b0f254bb81c2 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json @@ -10,7 +10,7 @@ "tag": "v1.0.0" }, "authors": "", - "license": "Apache License, Version 2.0", + "license": "Proprietary", "homepage": "https://github.com/swagger-api/swagger-codegen", "summary": "PetstoreClient", "source_files": "PetstoreClient/Classes/Swaggers/**/*.swift", diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Manifest.lock b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Manifest.lock index 5d69f46d3b8f..f63b50721dde 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Manifest.lock +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Manifest.lock @@ -33,9 +33,9 @@ EXTERNAL SOURCES: SPEC CHECKSUMS: Alamofire: 6aa33201d20d069e1598891cf928883ff1888c7a OMGHTTPURLRQ: a547be1b9721ddfbf9d08aab56ab72dc4c1cc417 - PetstoreClient: 24135348a992f2cbd76bc324719173b52e864cdc + PetstoreClient: c1836ff59f46bfeae155be0b53bc9ba55b827bc9 PromiseKit: 4e8127c22a9b29d1b44958ab2ec762ea6115cbfb PODFILE CHECKSUM: 84472aca2a88b7f7ed9fcd63e9f5fdb5ad4aab94 -COCOAPODS: 1.0.1 +COCOAPODS: 1.1.1 diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj index 1b6f460f95dd..0428f9c6d062 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj @@ -7,171 +7,170 @@ objects = { /* Begin PBXBuildFile section */ - 01BD61BBC475EB3369237B84FE24D3EE /* UIViewController+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 7B892AF5EA37A5C7962FEA3E294B2526 /* UIViewController+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 0268F9278E32ACC1F996F4E2E45622B5 /* UIActionSheet+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 590BCD68D24A72708312E57A91360AC7 /* UIActionSheet+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 066335E8B1AEEB4CF633B2ED738D6223 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 79E01B70640812E104A60E8F985F7E9D /* Foundation.framework */; }; - 06F7C0C55DF4C09C015159F6B0802EB1 /* join.swift in Sources */ = {isa = PBXBuildFile; fileRef = BED547C24FF8AE5F91ED94E3BC8052C8 /* join.swift */; }; - 095406039B4D371E48D08B38A2975AC8 /* Error.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7390892336E4D605CF390FFA4B55EF0A /* Error.swift */; }; - 0B34EB4425C08BB021C2D09F75C9C146 /* OMGHTTPURLRQ.h in Headers */ = {isa = PBXBuildFile; fileRef = 859DDC0FFB13DB9C838BA38D0641A1BA /* OMGHTTPURLRQ.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 0BDA43D8F48C8B0D504C440046FAF681 /* Umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = B0B08C036B6283A3D528F1FBBEEF40EC /* Umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 0D240D796AAD10F0119A1D7AC2570AAA /* NSObject+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6650152803DA41F52DA6A26B5DF713D7 /* NSObject+Promise.swift */; }; - 11C221075C5B20BDEEB3DDF8EAC99E63 /* NSNotificationCenter+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = DCBC249F9443D7D79A42B5C4BAC874C8 /* NSNotificationCenter+AnyPromise.m */; }; - 11EA8D6B0352FD31F520F983CFB9D993 /* UIAlertView+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = 9FB7C011EC5C968D7A91E71A028913B7 /* UIAlertView+AnyPromise.m */; }; - 12348513CB81BD05B497C210905CDF65 /* UIAlertView+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 4E19A7D44620C4AED963248648938767 /* UIAlertView+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 124EFF5E3C46EC88F47C52479FA6ACAF /* CALayer+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = DD83C2B5FF3BF5AB85E18B1BB6293857 /* CALayer+AnyPromise.m */; }; - 15ECEBA1EFBD023AEA47F36524270D2C /* Models.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8F0266C5AE0B23A436291F6647902086 /* Models.swift */; }; - 16102E4E35FAA0FC4161282FECE56469 /* Timeline.swift in Sources */ = {isa = PBXBuildFile; fileRef = 47B728204DA3D60FAB04A757D3B09D2E /* Timeline.swift */; }; - 18FAC6B4FD3B44CB353C7A6027286100 /* NSURLConnection+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = E0B0C8D6D1D56B95983D680363E6F785 /* NSURLConnection+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 1AC7E88F0EC64D1D4E83CE7767BFD2B7 /* afterlife.swift in Sources */ = {isa = PBXBuildFile; fileRef = 178262A3EEE3B9A6F7B9B2B4ED5AA150 /* afterlife.swift */; }; - 1CB5E10963E95432A9674D1FF2B48FA1 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 79E01B70640812E104A60E8F985F7E9D /* Foundation.framework */; }; - 1CDA074C6DC95876D85E13ECF882B93A /* Pet.swift in Sources */ = {isa = PBXBuildFile; fileRef = 284B3DE9B793FCC633E971DB1798AFAF /* Pet.swift */; }; - 1E1010EA437F154A554D04F7F3A894EC /* Promise+Properties.swift in Sources */ = {isa = PBXBuildFile; fileRef = B225BF6ADAA247F1300081D25732B5B4 /* Promise+Properties.swift */; }; - 25FBB92AFB8F5A777CE8E40EC3B9DACA /* PetstoreClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */; }; - 2B38BB4603B4286FF8D7A780372E947F /* PetAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 261F03A3C73374FD19333EEA59CCD59F /* PetAPI.swift */; }; - 2D3405986FC586FA6C0A5E0B6BA7E64E /* Validation.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0435721889B71489503A007D233559DF /* Validation.swift */; }; - 2D9379807BA243E1CE457D1BE963DA09 /* UserAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 552D15E0340BF58CC1922B82E864AEC9 /* UserAPI.swift */; }; - 34CCDCA848A701466256BC2927DA8856 /* NetworkReachabilityManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = FFB0686D05BA9C4D5A69D6058C029FF2 /* NetworkReachabilityManager.swift */; }; - 3860D960E37C1257BDA54626CA592E86 /* AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = D475FE9899956F5D2196D1C19DFC1F28 /* AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 387C7387FDC662D23D743879B6143D59 /* UIActionSheet+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = DDDBF73F440D96AB666A6418AEEF2946 /* UIActionSheet+Promise.swift */; }; - 3A8D316D4266A3309D0A98ED74F8A13A /* OMGUserAgent.h in Headers */ = {isa = PBXBuildFile; fileRef = 4FF818D195F8814F5F8878A2FD02AF1D /* OMGUserAgent.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 3EA8F215C9C1432D74E5CCA4834AA8C0 /* ResponseSerialization.swift in Sources */ = {isa = PBXBuildFile; fileRef = DA62734652B80C3897AA655226B3BCF3 /* ResponseSerialization.swift */; }; - 4081EA628AF0B73AC51FFB9D7AB3B89E /* Manager.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1AA002805CE140B0968FC965A53F0A4C /* Manager.swift */; }; - 443361437B359830308B93A7B98BE039 /* StoreAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1A3E5E3CD673B025FD8AC260E67AB47E /* StoreAPI.swift */; }; - 46F838880F41F56ABD91796FC956B4BF /* APIHelper.swift in Sources */ = {isa = PBXBuildFile; fileRef = D2BAD338E56EF3CAA6E54490FE0C5DF9 /* APIHelper.swift */; }; - 48CB8E7E16443CA771E4DCFB3E0709A2 /* OMGHTTPURLRQ.m in Sources */ = {isa = PBXBuildFile; fileRef = 3EEC1FB4B45C5C247D2D0FB33D4F5A1D /* OMGHTTPURLRQ.m */; settings = {COMPILER_FLAGS = "-DOS_OBJECT_USE_OBJC=0"; }; }; - 4C22563311AC2B52651A6525A979E076 /* UIView+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = EA13BF2FADA101A1AB34BF5EC8C7BA85 /* UIView+AnyPromise.m */; }; - 516D41E4D035A817CC5116C11302E408 /* AlamofireImplementations.swift in Sources */ = {isa = PBXBuildFile; fileRef = 92734297B64DFE0EB0EDE1EA821163DB /* AlamofireImplementations.swift */; }; - 5192A7466019F9B3D7F1E987124E96BC /* OMGHTTPURLRQ-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 3029ADF04ADC2B8F3A7264A416D70B56 /* OMGHTTPURLRQ-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 5480169E42C456C49BE59E273D7E0115 /* OMGFormURLEncode.h in Headers */ = {isa = PBXBuildFile; fileRef = 3B1578E353CE37C4C4201EC9101DE67F /* OMGFormURLEncode.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 5BC19E6E0F199276003F0AF96838BCE5 /* Upload.swift in Sources */ = {isa = PBXBuildFile; fileRef = A9E0C3DC76C639C91EF9B920C8E3D60F /* Upload.swift */; }; - 5CB05FBCB32D21E194B5ECF680CB6AE0 /* Download.swift in Sources */ = {isa = PBXBuildFile; fileRef = 770621722C3B98D9380F76F3310EAA7F /* Download.swift */; }; - 5D7EAE5725A7E750B51FD27AECB5F0FD /* join.m in Sources */ = {isa = PBXBuildFile; fileRef = E3B8EDBFFE2A701981A073412ECCF6AD /* join.m */; }; - 5EE5E1CA27F3CB04A5DCF5BB90B76000 /* Extensions.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5412898DEB10F1983487A10453C6B9CB /* Extensions.swift */; }; - 5FFED823C0BDD412FA41B01EA47394D1 /* hang.m in Sources */ = {isa = PBXBuildFile; fileRef = 955F5499BB7496155FBF443B524F1D50 /* hang.m */; }; - 60EBBACB76CD5879FB7B9B3E0AA5E2C1 /* UIViewController+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = 53F1201EF49979297542207D6EB6EC55 /* UIViewController+AnyPromise.m */; }; - 62E8346F03C03E7F4D631361F325689E /* Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = 74E1D5C24530737CDD54FA854E37B371 /* Response.swift */; }; - 656BED6137A9FFA3B2DF03861F525022 /* PetstoreClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 6A128FE350973D8A693E3F063C5E4A49 /* dispatch_promise.m in Sources */ = {isa = PBXBuildFile; fileRef = 7356B0365E4182E6E6D55124C678B591 /* dispatch_promise.m */; }; - 6B0A17CD24331793D2504E0FBBAF5EB2 /* Tag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 211F73A46D90346F7FC6D0D29640EE4F /* Tag.swift */; }; - 6CB84A616D7B4D189A4E94BD37621575 /* OMGUserAgent.m in Sources */ = {isa = PBXBuildFile; fileRef = 937CB6976C5F585A76A9383107F5AF73 /* OMGUserAgent.m */; settings = {COMPILER_FLAGS = "-DOS_OBJECT_USE_OBJC=0"; }; }; - 6F63943B0E954F701F32BC7A1F4C2FEC /* OMGFormURLEncode.m in Sources */ = {isa = PBXBuildFile; fileRef = 56CDA7C9327CF6F3DFC66FC128D7365B /* OMGFormURLEncode.m */; settings = {COMPILER_FLAGS = "-DOS_OBJECT_USE_OBJC=0"; }; }; - 73FA79FDB37E5C458B996012BFB0CF04 /* PMKAlertController.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0608A7843513940A299A88D778388F9D /* PMKAlertController.swift */; }; - 7B48852C4D848FA2DA416A98F6425869 /* ServerTrustPolicy.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8D1D96AB285E285A3CC15FAD1CD875B2 /* ServerTrustPolicy.swift */; }; - 7D7A40DBAC93241786E8C553921E8C86 /* OMGHTTPURLRQ.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 3530BF15E14D1F6D7134EE67377D5C8C /* OMGHTTPURLRQ.framework */; }; - 81A2DB65C0742D785DE7C2609CC14140 /* NSURLSession+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5A5AEB5CADDFFFC419A0D8D6FD914800 /* NSURLSession+Promise.swift */; }; - 825D1C93689636D09044C5077E5D905F /* UIKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 355303D423040E9AB8E2164D8C903B23 /* UIKit.framework */; }; - 857E5961D9F6E23BD86DEB613A1499C7 /* NSError+Cancellation.h in Headers */ = {isa = PBXBuildFile; fileRef = 2E9E05F82273A09FD6E5CA99FD3A74D9 /* NSError+Cancellation.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 88B3F911629C08DEEB226F3B294AAB36 /* NSNotificationCenter+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 786AAA1F62613C489FD473D4CE16127A /* NSNotificationCenter+Promise.swift */; }; - 897283A0B7F5299913327CC8FD6CC997 /* Pods-SwaggerClientTests-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 8C4A96A3E69C772990E3E922D0FD1BC4 /* UIView+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 13DB7D7990FD3354E34510894CC30CD1 /* UIView+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 8D3A68D3CBD8A1D89099F704A04A04FC /* PromiseKit-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = B09DEE52CBDEC1EA108DD327EF036F4A /* PromiseKit-dummy.m */; }; - 8E3861989641484EE3095722EC08B5A9 /* NSURLConnection+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = D9A940E08D42AC7D07C6B74D3310C69A /* NSURLConnection+AnyPromise.m */; }; - 8EB11202167FCDDF1257AAAB1D1FB244 /* Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = FDA7C65B58A0E739E615FA7A750AA0AD /* Alamofire.swift */; }; - 909B0A29022956D90C32C4AA319F75D1 /* AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = EC8150042B23FCA7DF9979098694EC0B /* AnyPromise.m */; }; - 91C09AC2A52ED69A27C8D923139A006F /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 79E01B70640812E104A60E8F985F7E9D /* Foundation.framework */; }; - 9469DF81ECB494E84675969B5E13374C /* Alamofire-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 791F2A99A7894F88F8BBAE2F6C627522 /* Alamofire-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 97D71F12142A541BEEF425805D51379E /* race.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3EC07412ABFB8D5A06E7B38380FFD9C4 /* race.swift */; }; - 9876AE0817723FB5E93A94B1E1906901 /* Pods-SwaggerClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */; }; - 9CFBA896DF45B68C788F80013AC3FDBB /* Alamofire.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = A1D1571AB15108DF6F9C4FE2064E3C43 /* Alamofire.framework */; }; - A4BA36ADDDFBCF208CC58E552C0AC85C /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 79E01B70640812E104A60E8F985F7E9D /* Foundation.framework */; }; - AA314156AC500125F4078EE968DB14C6 /* Result.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1F60254382C7024DDFD16533FB81750A /* Result.swift */; }; - ADEEE5F368B5D707D03E78FD75C59048 /* Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = DDB573F3C977C55072704AA24EC06164 /* Promise.swift */; }; - ADF19C953CE2A7D0B72EC93A81FCCC26 /* Alamofire-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = F0962CCF21BDD2EB5751C14F9322AFC9 /* Alamofire-dummy.m */; }; - AE4CF87C02C042DF13ED5B21C4FDC1E0 /* Stream.swift in Sources */ = {isa = PBXBuildFile; fileRef = BCC88BB5150F5865EE3017D1B9AB4CF5 /* Stream.swift */; }; - BE41196F6A3903E59C3306FE3F8B43FE /* Notifications.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9519BB8B059D8A17CE43587EB6EFA61D /* Notifications.swift */; }; - C0DB70AB368765DC64BFB5FEA75E0696 /* ParameterEncoding.swift in Sources */ = {isa = PBXBuildFile; fileRef = E4B2CF9B72BC56E74E6B0037BDE92031 /* ParameterEncoding.swift */; }; - C141DD535C090B58DD95D53988AAA42B /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 79E01B70640812E104A60E8F985F7E9D /* Foundation.framework */; }; - C546890220177F840E8AFC829D0E3FEB /* Pods-SwaggerClientTests-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */; }; - C7B6DD7C0456C50289A2C381DFE9FA3F /* MultipartFormData.swift in Sources */ = {isa = PBXBuildFile; fileRef = CA79CBD1DDA33C45473F8807605719BC /* MultipartFormData.swift */; }; - C86881D2285095255829A578F0A85300 /* after.m in Sources */ = {isa = PBXBuildFile; fileRef = 4765491FCD8E096D84D4E57E005B8B49 /* after.m */; }; - C86CE0A47FAD4C9B2929A335D62A179E /* UIViewController+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = B7C40ADE30634419CED97EC829EE5D2C /* UIViewController+Promise.swift */; }; - CAF12A3EDA2376FFEAD4A12E413C1AAD /* UIActionSheet+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = CABB6C822D84DC5F0596B6D7B60CC5AA /* UIActionSheet+AnyPromise.m */; }; - CB2A58CBAB5A2E63D0CB70F2697CAE87 /* when.m in Sources */ = {isa = PBXBuildFile; fileRef = 9C307C0A58A490D3080DB4C1E745C973 /* when.m */; }; - CD97970D21D3CB8C459FAFEF11EE60F3 /* Category.swift in Sources */ = {isa = PBXBuildFile; fileRef = D4DF0604EDC1460935E6E445A47023A4 /* Category.swift */; }; - CE225CF07E6E385F014883D607AFA44D /* URLDataPromise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0E339112CF5C9275CFBEB94C29AD250B /* URLDataPromise.swift */; }; - CE89E5C528D52BBCBCD23309603BA6D1 /* CALayer+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = E48946E76C93EE81F20C76C0EE272B8E /* CALayer+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - D1735D6C4D574339EB49024228448459 /* UIView+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5E69FDAAF09817F0BA67D7C575BAFF48 /* UIView+Promise.swift */; }; - D358A828E68E152D06FC8E35533BF00B /* OMGHTTPURLRQ-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 8F88352C39FB2D4A0D36696674E7C05D /* OMGHTTPURLRQ-dummy.m */; }; - D546A4DBA3F7750F45A6F63B994C081C /* User.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5B248364ABF60ACD7DB31A17DCFDFD0C /* User.swift */; }; - D93596046CD3B301F4EC99A7A118C82C /* Error.swift in Sources */ = {isa = PBXBuildFile; fileRef = DFFF6310B8F8C445362FF33E936F85CA /* Error.swift */; }; - D97B0097ACB39F4E308E996F4F2AC836 /* Pods-SwaggerClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - DBD1F4247E1C591AE4EE5531599AB170 /* NSNotificationCenter+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = EFC77A5BCF407679FAB606F03E631A11 /* NSNotificationCenter+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - E2B0094FAAEA55C55AD141136F650E35 /* Order.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0A545673F09F49CDD60A13B4B0AF1020 /* Order.swift */; }; - EA35E77B4F31DC3E1D224458E0BC959D /* APIs.swift in Sources */ = {isa = PBXBuildFile; fileRef = D8072E1108951F272C003553FC8926C7 /* APIs.swift */; }; - EA67B414E392EFD2B14742F55A595596 /* after.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3E49ED544745AD479AFA0B6766F441CE /* after.swift */; }; - EB3C88CDAF122BA763FEF85758370C7C /* UIAlertView+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8E29EB54AEC61300AD412C40991FFED5 /* UIAlertView+Promise.swift */; }; - EB9A1F33DB49ADA09F6E7F19A2C30357 /* NSURLConnection+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9066E09FAD7A3236DAD81317C1E48214 /* NSURLConnection+Promise.swift */; }; - ED30A8B82BA1D53CBC370B1DC18DA1EB /* when.swift in Sources */ = {isa = PBXBuildFile; fileRef = DEFA2BBF978F33CA2112DC5D6209A3EF /* when.swift */; }; - EFE92E8D3813DD26E78E93EEAF6D7E7E /* Request.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7D3192434754120C2AAF44818AEE054B /* Request.swift */; }; - F206C370F63155D3468E0C188498C5DC /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 79E01B70640812E104A60E8F985F7E9D /* Foundation.framework */; }; - F4582E8DC1C9F362ADA4BAE9CEF8B681 /* dispatch_promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 85FD17541BFB4152FD5F2CA46F9E3ACC /* dispatch_promise.swift */; }; - F700EAA9F9F6C1F99C83B45D05C5AD14 /* PromiseKit.h in Headers */ = {isa = PBXBuildFile; fileRef = 1AAED38B682D186542DC2B8D273486F4 /* PromiseKit.h */; settings = {ATTRIBUTES = (Public, ); }; }; - F7161E50F083B2267363F243C4E4B78F /* AnyPromise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1FB5ABB73E12675999DE989CC2478A7A /* AnyPromise.swift */; }; - F898D4270885EF1114608E76B0C09E21 /* State.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3BEE20F7C5242E616D2D97B5FBE31323 /* State.swift */; }; - FB0B33F03AC2BC8A7FC7FD912C12CC22 /* PromiseKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = A112EF8BB3933C1C1E42F11B3DD3B02A /* PromiseKit.framework */; }; - FFA95B8BEE43D793FF453E49099AC52E /* QuartzCore.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 0B92202857E3535647B0785253083518 /* QuartzCore.framework */; }; + 009A705EB41A7BD11E77200CD1FB65CC /* AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = EC8150042B23FCA7DF9979098694EC0B /* AnyPromise.m */; }; + 029AC3390FBF6FE9A66FC3D937065ED8 /* UIActionSheet+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 590BCD68D24A72708312E57A91360AC7 /* UIActionSheet+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 061D9A45538674253A809E070A8A089D /* UIViewController+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = B7C40ADE30634419CED97EC829EE5D2C /* UIViewController+Promise.swift */; }; + 086EF9C01D071D88D853A11539D42B9F /* Models.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8F0266C5AE0B23A436291F6647902086 /* Models.swift */; }; + 0DB7734F8CD7D40D922F73C1C9146EE4 /* OMGFormURLEncode.h in Headers */ = {isa = PBXBuildFile; fileRef = 3B1578E353CE37C4C4201EC9101DE67F /* OMGFormURLEncode.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 13C8FE870121B96B85458487D176292A /* OMGUserAgent.m in Sources */ = {isa = PBXBuildFile; fileRef = 937CB6976C5F585A76A9383107F5AF73 /* OMGUserAgent.m */; settings = {COMPILER_FLAGS = "-DOS_OBJECT_USE_OBJC=0"; }; }; + 162CFCD9335EB4583A6247A6116FEB0D /* NSURLConnection+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = E0B0C8D6D1D56B95983D680363E6F785 /* NSURLConnection+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 19481BE7602C732E16A4C1FDE7D800DA /* NSURLConnection+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9066E09FAD7A3236DAD81317C1E48214 /* NSURLConnection+Promise.swift */; }; + 1B3395001A4E5AB2E7EEEFE9964348B5 /* after.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3E49ED544745AD479AFA0B6766F441CE /* after.swift */; }; + 1B9EDEDC964E6B08F78920B4F4B9DB84 /* Alamofire-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 791F2A99A7894F88F8BBAE2F6C627522 /* Alamofire-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 2192B0DEE9028936168890C1D6EB0259 /* Download.swift in Sources */ = {isa = PBXBuildFile; fileRef = 770621722C3B98D9380F76F3310EAA7F /* Download.swift */; }; + 21B837E7DB2A98D7B3E2D64AABA828F2 /* PetAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 261F03A3C73374FD19333EEA59CCD59F /* PetAPI.swift */; }; + 23FFDF15FBA1EC26909CB3BC5CCEB3A8 /* PromiseKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = A112EF8BB3933C1C1E42F11B3DD3B02A /* PromiseKit.framework */; }; + 258F28EA87BCDBE2307CD728D6847F44 /* OMGHTTPURLRQ.h in Headers */ = {isa = PBXBuildFile; fileRef = 859DDC0FFB13DB9C838BA38D0641A1BA /* OMGHTTPURLRQ.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 28AF3FD0C6798D6A36A13C2AB39F8239 /* Result.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1F60254382C7024DDFD16533FB81750A /* Result.swift */; }; + 2A926E5EA0483C43023F396648F31100 /* APIHelper.swift in Sources */ = {isa = PBXBuildFile; fileRef = D2BAD338E56EF3CAA6E54490FE0C5DF9 /* APIHelper.swift */; }; + 2C65AE47419BA083958A5D9F760F7150 /* OMGHTTPURLRQ-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 8F88352C39FB2D4A0D36696674E7C05D /* OMGHTTPURLRQ-dummy.m */; }; + 2E3A55DBE5D58E6E6B3068D0BF84BA42 /* OMGUserAgent.h in Headers */ = {isa = PBXBuildFile; fileRef = 4FF818D195F8814F5F8878A2FD02AF1D /* OMGUserAgent.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 2FF723F26615EB2ACAE54BDA6E3707DC /* Pods-SwaggerClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */; }; + 31D35FA0B2173504DBA8E2F450CAC665 /* ServerTrustPolicy.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8D1D96AB285E285A3CC15FAD1CD875B2 /* ServerTrustPolicy.swift */; }; + 31F8B86E3672D0B828B6352C875649C4 /* Pods-SwaggerClientTests-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 32A893A9FE628EDBC482D40F753699F9 /* race.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3EC07412ABFB8D5A06E7B38380FFD9C4 /* race.swift */; }; + 3360421DE3672EDEC5D92072E5FB3DEA /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AB034280B33CDA4CAB9BB6A9ADD01052 /* Foundation.framework */; }; + 33D7D29D9E53DA84337D305017107505 /* PetstoreClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 3FE36566EFBFEFABC46589686A7ADCD2 /* Validation.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0435721889B71489503A007D233559DF /* Validation.swift */; }; + 4CDF7F31FC91171478EC0A2E2AB4E758 /* Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = 74E1D5C24530737CDD54FA854E37B371 /* Response.swift */; }; + 5344CCD94F668BD41A0417B3A3CDF4F2 /* OMGFormURLEncode.m in Sources */ = {isa = PBXBuildFile; fileRef = 56CDA7C9327CF6F3DFC66FC128D7365B /* OMGFormURLEncode.m */; settings = {COMPILER_FLAGS = "-DOS_OBJECT_USE_OBJC=0"; }; }; + 54BAF231DB704DB87968C54637AF9551 /* PetstoreClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */; }; + 55F5CB213AA2AE0675636AC73B7D7FB1 /* OMGHTTPURLRQ.m in Sources */ = {isa = PBXBuildFile; fileRef = 3EEC1FB4B45C5C247D2D0FB33D4F5A1D /* OMGHTTPURLRQ.m */; settings = {COMPILER_FLAGS = "-DOS_OBJECT_USE_OBJC=0"; }; }; + 563431FCE9268B58BFD2F32E358673C6 /* UIAlertView+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = 9FB7C011EC5C968D7A91E71A028913B7 /* UIAlertView+AnyPromise.m */; }; + 57BFFADED3A561DB8420A8B74A5A57BB /* QuartzCore.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = DA6A54FE4F7D8D9EB477715D46429925 /* QuartzCore.framework */; }; + 58597FACD9B948EB5E4EB1A96E84F9DE /* NetworkReachabilityManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = FFB0686D05BA9C4D5A69D6058C029FF2 /* NetworkReachabilityManager.swift */; }; + 5919AA12FFE36B8D4D60D7032547A2B5 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AB034280B33CDA4CAB9BB6A9ADD01052 /* Foundation.framework */; }; + 5C067F2478F7DD077A0496925F57CE8C /* UIViewController+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 7B892AF5EA37A5C7962FEA3E294B2526 /* UIViewController+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 5ECBDDFA4329B4AB812B4A10DBD2EB1A /* join.m in Sources */ = {isa = PBXBuildFile; fileRef = E3B8EDBFFE2A701981A073412ECCF6AD /* join.m */; }; + 5F193AFDA8E41A904D4B657769F49A93 /* MultipartFormData.swift in Sources */ = {isa = PBXBuildFile; fileRef = CA79CBD1DDA33C45473F8807605719BC /* MultipartFormData.swift */; }; + 629C5CA00E2A6A40D7AEF34A7FD7772F /* UIView+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 13DB7D7990FD3354E34510894CC30CD1 /* UIView+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 66130A4C8A83C11558EC154FA1C9D191 /* after.m in Sources */ = {isa = PBXBuildFile; fileRef = 4765491FCD8E096D84D4E57E005B8B49 /* after.m */; }; + 689CD9721F90D45A57369D76461CA5E2 /* NSNotificationCenter+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = DCBC249F9443D7D79A42B5C4BAC874C8 /* NSNotificationCenter+AnyPromise.m */; }; + 68B6B55AA10FA42481892FE79996D4F0 /* UIView+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5E69FDAAF09817F0BA67D7C575BAFF48 /* UIView+Promise.swift */; }; + 6ADCA5D4BB1C66A8FC959C38CAEA4488 /* NSNotificationCenter+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = EFC77A5BCF407679FAB606F03E631A11 /* NSNotificationCenter+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 6FA4548F5D2921C78F45295A21147A04 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AB034280B33CDA4CAB9BB6A9ADD01052 /* Foundation.framework */; }; + 74231A47F9018E69CB8390B3BD9815B8 /* hang.m in Sources */ = {isa = PBXBuildFile; fileRef = 955F5499BB7496155FBF443B524F1D50 /* hang.m */; }; + 7519B50597E2DC5B47FC6927BA94D3A7 /* NSError+Cancellation.h in Headers */ = {isa = PBXBuildFile; fileRef = 2E9E05F82273A09FD6E5CA99FD3A74D9 /* NSError+Cancellation.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 7546CDAE72452E874E5DB53099BF3E70 /* UIViewController+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = 53F1201EF49979297542207D6EB6EC55 /* UIViewController+AnyPromise.m */; }; + 7892B90D39A86C32BD7ECFF8F6C52A38 /* Request.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7D3192434754120C2AAF44818AEE054B /* Request.swift */; }; + 7A2A45654491E53EA0DF0C7749C7D6BB /* Alamofire.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = A1D1571AB15108DF6F9C4FE2064E3C43 /* Alamofire.framework */; }; + 7EC6F570997E9A0CC65AD7E7E319C0EF /* Promise+Properties.swift in Sources */ = {isa = PBXBuildFile; fileRef = B225BF6ADAA247F1300081D25732B5B4 /* Promise+Properties.swift */; }; + 7F89336AE817C0C79287405B01352B8F /* OMGHTTPURLRQ.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 3530BF15E14D1F6D7134EE67377D5C8C /* OMGHTTPURLRQ.framework */; }; + 8179D1D51A9219B01C0C007F96F02F33 /* Notifications.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9519BB8B059D8A17CE43587EB6EFA61D /* Notifications.swift */; }; + 897985FA042CD12B825C3032898FAB26 /* Pods-SwaggerClientTests-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */; }; + 8A858C9291A59130A4A3AE2FB193E480 /* UIAlertView+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8E29EB54AEC61300AD412C40991FFED5 /* UIAlertView+Promise.swift */; }; + 8ADEA58D7C48EC4973D667F87C5AE948 /* URLDataPromise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0E339112CF5C9275CFBEB94C29AD250B /* URLDataPromise.swift */; }; + 8BC2037248D2FA8B2E2475AC2E466494 /* Alamofire-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = F0962CCF21BDD2EB5751C14F9322AFC9 /* Alamofire-dummy.m */; }; + 98971D531D9D7138ED04B55FE458D66D /* NSURLConnection+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = D9A940E08D42AC7D07C6B74D3310C69A /* NSURLConnection+AnyPromise.m */; }; + 989ED6D4ECDEF446FB68EFF07F0CBEF5 /* PromiseKit-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = B09DEE52CBDEC1EA108DD327EF036F4A /* PromiseKit-dummy.m */; }; + 98C216E54478D7F70674111361A4DB7E /* Pods-SwaggerClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 9B70D1F82BB1FA9EAEF67815AB211B47 /* Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = FDA7C65B58A0E739E615FA7A750AA0AD /* Alamofire.swift */; }; + 9C88873949B0DCF8A580D0F65A43A482 /* Manager.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1AA002805CE140B0968FC965A53F0A4C /* Manager.swift */; }; + 9E16513086BC96F16B7F73065AE84AC4 /* NSNotificationCenter+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 786AAA1F62613C489FD473D4CE16127A /* NSNotificationCenter+Promise.swift */; }; + A04BFC558D69E7DBB68023C80A9CFE4E /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AB034280B33CDA4CAB9BB6A9ADD01052 /* Foundation.framework */; }; + A3C3B39CE3715B4260DC6FF0B621C142 /* Category.swift in Sources */ = {isa = PBXBuildFile; fileRef = D4DF0604EDC1460935E6E445A47023A4 /* Category.swift */; }; + A3D61ED4990E52E06A3315F2A9A00C6D /* ResponseSerialization.swift in Sources */ = {isa = PBXBuildFile; fileRef = DA62734652B80C3897AA655226B3BCF3 /* ResponseSerialization.swift */; }; + AF02896B7B6B213C98324CD75871275A /* CALayer+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = DD83C2B5FF3BF5AB85E18B1BB6293857 /* CALayer+AnyPromise.m */; }; + AF1AE4A9DCBCD5BEA4818AB39C73F2FB /* UIKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 629BAC72A4C38220E0906526E102AC40 /* UIKit.framework */; }; + B067653C1D7B7214CD0079A279326610 /* AnyPromise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1FB5ABB73E12675999DE989CC2478A7A /* AnyPromise.swift */; }; + B1A09AAC19DAB39B1C7F172CEBF0AAAD /* when.swift in Sources */ = {isa = PBXBuildFile; fileRef = DEFA2BBF978F33CA2112DC5D6209A3EF /* when.swift */; }; + B924DB98A633A09B12A6226F75261F83 /* Stream.swift in Sources */ = {isa = PBXBuildFile; fileRef = BCC88BB5150F5865EE3017D1B9AB4CF5 /* Stream.swift */; }; + BF43C103A91BDDC98FA10577CBA76D8B /* AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = D475FE9899956F5D2196D1C19DFC1F28 /* AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + C2249D68F55536B774806E6ED01D3431 /* NSURLSession+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5A5AEB5CADDFFFC419A0D8D6FD914800 /* NSURLSession+Promise.swift */; }; + C3EC2C7BE760D6CEE606445A1AE2E071 /* dispatch_promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 85FD17541BFB4152FD5F2CA46F9E3ACC /* dispatch_promise.swift */; }; + C5938D7FB0EC73BE33F4A6B31BE937B9 /* join.swift in Sources */ = {isa = PBXBuildFile; fileRef = BED547C24FF8AE5F91ED94E3BC8052C8 /* join.swift */; }; + C884C9ADEA7330CF670815C9689FBBD9 /* UIActionSheet+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = DDDBF73F440D96AB666A6418AEEF2946 /* UIActionSheet+Promise.swift */; }; + CEE2E4C0A2875A6C0CA9BB46572D6224 /* Timeline.swift in Sources */ = {isa = PBXBuildFile; fileRef = 47B728204DA3D60FAB04A757D3B09D2E /* Timeline.swift */; }; + CEF24FA13891DB5422B2DAF72DE83A9A /* Upload.swift in Sources */ = {isa = PBXBuildFile; fileRef = A9E0C3DC76C639C91EF9B920C8E3D60F /* Upload.swift */; }; + D02588110E13C2C2F223EAE690848951 /* UserAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 552D15E0340BF58CC1922B82E864AEC9 /* UserAPI.swift */; }; + D13DFBC6575E7DB809A1420CB9F920B5 /* dispatch_promise.m in Sources */ = {isa = PBXBuildFile; fileRef = 7356B0365E4182E6E6D55124C678B591 /* dispatch_promise.m */; }; + D2230D11A1EE4A48E9EC72EA44D09EAC /* Error.swift in Sources */ = {isa = PBXBuildFile; fileRef = DFFF6310B8F8C445362FF33E936F85CA /* Error.swift */; }; + D32130A2C8AC5B1FF21AF43BCC2B5217 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AB034280B33CDA4CAB9BB6A9ADD01052 /* Foundation.framework */; }; + D3A23B867EBFCD3AC86370D26250C290 /* OMGHTTPURLRQ-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 3029ADF04ADC2B8F3A7264A416D70B56 /* OMGHTTPURLRQ-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + D509E607CAE14D8848E2BBAC478BEED5 /* Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = DDB573F3C977C55072704AA24EC06164 /* Promise.swift */; }; + D5ECD91CE99A115543BEC3B993C11BD3 /* Pet.swift in Sources */ = {isa = PBXBuildFile; fileRef = 284B3DE9B793FCC633E971DB1798AFAF /* Pet.swift */; }; + D733EB627BBBA34769C0CDEF5ABE0E41 /* UIActionSheet+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = CABB6C822D84DC5F0596B6D7B60CC5AA /* UIActionSheet+AnyPromise.m */; }; + DB9ED067DD1525127DFBE4B5647E502C /* afterlife.swift in Sources */ = {isa = PBXBuildFile; fileRef = 178262A3EEE3B9A6F7B9B2B4ED5AA150 /* afterlife.swift */; }; + E5E62E286336AB2FBB84501E1ACEEE7C /* State.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3BEE20F7C5242E616D2D97B5FBE31323 /* State.swift */; }; + E7D7EF4C9B8164062D3C5E6EA7C534C2 /* Error.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7390892336E4D605CF390FFA4B55EF0A /* Error.swift */; }; + E968D568838BC789817F6009838349A3 /* ParameterEncoding.swift in Sources */ = {isa = PBXBuildFile; fileRef = E4B2CF9B72BC56E74E6B0037BDE92031 /* ParameterEncoding.swift */; }; + EC284D0372D446702CC9585351E4027D /* UIView+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = EA13BF2FADA101A1AB34BF5EC8C7BA85 /* UIView+AnyPromise.m */; }; + ECD1DE9F631F8BCD514213BF97385BAE /* Tag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 211F73A46D90346F7FC6D0D29640EE4F /* Tag.swift */; }; + EECED5D6A7CD41D58DF352339C8C4844 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AB034280B33CDA4CAB9BB6A9ADD01052 /* Foundation.framework */; }; + EF45D47D7EBC09983C83946F2BB75C92 /* PromiseKit.h in Headers */ = {isa = PBXBuildFile; fileRef = 1AAED38B682D186542DC2B8D273486F4 /* PromiseKit.h */; settings = {ATTRIBUTES = (Public, ); }; }; + EF4BCB7BBAB19687FAD3A5A71C859A7F /* Order.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0A545673F09F49CDD60A13B4B0AF1020 /* Order.swift */; }; + EF9B6103AC1A233089E5317B1E2D8031 /* APIs.swift in Sources */ = {isa = PBXBuildFile; fileRef = D8072E1108951F272C003553FC8926C7 /* APIs.swift */; }; + F38E53627E8AD5C92AF674C15A3A2493 /* when.m in Sources */ = {isa = PBXBuildFile; fileRef = 9C307C0A58A490D3080DB4C1E745C973 /* when.m */; }; + F6BC9BD76DB32C32BFDAD6582DC9F9B0 /* NSObject+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6650152803DA41F52DA6A26B5DF713D7 /* NSObject+Promise.swift */; }; + F84E18C37A7B3B8A338E817574491335 /* AlamofireImplementations.swift in Sources */ = {isa = PBXBuildFile; fileRef = 92734297B64DFE0EB0EDE1EA821163DB /* AlamofireImplementations.swift */; }; + F986101B7E81C6AABC67FF43C958D54A /* StoreAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1A3E5E3CD673B025FD8AC260E67AB47E /* StoreAPI.swift */; }; + FADE7DCB53BC63ECC585A5192BC15843 /* Umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = B0B08C036B6283A3D528F1FBBEEF40EC /* Umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + FC438D87EC736F347E1068A05360974E /* UIAlertView+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 4E19A7D44620C4AED963248648938767 /* UIAlertView+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + FCA5211A7610129D1EAFC03D5F5351D2 /* User.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5B248364ABF60ACD7DB31A17DCFDFD0C /* User.swift */; }; + FCB8ADBF2A01486B7D575EA3326A70BD /* Extensions.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5412898DEB10F1983487A10453C6B9CB /* Extensions.swift */; }; + FCDEC7CF7180ECD18CA73EB08EA4624D /* PMKAlertController.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0608A7843513940A299A88D778388F9D /* PMKAlertController.swift */; }; + FF2BDB83CB6FE636673DD089D26FBCB8 /* CALayer+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = E48946E76C93EE81F20C76C0EE272B8E /* CALayer+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; /* End PBXBuildFile section */ /* Begin PBXContainerItemProxy section */ - 4BED27A854EA6600536518D29BBB3670 /* PBXContainerItemProxy */ = { + 094864AE73DBB274F1E39300864E9C62 /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = 79C040AFDDCE1BCBF6D8B5EB0B85887F; - remoteInfo = Alamofire; + remoteGlobalIDString = 1FCDFB2162BF49E98CC34F69A4EB87B9; + remoteInfo = PromiseKit; }; - 6795BDA8BF074DFC4E5D1758C8F88C2A /* PBXContainerItemProxy */ = { + 1F4208A7D556EA95487DDE364B0345D5 /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = 2FD913B4E24277823983BABFDB071664; + remoteGlobalIDString = 6AA38233456D5A22BF4E286D26DBBC53; remoteInfo = PetstoreClient; }; - 7DE91DDF2036FF7431AF3F0DAD4A9C87 /* PBXContainerItemProxy */ = { + 26F113882698B5132DB9F4537EF58E9A /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = 25EDA9CFC641C69402B3857A2C4A39F0; - remoteInfo = PromiseKit; - }; - 8059767A82D94C9F7F7C16D030819C4E /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; - proxyType = 1; - remoteGlobalIDString = 190ACD3A51BC90B85EADB13E9CDD207B; - remoteInfo = OMGHTTPURLRQ; - }; - 8E08EC4F5A85093B738D80C4F04BA3F1 /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; - proxyType = 1; - remoteGlobalIDString = 79C040AFDDCE1BCBF6D8B5EB0B85887F; + remoteGlobalIDString = 88E9EC28B8B46C3631E6B242B50F4442; remoteInfo = Alamofire; }; - ABF692D458113B268763EDC4670EAF7A /* PBXContainerItemProxy */ = { + 65851406A9AA058E6966942F3A75BEFB /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = 190ACD3A51BC90B85EADB13E9CDD207B; + remoteGlobalIDString = 5AD1507205D908987C216D989FDDD0CD; remoteInfo = OMGHTTPURLRQ; }; - ECAC5E4454026C822004659466983ADD /* PBXContainerItemProxy */ = { + CC71B8F089BD4B650825DDAA5DB71E07 /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = 25EDA9CFC641C69402B3857A2C4A39F0; + remoteGlobalIDString = 88E9EC28B8B46C3631E6B242B50F4442; + remoteInfo = Alamofire; + }; + E66AC3FE6854646CAC1BEA7B966F17B0 /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; + proxyType = 1; + remoteGlobalIDString = 1FCDFB2162BF49E98CC34F69A4EB87B9; remoteInfo = PromiseKit; }; + FB51D93BE6962BF86154BCCE6C6161E9 /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; + proxyType = 1; + remoteGlobalIDString = 5AD1507205D908987C216D989FDDD0CD; + remoteInfo = OMGHTTPURLRQ; + }; /* End PBXContainerItemProxy section */ /* Begin PBXFileReference section */ - 00ACB4396DD1B4E4539E4E81C1D7A14E /* Pods-SwaggerClientTests.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = "Pods-SwaggerClientTests.modulemap"; sourceTree = ""; }; + 00ACB4396DD1B4E4539E4E81C1D7A14E /* Pods-SwaggerClientTests.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = "Pods-SwaggerClientTests.modulemap"; sourceTree = ""; }; 02F28E719AA874BE9213D6CF8CE7E36B /* Pods-SwaggerClientTests-acknowledgements.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = "Pods-SwaggerClientTests-acknowledgements.plist"; sourceTree = ""; }; 0435721889B71489503A007D233559DF /* Validation.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Validation.swift; path = Source/Validation.swift; sourceTree = ""; }; 0608A7843513940A299A88D778388F9D /* PMKAlertController.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = PMKAlertController.swift; path = Categories/UIKit/PMKAlertController.swift; sourceTree = ""; }; 0A545673F09F49CDD60A13B4B0AF1020 /* Order.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Order.swift; sourceTree = ""; }; - 0B92202857E3535647B0785253083518 /* QuartzCore.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = QuartzCore.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS9.3.sdk/System/Library/Frameworks/QuartzCore.framework; sourceTree = DEVELOPER_DIR; }; - 0C552CDBDD89D489D23D5D4E28356F84 /* PromiseKit.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = PromiseKit.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 0C552CDBDD89D489D23D5D4E28356F84 /* PromiseKit.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = PromiseKit.framework; path = PromiseKit.framework; sourceTree = BUILT_PRODUCTS_DIR; }; 0E339112CF5C9275CFBEB94C29AD250B /* URLDataPromise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = URLDataPromise.swift; path = Sources/URLDataPromise.swift; sourceTree = ""; }; 10A634092EE6D018EB00C75E9864A6A2 /* Alamofire.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = Alamofire.xcconfig; sourceTree = ""; }; 11683764D40FE241FCEEB379EE92E817 /* PromiseKit-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PromiseKit-prefix.pch"; sourceTree = ""; }; @@ -191,7 +190,6 @@ 2FF17440CCD2E1A69791A4AA23325AD5 /* Pods-SwaggerClient-acknowledgements.markdown */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text; path = "Pods-SwaggerClient-acknowledgements.markdown"; sourceTree = ""; }; 3029ADF04ADC2B8F3A7264A416D70B56 /* OMGHTTPURLRQ-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "OMGHTTPURLRQ-umbrella.h"; sourceTree = ""; }; 3530BF15E14D1F6D7134EE67377D5C8C /* OMGHTTPURLRQ.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = OMGHTTPURLRQ.framework; sourceTree = BUILT_PRODUCTS_DIR; }; - 355303D423040E9AB8E2164D8C903B23 /* UIKit.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = UIKit.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS9.3.sdk/System/Library/Frameworks/UIKit.framework; sourceTree = DEVELOPER_DIR; }; 3B1578E353CE37C4C4201EC9101DE67F /* OMGFormURLEncode.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = OMGFormURLEncode.h; path = Sources/OMGFormURLEncode.h; sourceTree = ""; }; 3BEE20F7C5242E616D2D97B5FBE31323 /* State.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = State.swift; path = Sources/State.swift; sourceTree = ""; }; 3E49ED544745AD479AFA0B6766F441CE /* after.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = after.swift; path = Sources/after.swift; sourceTree = ""; }; @@ -200,7 +198,7 @@ 3EEC1FB4B45C5C247D2D0FB33D4F5A1D /* OMGHTTPURLRQ.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = OMGHTTPURLRQ.m; path = Sources/OMGHTTPURLRQ.m; sourceTree = ""; }; 3F16B43ABD2C8CD4A311AA1AB3B6C02F /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; 43FC49AA70D3E2A84CAED9C37BE9C4B5 /* Pods-SwaggerClientTests-frameworks.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClientTests-frameworks.sh"; sourceTree = ""; }; - 467F288FF1A023115720F192FD4D9297 /* Alamofire.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = Alamofire.modulemap; sourceTree = ""; }; + 467F288FF1A023115720F192FD4D9297 /* Alamofire.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = Alamofire.modulemap; sourceTree = ""; }; 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "PetstoreClient-dummy.m"; sourceTree = ""; }; 4765491FCD8E096D84D4E57E005B8B49 /* after.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = after.m; path = Sources/after.m; sourceTree = ""; }; 47B728204DA3D60FAB04A757D3B09D2E /* Timeline.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Timeline.swift; path = Source/Timeline.swift; sourceTree = ""; }; @@ -215,6 +213,7 @@ 5A5AEB5CADDFFFC419A0D8D6FD914800 /* NSURLSession+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "NSURLSession+Promise.swift"; path = "Categories/Foundation/NSURLSession+Promise.swift"; sourceTree = ""; }; 5B248364ABF60ACD7DB31A17DCFDFD0C /* User.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = User.swift; sourceTree = ""; }; 5E69FDAAF09817F0BA67D7C575BAFF48 /* UIView+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "UIView+Promise.swift"; path = "Categories/UIKit/UIView+Promise.swift"; sourceTree = ""; }; + 629BAC72A4C38220E0906526E102AC40 /* UIKit.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = UIKit.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS10.0.sdk/System/Library/Frameworks/UIKit.framework; sourceTree = DEVELOPER_DIR; }; 6650152803DA41F52DA6A26B5DF713D7 /* NSObject+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "NSObject+Promise.swift"; path = "Categories/Foundation/NSObject+Promise.swift"; sourceTree = ""; }; 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Pods-SwaggerClientTests-dummy.m"; sourceTree = ""; }; 705D1370384B46A3E5A39B39E7B4D181 /* OMGHTTPURLRQ-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "OMGHTTPURLRQ-prefix.pch"; sourceTree = ""; }; @@ -224,7 +223,6 @@ 770621722C3B98D9380F76F3310EAA7F /* Download.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Download.swift; path = Source/Download.swift; sourceTree = ""; }; 786AAA1F62613C489FD473D4CE16127A /* NSNotificationCenter+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "NSNotificationCenter+Promise.swift"; path = "Categories/Foundation/NSNotificationCenter+Promise.swift"; sourceTree = ""; }; 791F2A99A7894F88F8BBAE2F6C627522 /* Alamofire-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Alamofire-umbrella.h"; sourceTree = ""; }; - 79E01B70640812E104A60E8F985F7E9D /* Foundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS9.3.sdk/System/Library/Frameworks/Foundation.framework; sourceTree = DEVELOPER_DIR; }; 7B892AF5EA37A5C7962FEA3E294B2526 /* UIViewController+AnyPromise.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = "UIViewController+AnyPromise.h"; path = "Categories/UIKit/UIViewController+AnyPromise.h"; sourceTree = ""; }; 7C8E63660D346FD8ED2A97242E74EA09 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; 7D3192434754120C2AAF44818AEE054B /* Request.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Request.swift; path = Source/Request.swift; sourceTree = ""; }; @@ -241,22 +239,23 @@ 9066E09FAD7A3236DAD81317C1E48214 /* NSURLConnection+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "NSURLConnection+Promise.swift"; path = "Categories/Foundation/NSURLConnection+Promise.swift"; sourceTree = ""; }; 92734297B64DFE0EB0EDE1EA821163DB /* AlamofireImplementations.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AlamofireImplementations.swift; sourceTree = ""; }; 937CB6976C5F585A76A9383107F5AF73 /* OMGUserAgent.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = OMGUserAgent.m; path = Sources/OMGUserAgent.m; sourceTree = ""; }; - 93A4A3777CF96A4AAC1D13BA6DCCEA73 /* Podfile */ = {isa = PBXFileReference; explicitFileType = text.script.ruby; includeInIndex = 1; name = Podfile; path = ../Podfile; sourceTree = SOURCE_ROOT; xcLanguageSpecificationIdentifier = xcode.lang.ruby; }; + 93A4A3777CF96A4AAC1D13BA6DCCEA73 /* Podfile */ = {isa = PBXFileReference; explicitFileType = text.script.ruby; includeInIndex = 1; lastKnownFileType = text; name = Podfile; path = ../Podfile; sourceTree = SOURCE_ROOT; xcLanguageSpecificationIdentifier = xcode.lang.ruby; }; 94F9363EEBC7855FA6B9A6B7485D5170 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; 9519BB8B059D8A17CE43587EB6EFA61D /* Notifications.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Notifications.swift; path = Source/Notifications.swift; sourceTree = ""; }; 955F5499BB7496155FBF443B524F1D50 /* hang.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = hang.m; path = Sources/hang.m; sourceTree = ""; }; 969C2AF48F4307163B301A92E78AFCF2 /* Pods-SwaggerClientTests.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClientTests.debug.xcconfig"; sourceTree = ""; }; - 97FF5C0140A433518CF653B6A520F27A /* OMGHTTPURLRQ.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = OMGHTTPURLRQ.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 97FF5C0140A433518CF653B6A520F27A /* OMGHTTPURLRQ.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = OMGHTTPURLRQ.framework; path = OMGHTTPURLRQ.framework; sourceTree = BUILT_PRODUCTS_DIR; }; 9C307C0A58A490D3080DB4C1E745C973 /* when.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = when.m; path = Sources/when.m; sourceTree = ""; }; 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PetstoreClient-umbrella.h"; sourceTree = ""; }; 9FB7C011EC5C968D7A91E71A028913B7 /* UIAlertView+AnyPromise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = "UIAlertView+AnyPromise.m"; path = "Categories/UIKit/UIAlertView+AnyPromise.m"; sourceTree = ""; }; A112EF8BB3933C1C1E42F11B3DD3B02A /* PromiseKit.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = PromiseKit.framework; sourceTree = BUILT_PRODUCTS_DIR; }; A1D1571AB15108DF6F9C4FE2064E3C43 /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; A9E0C3DC76C639C91EF9B920C8E3D60F /* Upload.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Upload.swift; path = Source/Upload.swift; sourceTree = ""; }; + AB034280B33CDA4CAB9BB6A9ADD01052 /* Foundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS10.0.sdk/System/Library/Frameworks/Foundation.framework; sourceTree = DEVELOPER_DIR; }; B09DEE52CBDEC1EA108DD327EF036F4A /* PromiseKit-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "PromiseKit-dummy.m"; sourceTree = ""; }; B0B08C036B6283A3D528F1FBBEEF40EC /* Umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = Umbrella.h; path = Sources/Umbrella.h; sourceTree = ""; }; B225BF6ADAA247F1300081D25732B5B4 /* Promise+Properties.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Promise+Properties.swift"; path = "Sources/Promise+Properties.swift"; sourceTree = ""; }; - B349821C1F2B2C5F593BC228C462C99D /* OMGHTTPURLRQ.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = OMGHTTPURLRQ.modulemap; sourceTree = ""; }; + B349821C1F2B2C5F593BC228C462C99D /* OMGHTTPURLRQ.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = OMGHTTPURLRQ.modulemap; sourceTree = ""; }; B3A144887C8B13FD888B76AB096B0CA1 /* PetstoreClient-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PetstoreClient-prefix.pch"; sourceTree = ""; }; B7C40ADE30634419CED97EC829EE5D2C /* UIViewController+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "UIViewController+Promise.swift"; path = "Categories/UIKit/UIViewController+Promise.swift"; sourceTree = ""; }; BCC88BB5150F5865EE3017D1B9AB4CF5 /* Stream.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Stream.swift; path = Source/Stream.swift; sourceTree = ""; }; @@ -265,27 +264,28 @@ BED547C24FF8AE5F91ED94E3BC8052C8 /* join.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = join.swift; path = Sources/join.swift; sourceTree = ""; }; CA79CBD1DDA33C45473F8807605719BC /* MultipartFormData.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = MultipartFormData.swift; path = Source/MultipartFormData.swift; sourceTree = ""; }; CABB6C822D84DC5F0596B6D7B60CC5AA /* UIActionSheet+AnyPromise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = "UIActionSheet+AnyPromise.m"; path = "Categories/UIKit/UIActionSheet+AnyPromise.m"; sourceTree = ""; }; - CF8754792D6C49D6F5C8859350F48B35 /* Pods_SwaggerClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_SwaggerClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + CF8754792D6C49D6F5C8859350F48B35 /* Pods_SwaggerClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Pods_SwaggerClient.framework; path = "Pods-SwaggerClient.framework"; sourceTree = BUILT_PRODUCTS_DIR; }; D2841E5E2183846280B97F6E660DA26C /* Pods-SwaggerClient-resources.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClient-resources.sh"; sourceTree = ""; }; D2BAD338E56EF3CAA6E54490FE0C5DF9 /* APIHelper.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIHelper.swift; sourceTree = ""; }; - D3A577E7C7DF4A2157D9001CA0D40A72 /* PromiseKit.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = PromiseKit.modulemap; sourceTree = ""; }; + D3A577E7C7DF4A2157D9001CA0D40A72 /* PromiseKit.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = PromiseKit.modulemap; sourceTree = ""; }; D475FE9899956F5D2196D1C19DFC1F28 /* AnyPromise.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = AnyPromise.h; path = Sources/AnyPromise.h; sourceTree = ""; }; D4DF0604EDC1460935E6E445A47023A4 /* Category.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Category.swift; sourceTree = ""; }; D8072E1108951F272C003553FC8926C7 /* APIs.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIs.swift; sourceTree = ""; }; D9A940E08D42AC7D07C6B74D3310C69A /* NSURLConnection+AnyPromise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = "NSURLConnection+AnyPromise.m"; path = "Categories/Foundation/NSURLConnection+AnyPromise.m"; sourceTree = ""; }; DA62734652B80C3897AA655226B3BCF3 /* ResponseSerialization.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ResponseSerialization.swift; path = Source/ResponseSerialization.swift; sourceTree = ""; }; + DA6A54FE4F7D8D9EB477715D46429925 /* QuartzCore.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = QuartzCore.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS10.0.sdk/System/Library/Frameworks/QuartzCore.framework; sourceTree = DEVELOPER_DIR; }; DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = PetstoreClient.xcconfig; sourceTree = ""; }; DCBC249F9443D7D79A42B5C4BAC874C8 /* NSNotificationCenter+AnyPromise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = "NSNotificationCenter+AnyPromise.m"; path = "Categories/Foundation/NSNotificationCenter+AnyPromise.m"; sourceTree = ""; }; DD83C2B5FF3BF5AB85E18B1BB6293857 /* CALayer+AnyPromise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = "CALayer+AnyPromise.m"; path = "Categories/QuartzCore/CALayer+AnyPromise.m"; sourceTree = ""; }; DDB573F3C977C55072704AA24EC06164 /* Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Promise.swift; path = Sources/Promise.swift; sourceTree = ""; }; DDDBF73F440D96AB666A6418AEEF2946 /* UIActionSheet+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "UIActionSheet+Promise.swift"; path = "Categories/UIKit/UIActionSheet+Promise.swift"; sourceTree = ""; }; - DE164497A94DD3215ED4D1AE0D4703B1 /* Pods-SwaggerClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = "Pods-SwaggerClient.modulemap"; sourceTree = ""; }; + DE164497A94DD3215ED4D1AE0D4703B1 /* Pods-SwaggerClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = "Pods-SwaggerClient.modulemap"; sourceTree = ""; }; DEFA2BBF978F33CA2112DC5D6209A3EF /* when.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = when.swift; path = Sources/when.swift; sourceTree = ""; }; DFFF6310B8F8C445362FF33E936F85CA /* Error.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Error.swift; path = Sources/Error.swift; sourceTree = ""; }; E0B0C8D6D1D56B95983D680363E6F785 /* NSURLConnection+AnyPromise.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = "NSURLConnection+AnyPromise.h"; path = "Categories/Foundation/NSURLConnection+AnyPromise.h"; sourceTree = ""; }; E1E4BCB344D3C100253B24B79421F00A /* Pods-SwaggerClient-acknowledgements.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = "Pods-SwaggerClient-acknowledgements.plist"; sourceTree = ""; }; E3B8EDBFFE2A701981A073412ECCF6AD /* join.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = join.m; path = Sources/join.m; sourceTree = ""; }; - E3D1141B63DF38660CD6F3AC588A782B /* PetstoreClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = PetstoreClient.modulemap; sourceTree = ""; }; + E3D1141B63DF38660CD6F3AC588A782B /* PetstoreClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = PetstoreClient.modulemap; sourceTree = ""; }; E48946E76C93EE81F20C76C0EE272B8E /* CALayer+AnyPromise.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = "CALayer+AnyPromise.h"; path = "Categories/QuartzCore/CALayer+AnyPromise.h"; sourceTree = ""; }; E4B2CF9B72BC56E74E6B0037BDE92031 /* ParameterEncoding.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ParameterEncoding.swift; path = Source/ParameterEncoding.swift; sourceTree = ""; }; E4E6F4A58FE7868CA2177D3AC79AD2FA /* Pods-SwaggerClientTests-resources.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClientTests-resources.sh"; sourceTree = ""; }; @@ -296,65 +296,65 @@ F0962CCF21BDD2EB5751C14F9322AFC9 /* Alamofire-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Alamofire-dummy.m"; sourceTree = ""; }; F0D4E00A8974E74325E9E53D456F9AD4 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Pods-SwaggerClientTests-umbrella.h"; sourceTree = ""; }; - F2BEA8A3A2770EF455BB2ECCDA8CE0AD /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + F2BEA8A3A2770EF455BB2ECCDA8CE0AD /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Alamofire.framework; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; FB170EFD14935F121CDE3211DB4C5CA3 /* Pods-SwaggerClientTests-acknowledgements.markdown */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text; path = "Pods-SwaggerClientTests-acknowledgements.markdown"; sourceTree = ""; }; FDA7C65B58A0E739E615FA7A750AA0AD /* Alamofire.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Alamofire.swift; path = Source/Alamofire.swift; sourceTree = ""; }; - FE74210E04DEED84E2357049E4589759 /* PetstoreClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = PetstoreClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; - FEEC58138887E454A6CBD0A7BFF2910A /* Pods_SwaggerClientTests.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_SwaggerClientTests.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + FE74210E04DEED84E2357049E4589759 /* PetstoreClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = PetstoreClient.framework; path = PetstoreClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + FEEC58138887E454A6CBD0A7BFF2910A /* Pods_SwaggerClientTests.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Pods_SwaggerClientTests.framework; path = "Pods-SwaggerClientTests.framework"; sourceTree = BUILT_PRODUCTS_DIR; }; FFB0686D05BA9C4D5A69D6058C029FF2 /* NetworkReachabilityManager.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = NetworkReachabilityManager.swift; path = Source/NetworkReachabilityManager.swift; sourceTree = ""; }; /* End PBXFileReference section */ /* Begin PBXFrameworksBuildPhase section */ - 74904C0940192CCB30B90142B3348507 /* Frameworks */ = { + 364E2313E2B201E3BBE0ED3C8DDF7812 /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 1CB5E10963E95432A9674D1FF2B48FA1 /* Foundation.framework in Frameworks */, + 6FA4548F5D2921C78F45295A21147A04 /* Foundation.framework in Frameworks */, + 7F89336AE817C0C79287405B01352B8F /* OMGHTTPURLRQ.framework in Frameworks */, + 57BFFADED3A561DB8420A8B74A5A57BB /* QuartzCore.framework in Frameworks */, + AF1AE4A9DCBCD5BEA4818AB39C73F2FB /* UIKit.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - 9792A6BDBB07FB15453527B4370E3086 /* Frameworks */ = { + 87AF7EC7404199AC8C5D22375A6059BF /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - C141DD535C090B58DD95D53988AAA42B /* Foundation.framework in Frameworks */, + D32130A2C8AC5B1FF21AF43BCC2B5217 /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - B1729F851F648EC60EE93CDB3C8BAEAD /* Frameworks */ = { + 93A52D8380E47350C27ABFF726B0EE7D /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 91C09AC2A52ED69A27C8D923139A006F /* Foundation.framework in Frameworks */, + 3360421DE3672EDEC5D92072E5FB3DEA /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - B9EC7146E2607203CE4A5678AE249144 /* Frameworks */ = { + 99195E4207764744AEC07ECCBCD550EB /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 066335E8B1AEEB4CF633B2ED738D6223 /* Foundation.framework in Frameworks */, - 7D7A40DBAC93241786E8C553921E8C86 /* OMGHTTPURLRQ.framework in Frameworks */, - FFA95B8BEE43D793FF453E49099AC52E /* QuartzCore.framework in Frameworks */, - 825D1C93689636D09044C5077E5D905F /* UIKit.framework in Frameworks */, + A04BFC558D69E7DBB68023C80A9CFE4E /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - FC8C7ACC9E4D7F04E9223A734BF57FFB /* Frameworks */ = { + BC1E0CC70F02685289292200DADFB7F0 /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 9CFBA896DF45B68C788F80013AC3FDBB /* Alamofire.framework in Frameworks */, - A4BA36ADDDFBCF208CC58E552C0AC85C /* Foundation.framework in Frameworks */, - FB0B33F03AC2BC8A7FC7FD912C12CC22 /* PromiseKit.framework in Frameworks */, + 7A2A45654491E53EA0DF0C7749C7D6BB /* Alamofire.framework in Frameworks */, + 5919AA12FFE36B8D4D60D7032547A2B5 /* Foundation.framework in Frameworks */, + 23FFDF15FBA1EC26909CB3BC5CCEB3A8 /* PromiseKit.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - FE8FC779CF4B0CFCC594E81C0FF86C7E /* Frameworks */ = { + BCD2EA67C3EE2725B5C1EEADB0F66AF4 /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - F206C370F63155D3468E0C188498C5DC /* Foundation.framework in Frameworks */, + EECED5D6A7CD41D58DF352339C8C4844 /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; @@ -392,6 +392,7 @@ 211F73A46D90346F7FC6D0D29640EE4F /* Tag.swift */, 5B248364ABF60ACD7DB31A17DCFDFD0C /* User.swift */, ); + name = Models; path = Models; sourceTree = ""; }; @@ -404,6 +405,7 @@ 977CD7DB18C38452FB8DCFCEC690CBDE /* Support Files */, 933F0A2EBD44D53190D1E9FAF3F54AFB /* UIKit */, ); + name = PromiseKit; path = PromiseKit; sourceTree = ""; }; @@ -456,6 +458,7 @@ 0435721889B71489503A007D233559DF /* Validation.swift */, DFFDACE0170FB00C7ECFDA52A87A7665 /* Support Files */, ); + name = Alamofire; path = Alamofire; sourceTree = ""; }; @@ -473,6 +476,16 @@ path = "../Target Support Files/OMGHTTPURLRQ"; sourceTree = ""; }; + 4EE5FA0111D74A644A1CAA11AE22251D /* iOS */ = { + isa = PBXGroup; + children = ( + AB034280B33CDA4CAB9BB6A9ADD01052 /* Foundation.framework */, + DA6A54FE4F7D8D9EB477715D46429925 /* QuartzCore.framework */, + 629BAC72A4C38220E0906526E102AC40 /* UIKit.framework */, + ); + name = iOS; + sourceTree = ""; + }; 6C55196C7E1A0F95D0BEFD790EA1450C /* OMGHTTPURLRQ */ = { isa = PBXGroup; children = ( @@ -481,6 +494,7 @@ 45199ED47CEA398ADDDFDE8F9D0A591D /* Support Files */, 00ED77B3FFE891B16DC5B4DD2FCC0408 /* UserAgent */, ); + name = OMGHTTPURLRQ; path = OMGHTTPURLRQ; sourceTree = ""; }; @@ -619,6 +633,7 @@ children = ( F64549CFCC17C7AC6479508BE180B18D /* Swaggers */, ); + name = Classes; path = Classes; sourceTree = ""; }; @@ -631,16 +646,6 @@ name = FormURLEncode; sourceTree = ""; }; - B4A5C9FBC309EB945E2E089539878931 /* iOS */ = { - isa = PBXGroup; - children = ( - 79E01B70640812E104A60E8F985F7E9D /* Foundation.framework */, - 0B92202857E3535647B0785253083518 /* QuartzCore.framework */, - 355303D423040E9AB8E2164D8C903B23 /* UIKit.framework */, - ); - name = iOS; - sourceTree = ""; - }; C1A60D10CED0E61146591438999C7502 /* Targets Support Files */ = { isa = PBXGroup; children = ( @@ -687,6 +692,7 @@ children = ( AD94092456F8ABCB18F74CAC75AD85DE /* Classes */, ); + name = PetstoreClient; path = PetstoreClient; sourceTree = ""; }; @@ -696,7 +702,7 @@ A1D1571AB15108DF6F9C4FE2064E3C43 /* Alamofire.framework */, 3530BF15E14D1F6D7134EE67377D5C8C /* OMGHTTPURLRQ.framework */, A112EF8BB3933C1C1E42F11B3DD3B02A /* PromiseKit.framework */, - B4A5C9FBC309EB945E2E089539878931 /* iOS */, + 4EE5FA0111D74A644A1CAA11AE22251D /* iOS */, ); name = Frameworks; sourceTree = ""; @@ -722,6 +728,7 @@ F92EFB558CBA923AB1CFA22F708E315A /* APIs */, 1322FED69118C64DAD026CAF7F4C38C6 /* Models */, ); + name = Swaggers; path = Swaggers; sourceTree = ""; }; @@ -732,83 +739,123 @@ 1A3E5E3CD673B025FD8AC260E67AB47E /* StoreAPI.swift */, 552D15E0340BF58CC1922B82E864AEC9 /* UserAPI.swift */, ); + name = APIs; path = APIs; sourceTree = ""; }; /* End PBXGroup section */ /* Begin PBXHeadersBuildPhase section */ - 09D29D14882ADDDA216809ED16917D07 /* Headers */ = { + 06355A827899CB5DF1AEC2B7AE5343A2 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 3860D960E37C1257BDA54626CA592E86 /* AnyPromise.h in Headers */, - CE89E5C528D52BBCBCD23309603BA6D1 /* CALayer+AnyPromise.h in Headers */, - 857E5961D9F6E23BD86DEB613A1499C7 /* NSError+Cancellation.h in Headers */, - DBD1F4247E1C591AE4EE5531599AB170 /* NSNotificationCenter+AnyPromise.h in Headers */, - 18FAC6B4FD3B44CB353C7A6027286100 /* NSURLConnection+AnyPromise.h in Headers */, - F700EAA9F9F6C1F99C83B45D05C5AD14 /* PromiseKit.h in Headers */, - 0268F9278E32ACC1F996F4E2E45622B5 /* UIActionSheet+AnyPromise.h in Headers */, - 12348513CB81BD05B497C210905CDF65 /* UIAlertView+AnyPromise.h in Headers */, - 8C4A96A3E69C772990E3E922D0FD1BC4 /* UIView+AnyPromise.h in Headers */, - 01BD61BBC475EB3369237B84FE24D3EE /* UIViewController+AnyPromise.h in Headers */, - 0BDA43D8F48C8B0D504C440046FAF681 /* Umbrella.h in Headers */, + BF43C103A91BDDC98FA10577CBA76D8B /* AnyPromise.h in Headers */, + FF2BDB83CB6FE636673DD089D26FBCB8 /* CALayer+AnyPromise.h in Headers */, + 7519B50597E2DC5B47FC6927BA94D3A7 /* NSError+Cancellation.h in Headers */, + 6ADCA5D4BB1C66A8FC959C38CAEA4488 /* NSNotificationCenter+AnyPromise.h in Headers */, + 162CFCD9335EB4583A6247A6116FEB0D /* NSURLConnection+AnyPromise.h in Headers */, + EF45D47D7EBC09983C83946F2BB75C92 /* PromiseKit.h in Headers */, + 029AC3390FBF6FE9A66FC3D937065ED8 /* UIActionSheet+AnyPromise.h in Headers */, + FC438D87EC736F347E1068A05360974E /* UIAlertView+AnyPromise.h in Headers */, + 629C5CA00E2A6A40D7AEF34A7FD7772F /* UIView+AnyPromise.h in Headers */, + 5C067F2478F7DD077A0496925F57CE8C /* UIViewController+AnyPromise.h in Headers */, + FADE7DCB53BC63ECC585A5192BC15843 /* Umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - 2835BFBD2FEFE3E2844CFC1B10201EA4 /* Headers */ = { + 1353AC7A6419F876B294A55E5550D1E4 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 656BED6137A9FFA3B2DF03861F525022 /* PetstoreClient-umbrella.h in Headers */, + 31F8B86E3672D0B828B6352C875649C4 /* Pods-SwaggerClientTests-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - 4EC64FD39389DAFE4AD4266FC3328DFF /* Headers */ = { + B4002B6E97835FDCCAA5963EFE09A3E0 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - D97B0097ACB39F4E308E996F4F2AC836 /* Pods-SwaggerClient-umbrella.h in Headers */, + 1B9EDEDC964E6B08F78920B4F4B9DB84 /* Alamofire-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - 8EC2461DE4442A7991319873E6012164 /* Headers */ = { + C894FFAF7CC3AB5A548AF1B61F8FA548 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 5480169E42C456C49BE59E273D7E0115 /* OMGFormURLEncode.h in Headers */, - 5192A7466019F9B3D7F1E987124E96BC /* OMGHTTPURLRQ-umbrella.h in Headers */, - 0B34EB4425C08BB021C2D09F75C9C146 /* OMGHTTPURLRQ.h in Headers */, - 3A8D316D4266A3309D0A98ED74F8A13A /* OMGUserAgent.h in Headers */, + 0DB7734F8CD7D40D922F73C1C9146EE4 /* OMGFormURLEncode.h in Headers */, + D3A23B867EBFCD3AC86370D26250C290 /* OMGHTTPURLRQ-umbrella.h in Headers */, + 258F28EA87BCDBE2307CD728D6847F44 /* OMGHTTPURLRQ.h in Headers */, + 2E3A55DBE5D58E6E6B3068D0BF84BA42 /* OMGUserAgent.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - EFDF3B631BBB965A372347705CA14854 /* Headers */ = { + CC52385505985AE1C33D731864E5D615 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 9469DF81ECB494E84675969B5E13374C /* Alamofire-umbrella.h in Headers */, + 98C216E54478D7F70674111361A4DB7E /* Pods-SwaggerClient-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - FF84DA06E91FBBAA756A7832375803CE /* Headers */ = { + F2A4B8C726CEA196EABADDBEF5345846 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 897283A0B7F5299913327CC8FD6CC997 /* Pods-SwaggerClientTests-umbrella.h in Headers */, + 33D7D29D9E53DA84337D305017107505 /* PetstoreClient-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXHeadersBuildPhase section */ /* Begin PBXNativeTarget section */ - 190ACD3A51BC90B85EADB13E9CDD207B /* OMGHTTPURLRQ */ = { + 1FCDFB2162BF49E98CC34F69A4EB87B9 /* PromiseKit */ = { isa = PBXNativeTarget; - buildConfigurationList = 620A8F6BEDF449F55F08EDB4CDBF60A2 /* Build configuration list for PBXNativeTarget "OMGHTTPURLRQ" */; + buildConfigurationList = C3A6D0B1F2716E6C57E728BE318F35F2 /* Build configuration list for PBXNativeTarget "PromiseKit" */; buildPhases = ( - 44321F32F148EB47FF23494889576DF5 /* Sources */, - 9792A6BDBB07FB15453527B4370E3086 /* Frameworks */, - 8EC2461DE4442A7991319873E6012164 /* Headers */, + 80CA432D5B71DB2B28AD6FF75E7D4F37 /* Sources */, + 364E2313E2B201E3BBE0ED3C8DDF7812 /* Frameworks */, + 06355A827899CB5DF1AEC2B7AE5343A2 /* Headers */, + ); + buildRules = ( + ); + dependencies = ( + E1CA092FD90F43E3E462BC6A412B1C74 /* PBXTargetDependency */, + ); + name = PromiseKit; + productName = PromiseKit; + productReference = 0C552CDBDD89D489D23D5D4E28356F84 /* PromiseKit.framework */; + productType = "com.apple.product-type.framework"; + }; + 2CD30C6ABD3A18ABB3C4BE6D88151D89 /* Pods-SwaggerClient */ = { + isa = PBXNativeTarget; + buildConfigurationList = DC6C838E5FD0AA55D4D19AF5445C3BDC /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */; + buildPhases = ( + B6FCB0C9137B17D4C8594118B6E09C6D /* Sources */, + 93A52D8380E47350C27ABFF726B0EE7D /* Frameworks */, + CC52385505985AE1C33D731864E5D615 /* Headers */, + ); + buildRules = ( + ); + dependencies = ( + 2A8AB7B6B910ACA4A4CFA5F59BC763C1 /* PBXTargetDependency */, + 8379AE2AD3B7EFAEA32EECB166A69A35 /* PBXTargetDependency */, + 685342E14A1D26CC3D02B797F78CCC17 /* PBXTargetDependency */, + 014BBBC4434EB1A54BF32C7358BE0426 /* PBXTargetDependency */, + ); + name = "Pods-SwaggerClient"; + productName = "Pods-SwaggerClient"; + productReference = CF8754792D6C49D6F5C8859350F48B35 /* Pods_SwaggerClient.framework */; + productType = "com.apple.product-type.framework"; + }; + 5AD1507205D908987C216D989FDDD0CD /* OMGHTTPURLRQ */ = { + isa = PBXNativeTarget; + buildConfigurationList = CD74B5CE2C2265348D1B613B9368C079 /* Build configuration list for PBXNativeTarget "OMGHTTPURLRQ" */; + buildPhases = ( + F80308E9C89F9A33F945AB69CA1EEAEB /* Sources */, + BCD2EA67C3EE2725B5C1EEADB0F66AF4 /* Frameworks */, + C894FFAF7CC3AB5A548AF1B61F8FA548 /* Headers */, ); buildRules = ( ); @@ -819,88 +866,32 @@ productReference = 97FF5C0140A433518CF653B6A520F27A /* OMGHTTPURLRQ.framework */; productType = "com.apple.product-type.framework"; }; - 1EABA30CF432461C9C71EFB7319C5EC0 /* Pods-SwaggerClient */ = { + 6AA38233456D5A22BF4E286D26DBBC53 /* PetstoreClient */ = { isa = PBXNativeTarget; - buildConfigurationList = C9F2C0984774847F556FBA38A5DFA380 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */; + buildConfigurationList = 5F11F7876E9302E80161D33223E3D230 /* Build configuration list for PBXNativeTarget "PetstoreClient" */; buildPhases = ( - 17C136CACEBA2BEF9A840E699AB10D69 /* Sources */, - 74904C0940192CCB30B90142B3348507 /* Frameworks */, - 4EC64FD39389DAFE4AD4266FC3328DFF /* Headers */, + 4EB24B8C43007B6C21D7481167C1F9CF /* Sources */, + BC1E0CC70F02685289292200DADFB7F0 /* Frameworks */, + F2A4B8C726CEA196EABADDBEF5345846 /* Headers */, ); buildRules = ( ); dependencies = ( - FFAF754843564CB3D6F424CE47B71A27 /* PBXTargetDependency */, - 679C1EDCB1F411D8FFB2673C78614B15 /* PBXTargetDependency */, - 08587102FAC1423B332ADA2E2AD0BC0A /* PBXTargetDependency */, - 66E283C897B0821EC278FCF08B47AD54 /* PBXTargetDependency */, - ); - name = "Pods-SwaggerClient"; - productName = "Pods-SwaggerClient"; - productReference = CF8754792D6C49D6F5C8859350F48B35 /* Pods_SwaggerClient.framework */; - productType = "com.apple.product-type.framework"; - }; - 25EDA9CFC641C69402B3857A2C4A39F0 /* PromiseKit */ = { - isa = PBXNativeTarget; - buildConfigurationList = 03DDC7D7BA248863E8493F462ABAD118 /* Build configuration list for PBXNativeTarget "PromiseKit" */; - buildPhases = ( - 1541E3035B9D2A7EED16C98953A8CEB6 /* Sources */, - B9EC7146E2607203CE4A5678AE249144 /* Frameworks */, - 09D29D14882ADDDA216809ED16917D07 /* Headers */, - ); - buildRules = ( - ); - dependencies = ( - C893B48B47F4A7541102DAAFECFC50F2 /* PBXTargetDependency */, - ); - name = PromiseKit; - productName = PromiseKit; - productReference = 0C552CDBDD89D489D23D5D4E28356F84 /* PromiseKit.framework */; - productType = "com.apple.product-type.framework"; - }; - 2FD913B4E24277823983BABFDB071664 /* PetstoreClient */ = { - isa = PBXNativeTarget; - buildConfigurationList = B5E28E2093F917340AF5AAA0FCE5E37D /* Build configuration list for PBXNativeTarget "PetstoreClient" */; - buildPhases = ( - 0DDA01F58E1381BEA0D7FB759B75A456 /* Sources */, - FC8C7ACC9E4D7F04E9223A734BF57FFB /* Frameworks */, - 2835BFBD2FEFE3E2844CFC1B10201EA4 /* Headers */, - ); - buildRules = ( - ); - dependencies = ( - FC9E3FF49D9B636B2925749B2D51A5D3 /* PBXTargetDependency */, - FAC5685F6C40E5D74404831646CBC453 /* PBXTargetDependency */, + 59FB04A6684D0690467260C91518EC03 /* PBXTargetDependency */, + 24C8C29561020566F8E06E1180327058 /* PBXTargetDependency */, ); name = PetstoreClient; productName = PetstoreClient; productReference = FE74210E04DEED84E2357049E4589759 /* PetstoreClient.framework */; productType = "com.apple.product-type.framework"; }; - 462B200BD111D7F438E47B7C42B6772F /* Pods-SwaggerClientTests */ = { + 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */ = { isa = PBXNativeTarget; - buildConfigurationList = 245A935A321D16F418F4D34C5D17D2B6 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */; + buildConfigurationList = 419E5D95491847CD79841B971A8A3277 /* Build configuration list for PBXNativeTarget "Alamofire" */; buildPhases = ( - 0529825EC79AED06C77091DC0F061854 /* Sources */, - FE8FC779CF4B0CFCC594E81C0FF86C7E /* Frameworks */, - FF84DA06E91FBBAA756A7832375803CE /* Headers */, - ); - buildRules = ( - ); - dependencies = ( - ); - name = "Pods-SwaggerClientTests"; - productName = "Pods-SwaggerClientTests"; - productReference = FEEC58138887E454A6CBD0A7BFF2910A /* Pods_SwaggerClientTests.framework */; - productType = "com.apple.product-type.framework"; - }; - 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */ = { - isa = PBXNativeTarget; - buildConfigurationList = 3CFB42910790CF0BDBCCEBAACD6B9367 /* Build configuration list for PBXNativeTarget "Alamofire" */; - buildPhases = ( - 95CC2C7E06DC188A05DAAEE9CAA555A3 /* Sources */, - B1729F851F648EC60EE93CDB3C8BAEAD /* Frameworks */, - EFDF3B631BBB965A372347705CA14854 /* Headers */, + 3792E88F656464AEB17FE4EF5FA2887A /* Sources */, + 99195E4207764744AEC07ECCBCD550EB /* Frameworks */, + B4002B6E97835FDCCAA5963EFE09A3E0 /* Headers */, ); buildRules = ( ); @@ -911,6 +902,23 @@ productReference = F2BEA8A3A2770EF455BB2ECCDA8CE0AD /* Alamofire.framework */; productType = "com.apple.product-type.framework"; }; + F3DF8DD6DBDCB07B04D7B1CC8A462562 /* Pods-SwaggerClientTests */ = { + isa = PBXNativeTarget; + buildConfigurationList = B462F7329881FF6565EF44016BE2B959 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */; + buildPhases = ( + BDFDEE831A91E115AA482B4E9E9B5CC8 /* Sources */, + 87AF7EC7404199AC8C5D22375A6059BF /* Frameworks */, + 1353AC7A6419F876B294A55E5550D1E4 /* Headers */, + ); + buildRules = ( + ); + dependencies = ( + ); + name = "Pods-SwaggerClientTests"; + productName = "Pods-SwaggerClientTests"; + productReference = FEEC58138887E454A6CBD0A7BFF2910A /* Pods_SwaggerClientTests.framework */; + productType = "com.apple.product-type.framework"; + }; /* End PBXNativeTarget section */ /* Begin PBXProject section */ @@ -932,218 +940,187 @@ projectDirPath = ""; projectRoot = ""; targets = ( - 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */, - 190ACD3A51BC90B85EADB13E9CDD207B /* OMGHTTPURLRQ */, - 2FD913B4E24277823983BABFDB071664 /* PetstoreClient */, - 1EABA30CF432461C9C71EFB7319C5EC0 /* Pods-SwaggerClient */, - 462B200BD111D7F438E47B7C42B6772F /* Pods-SwaggerClientTests */, - 25EDA9CFC641C69402B3857A2C4A39F0 /* PromiseKit */, + 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */, + 5AD1507205D908987C216D989FDDD0CD /* OMGHTTPURLRQ */, + 6AA38233456D5A22BF4E286D26DBBC53 /* PetstoreClient */, + 2CD30C6ABD3A18ABB3C4BE6D88151D89 /* Pods-SwaggerClient */, + F3DF8DD6DBDCB07B04D7B1CC8A462562 /* Pods-SwaggerClientTests */, + 1FCDFB2162BF49E98CC34F69A4EB87B9 /* PromiseKit */, ); }; /* End PBXProject section */ /* Begin PBXSourcesBuildPhase section */ - 0529825EC79AED06C77091DC0F061854 /* Sources */ = { + 3792E88F656464AEB17FE4EF5FA2887A /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - C546890220177F840E8AFC829D0E3FEB /* Pods-SwaggerClientTests-dummy.m in Sources */, + 8BC2037248D2FA8B2E2475AC2E466494 /* Alamofire-dummy.m in Sources */, + 9B70D1F82BB1FA9EAEF67815AB211B47 /* Alamofire.swift in Sources */, + 2192B0DEE9028936168890C1D6EB0259 /* Download.swift in Sources */, + E7D7EF4C9B8164062D3C5E6EA7C534C2 /* Error.swift in Sources */, + 9C88873949B0DCF8A580D0F65A43A482 /* Manager.swift in Sources */, + 5F193AFDA8E41A904D4B657769F49A93 /* MultipartFormData.swift in Sources */, + 58597FACD9B948EB5E4EB1A96E84F9DE /* NetworkReachabilityManager.swift in Sources */, + 8179D1D51A9219B01C0C007F96F02F33 /* Notifications.swift in Sources */, + E968D568838BC789817F6009838349A3 /* ParameterEncoding.swift in Sources */, + 7892B90D39A86C32BD7ECFF8F6C52A38 /* Request.swift in Sources */, + 4CDF7F31FC91171478EC0A2E2AB4E758 /* Response.swift in Sources */, + A3D61ED4990E52E06A3315F2A9A00C6D /* ResponseSerialization.swift in Sources */, + 28AF3FD0C6798D6A36A13C2AB39F8239 /* Result.swift in Sources */, + 31D35FA0B2173504DBA8E2F450CAC665 /* ServerTrustPolicy.swift in Sources */, + B924DB98A633A09B12A6226F75261F83 /* Stream.swift in Sources */, + CEE2E4C0A2875A6C0CA9BB46572D6224 /* Timeline.swift in Sources */, + CEF24FA13891DB5422B2DAF72DE83A9A /* Upload.swift in Sources */, + 3FE36566EFBFEFABC46589686A7ADCD2 /* Validation.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - 0DDA01F58E1381BEA0D7FB759B75A456 /* Sources */ = { + 4EB24B8C43007B6C21D7481167C1F9CF /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 516D41E4D035A817CC5116C11302E408 /* AlamofireImplementations.swift in Sources */, - 46F838880F41F56ABD91796FC956B4BF /* APIHelper.swift in Sources */, - EA35E77B4F31DC3E1D224458E0BC959D /* APIs.swift in Sources */, - CD97970D21D3CB8C459FAFEF11EE60F3 /* Category.swift in Sources */, - 5EE5E1CA27F3CB04A5DCF5BB90B76000 /* Extensions.swift in Sources */, - 15ECEBA1EFBD023AEA47F36524270D2C /* Models.swift in Sources */, - E2B0094FAAEA55C55AD141136F650E35 /* Order.swift in Sources */, - 1CDA074C6DC95876D85E13ECF882B93A /* Pet.swift in Sources */, - 2B38BB4603B4286FF8D7A780372E947F /* PetAPI.swift in Sources */, - 25FBB92AFB8F5A777CE8E40EC3B9DACA /* PetstoreClient-dummy.m in Sources */, - 443361437B359830308B93A7B98BE039 /* StoreAPI.swift in Sources */, - 6B0A17CD24331793D2504E0FBBAF5EB2 /* Tag.swift in Sources */, - D546A4DBA3F7750F45A6F63B994C081C /* User.swift in Sources */, - 2D9379807BA243E1CE457D1BE963DA09 /* UserAPI.swift in Sources */, + F84E18C37A7B3B8A338E817574491335 /* AlamofireImplementations.swift in Sources */, + 2A926E5EA0483C43023F396648F31100 /* APIHelper.swift in Sources */, + EF9B6103AC1A233089E5317B1E2D8031 /* APIs.swift in Sources */, + A3C3B39CE3715B4260DC6FF0B621C142 /* Category.swift in Sources */, + FCB8ADBF2A01486B7D575EA3326A70BD /* Extensions.swift in Sources */, + 086EF9C01D071D88D853A11539D42B9F /* Models.swift in Sources */, + EF4BCB7BBAB19687FAD3A5A71C859A7F /* Order.swift in Sources */, + D5ECD91CE99A115543BEC3B993C11BD3 /* Pet.swift in Sources */, + 21B837E7DB2A98D7B3E2D64AABA828F2 /* PetAPI.swift in Sources */, + 54BAF231DB704DB87968C54637AF9551 /* PetstoreClient-dummy.m in Sources */, + F986101B7E81C6AABC67FF43C958D54A /* StoreAPI.swift in Sources */, + ECD1DE9F631F8BCD514213BF97385BAE /* Tag.swift in Sources */, + FCA5211A7610129D1EAFC03D5F5351D2 /* User.swift in Sources */, + D02588110E13C2C2F223EAE690848951 /* UserAPI.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - 1541E3035B9D2A7EED16C98953A8CEB6 /* Sources */ = { + 80CA432D5B71DB2B28AD6FF75E7D4F37 /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - C86881D2285095255829A578F0A85300 /* after.m in Sources */, - EA67B414E392EFD2B14742F55A595596 /* after.swift in Sources */, - 1AC7E88F0EC64D1D4E83CE7767BFD2B7 /* afterlife.swift in Sources */, - 909B0A29022956D90C32C4AA319F75D1 /* AnyPromise.m in Sources */, - F7161E50F083B2267363F243C4E4B78F /* AnyPromise.swift in Sources */, - 124EFF5E3C46EC88F47C52479FA6ACAF /* CALayer+AnyPromise.m in Sources */, - 6A128FE350973D8A693E3F063C5E4A49 /* dispatch_promise.m in Sources */, - F4582E8DC1C9F362ADA4BAE9CEF8B681 /* dispatch_promise.swift in Sources */, - D93596046CD3B301F4EC99A7A118C82C /* Error.swift in Sources */, - 5FFED823C0BDD412FA41B01EA47394D1 /* hang.m in Sources */, - 5D7EAE5725A7E750B51FD27AECB5F0FD /* join.m in Sources */, - 06F7C0C55DF4C09C015159F6B0802EB1 /* join.swift in Sources */, - 11C221075C5B20BDEEB3DDF8EAC99E63 /* NSNotificationCenter+AnyPromise.m in Sources */, - 88B3F911629C08DEEB226F3B294AAB36 /* NSNotificationCenter+Promise.swift in Sources */, - 0D240D796AAD10F0119A1D7AC2570AAA /* NSObject+Promise.swift in Sources */, - 8E3861989641484EE3095722EC08B5A9 /* NSURLConnection+AnyPromise.m in Sources */, - EB9A1F33DB49ADA09F6E7F19A2C30357 /* NSURLConnection+Promise.swift in Sources */, - 81A2DB65C0742D785DE7C2609CC14140 /* NSURLSession+Promise.swift in Sources */, - 73FA79FDB37E5C458B996012BFB0CF04 /* PMKAlertController.swift in Sources */, - 1E1010EA437F154A554D04F7F3A894EC /* Promise+Properties.swift in Sources */, - ADEEE5F368B5D707D03E78FD75C59048 /* Promise.swift in Sources */, - 8D3A68D3CBD8A1D89099F704A04A04FC /* PromiseKit-dummy.m in Sources */, - 97D71F12142A541BEEF425805D51379E /* race.swift in Sources */, - F898D4270885EF1114608E76B0C09E21 /* State.swift in Sources */, - CAF12A3EDA2376FFEAD4A12E413C1AAD /* UIActionSheet+AnyPromise.m in Sources */, - 387C7387FDC662D23D743879B6143D59 /* UIActionSheet+Promise.swift in Sources */, - 11EA8D6B0352FD31F520F983CFB9D993 /* UIAlertView+AnyPromise.m in Sources */, - EB3C88CDAF122BA763FEF85758370C7C /* UIAlertView+Promise.swift in Sources */, - 4C22563311AC2B52651A6525A979E076 /* UIView+AnyPromise.m in Sources */, - D1735D6C4D574339EB49024228448459 /* UIView+Promise.swift in Sources */, - 60EBBACB76CD5879FB7B9B3E0AA5E2C1 /* UIViewController+AnyPromise.m in Sources */, - C86CE0A47FAD4C9B2929A335D62A179E /* UIViewController+Promise.swift in Sources */, - CE225CF07E6E385F014883D607AFA44D /* URLDataPromise.swift in Sources */, - CB2A58CBAB5A2E63D0CB70F2697CAE87 /* when.m in Sources */, - ED30A8B82BA1D53CBC370B1DC18DA1EB /* when.swift in Sources */, + 66130A4C8A83C11558EC154FA1C9D191 /* after.m in Sources */, + 1B3395001A4E5AB2E7EEEFE9964348B5 /* after.swift in Sources */, + DB9ED067DD1525127DFBE4B5647E502C /* afterlife.swift in Sources */, + 009A705EB41A7BD11E77200CD1FB65CC /* AnyPromise.m in Sources */, + B067653C1D7B7214CD0079A279326610 /* AnyPromise.swift in Sources */, + AF02896B7B6B213C98324CD75871275A /* CALayer+AnyPromise.m in Sources */, + D13DFBC6575E7DB809A1420CB9F920B5 /* dispatch_promise.m in Sources */, + C3EC2C7BE760D6CEE606445A1AE2E071 /* dispatch_promise.swift in Sources */, + D2230D11A1EE4A48E9EC72EA44D09EAC /* Error.swift in Sources */, + 74231A47F9018E69CB8390B3BD9815B8 /* hang.m in Sources */, + 5ECBDDFA4329B4AB812B4A10DBD2EB1A /* join.m in Sources */, + C5938D7FB0EC73BE33F4A6B31BE937B9 /* join.swift in Sources */, + 689CD9721F90D45A57369D76461CA5E2 /* NSNotificationCenter+AnyPromise.m in Sources */, + 9E16513086BC96F16B7F73065AE84AC4 /* NSNotificationCenter+Promise.swift in Sources */, + F6BC9BD76DB32C32BFDAD6582DC9F9B0 /* NSObject+Promise.swift in Sources */, + 98971D531D9D7138ED04B55FE458D66D /* NSURLConnection+AnyPromise.m in Sources */, + 19481BE7602C732E16A4C1FDE7D800DA /* NSURLConnection+Promise.swift in Sources */, + C2249D68F55536B774806E6ED01D3431 /* NSURLSession+Promise.swift in Sources */, + FCDEC7CF7180ECD18CA73EB08EA4624D /* PMKAlertController.swift in Sources */, + 7EC6F570997E9A0CC65AD7E7E319C0EF /* Promise+Properties.swift in Sources */, + D509E607CAE14D8848E2BBAC478BEED5 /* Promise.swift in Sources */, + 989ED6D4ECDEF446FB68EFF07F0CBEF5 /* PromiseKit-dummy.m in Sources */, + 32A893A9FE628EDBC482D40F753699F9 /* race.swift in Sources */, + E5E62E286336AB2FBB84501E1ACEEE7C /* State.swift in Sources */, + D733EB627BBBA34769C0CDEF5ABE0E41 /* UIActionSheet+AnyPromise.m in Sources */, + C884C9ADEA7330CF670815C9689FBBD9 /* UIActionSheet+Promise.swift in Sources */, + 563431FCE9268B58BFD2F32E358673C6 /* UIAlertView+AnyPromise.m in Sources */, + 8A858C9291A59130A4A3AE2FB193E480 /* UIAlertView+Promise.swift in Sources */, + EC284D0372D446702CC9585351E4027D /* UIView+AnyPromise.m in Sources */, + 68B6B55AA10FA42481892FE79996D4F0 /* UIView+Promise.swift in Sources */, + 7546CDAE72452E874E5DB53099BF3E70 /* UIViewController+AnyPromise.m in Sources */, + 061D9A45538674253A809E070A8A089D /* UIViewController+Promise.swift in Sources */, + 8ADEA58D7C48EC4973D667F87C5AE948 /* URLDataPromise.swift in Sources */, + F38E53627E8AD5C92AF674C15A3A2493 /* when.m in Sources */, + B1A09AAC19DAB39B1C7F172CEBF0AAAD /* when.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - 17C136CACEBA2BEF9A840E699AB10D69 /* Sources */ = { + B6FCB0C9137B17D4C8594118B6E09C6D /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 9876AE0817723FB5E93A94B1E1906901 /* Pods-SwaggerClient-dummy.m in Sources */, + 2FF723F26615EB2ACAE54BDA6E3707DC /* Pods-SwaggerClient-dummy.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - 44321F32F148EB47FF23494889576DF5 /* Sources */ = { + BDFDEE831A91E115AA482B4E9E9B5CC8 /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 6F63943B0E954F701F32BC7A1F4C2FEC /* OMGFormURLEncode.m in Sources */, - D358A828E68E152D06FC8E35533BF00B /* OMGHTTPURLRQ-dummy.m in Sources */, - 48CB8E7E16443CA771E4DCFB3E0709A2 /* OMGHTTPURLRQ.m in Sources */, - 6CB84A616D7B4D189A4E94BD37621575 /* OMGUserAgent.m in Sources */, + 897985FA042CD12B825C3032898FAB26 /* Pods-SwaggerClientTests-dummy.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - 95CC2C7E06DC188A05DAAEE9CAA555A3 /* Sources */ = { + F80308E9C89F9A33F945AB69CA1EEAEB /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - ADF19C953CE2A7D0B72EC93A81FCCC26 /* Alamofire-dummy.m in Sources */, - 8EB11202167FCDDF1257AAAB1D1FB244 /* Alamofire.swift in Sources */, - 5CB05FBCB32D21E194B5ECF680CB6AE0 /* Download.swift in Sources */, - 095406039B4D371E48D08B38A2975AC8 /* Error.swift in Sources */, - 4081EA628AF0B73AC51FFB9D7AB3B89E /* Manager.swift in Sources */, - C7B6DD7C0456C50289A2C381DFE9FA3F /* MultipartFormData.swift in Sources */, - 34CCDCA848A701466256BC2927DA8856 /* NetworkReachabilityManager.swift in Sources */, - BE41196F6A3903E59C3306FE3F8B43FE /* Notifications.swift in Sources */, - C0DB70AB368765DC64BFB5FEA75E0696 /* ParameterEncoding.swift in Sources */, - EFE92E8D3813DD26E78E93EEAF6D7E7E /* Request.swift in Sources */, - 62E8346F03C03E7F4D631361F325689E /* Response.swift in Sources */, - 3EA8F215C9C1432D74E5CCA4834AA8C0 /* ResponseSerialization.swift in Sources */, - AA314156AC500125F4078EE968DB14C6 /* Result.swift in Sources */, - 7B48852C4D848FA2DA416A98F6425869 /* ServerTrustPolicy.swift in Sources */, - AE4CF87C02C042DF13ED5B21C4FDC1E0 /* Stream.swift in Sources */, - 16102E4E35FAA0FC4161282FECE56469 /* Timeline.swift in Sources */, - 5BC19E6E0F199276003F0AF96838BCE5 /* Upload.swift in Sources */, - 2D3405986FC586FA6C0A5E0B6BA7E64E /* Validation.swift in Sources */, + 5344CCD94F668BD41A0417B3A3CDF4F2 /* OMGFormURLEncode.m in Sources */, + 2C65AE47419BA083958A5D9F760F7150 /* OMGHTTPURLRQ-dummy.m in Sources */, + 55F5CB213AA2AE0675636AC73B7D7FB1 /* OMGHTTPURLRQ.m in Sources */, + 13C8FE870121B96B85458487D176292A /* OMGUserAgent.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXSourcesBuildPhase section */ /* Begin PBXTargetDependency section */ - 08587102FAC1423B332ADA2E2AD0BC0A /* PBXTargetDependency */ = { + 014BBBC4434EB1A54BF32C7358BE0426 /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + name = PromiseKit; + target = 1FCDFB2162BF49E98CC34F69A4EB87B9 /* PromiseKit */; + targetProxy = 094864AE73DBB274F1E39300864E9C62 /* PBXContainerItemProxy */; + }; + 24C8C29561020566F8E06E1180327058 /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + name = PromiseKit; + target = 1FCDFB2162BF49E98CC34F69A4EB87B9 /* PromiseKit */; + targetProxy = E66AC3FE6854646CAC1BEA7B966F17B0 /* PBXContainerItemProxy */; + }; + 2A8AB7B6B910ACA4A4CFA5F59BC763C1 /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + name = Alamofire; + target = 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */; + targetProxy = 26F113882698B5132DB9F4537EF58E9A /* PBXContainerItemProxy */; + }; + 59FB04A6684D0690467260C91518EC03 /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + name = Alamofire; + target = 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */; + targetProxy = CC71B8F089BD4B650825DDAA5DB71E07 /* PBXContainerItemProxy */; + }; + 685342E14A1D26CC3D02B797F78CCC17 /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = PetstoreClient; - target = 2FD913B4E24277823983BABFDB071664 /* PetstoreClient */; - targetProxy = 6795BDA8BF074DFC4E5D1758C8F88C2A /* PBXContainerItemProxy */; + target = 6AA38233456D5A22BF4E286D26DBBC53 /* PetstoreClient */; + targetProxy = 1F4208A7D556EA95487DDE364B0345D5 /* PBXContainerItemProxy */; }; - 66E283C897B0821EC278FCF08B47AD54 /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - name = PromiseKit; - target = 25EDA9CFC641C69402B3857A2C4A39F0 /* PromiseKit */; - targetProxy = 7DE91DDF2036FF7431AF3F0DAD4A9C87 /* PBXContainerItemProxy */; - }; - 679C1EDCB1F411D8FFB2673C78614B15 /* PBXTargetDependency */ = { + 8379AE2AD3B7EFAEA32EECB166A69A35 /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = OMGHTTPURLRQ; - target = 190ACD3A51BC90B85EADB13E9CDD207B /* OMGHTTPURLRQ */; - targetProxy = ABF692D458113B268763EDC4670EAF7A /* PBXContainerItemProxy */; + target = 5AD1507205D908987C216D989FDDD0CD /* OMGHTTPURLRQ */; + targetProxy = FB51D93BE6962BF86154BCCE6C6161E9 /* PBXContainerItemProxy */; }; - C893B48B47F4A7541102DAAFECFC50F2 /* PBXTargetDependency */ = { + E1CA092FD90F43E3E462BC6A412B1C74 /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = OMGHTTPURLRQ; - target = 190ACD3A51BC90B85EADB13E9CDD207B /* OMGHTTPURLRQ */; - targetProxy = 8059767A82D94C9F7F7C16D030819C4E /* PBXContainerItemProxy */; - }; - FAC5685F6C40E5D74404831646CBC453 /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - name = PromiseKit; - target = 25EDA9CFC641C69402B3857A2C4A39F0 /* PromiseKit */; - targetProxy = ECAC5E4454026C822004659466983ADD /* PBXContainerItemProxy */; - }; - FC9E3FF49D9B636B2925749B2D51A5D3 /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - name = Alamofire; - target = 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */; - targetProxy = 4BED27A854EA6600536518D29BBB3670 /* PBXContainerItemProxy */; - }; - FFAF754843564CB3D6F424CE47B71A27 /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - name = Alamofire; - target = 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */; - targetProxy = 8E08EC4F5A85093B738D80C4F04BA3F1 /* PBXContainerItemProxy */; + target = 5AD1507205D908987C216D989FDDD0CD /* OMGHTTPURLRQ */; + targetProxy = 65851406A9AA058E6966942F3A75BEFB /* PBXContainerItemProxy */; }; /* End PBXTargetDependency section */ /* Begin XCBuildConfiguration section */ - 13D83F6E46BF53D2E6C3EB7C33E93BBF /* Release */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 86B1DDCB9E27DF43C2C35D9E7B2E84DA /* Pods-SwaggerClient.release.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClient/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.2; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MACH_O_TYPE = staticlib; - MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; - OTHER_LDFLAGS = ""; - OTHER_LIBTOOLFLAGS = ""; - PODS_ROOT = "$(SRCROOT)"; - PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; - PRODUCT_NAME = Pods_SwaggerClient; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Release; - }; - 237DD903E4E61B0FFB3BB69F98EE1A1A /* Debug */ = { + 37A6D3ECFEC1FCED0CAA398BE3B7CBB7 /* Debug */ = { isa = XCBuildConfiguration; baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = dwarf; DEFINES_MODULE = YES; @@ -1169,99 +1146,13 @@ }; name = Debug; }; - 32AD5F8918CA8B349E4671410FA624C9 /* Release */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 10A634092EE6D018EB00C75E9864A6A2 /* Alamofire.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 8.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; - PRODUCT_NAME = Alamofire; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Release; - }; - 6D58F928D13C57FA81A386B6364889AA /* Release */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 2E750A27FAB06DE866BC27CC8FA07806 /* PromiseKit.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/PromiseKit/PromiseKit-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/PromiseKit/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 8.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/PromiseKit/PromiseKit.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; - PRODUCT_NAME = PromiseKit; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Release; - }; - 75218111E718FACE36F771E8ABECDB62 /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 10A634092EE6D018EB00C75E9864A6A2 /* Alamofire.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 8.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - PRODUCT_NAME = Alamofire; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_OPTIMIZATION_LEVEL = "-Onone"; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - 7EA02FDF9D26C9AD275654E73F406F04 /* Debug */ = { + 507820EAC09E90412FDF1F737638B0D4 /* Debug */ = { isa = XCBuildConfiguration; baseConfigurationReference = 969C2AF48F4307163B301A92E78AFCF2 /* Pods-SwaggerClientTests.debug.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = dwarf; DEFINES_MODULE = YES; @@ -1290,11 +1181,49 @@ }; name = Debug; }; - 83EBAB51C518173D901D2A7FE10401AC /* Release */ = { + 61067068269EECAA2F1CB7DE4AF96F2F /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 549C6527D10094289B101749047807C5 /* Pods-SwaggerClient.debug.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClient/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.2; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MACH_O_TYPE = staticlib; + MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + OTHER_LDFLAGS = ""; + OTHER_LIBTOOLFLAGS = ""; + PODS_ROOT = "$(SRCROOT)"; + PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; + PRODUCT_NAME = Pods_SwaggerClient; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + 6F3A3A099BF6DB77A326F9CDFA4FA550 /* Release */ = { isa = XCBuildConfiguration; baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; DEFINES_MODULE = YES; @@ -1319,7 +1248,7 @@ }; name = Release; }; - 84FD87D359382A37B07149A12641B965 /* Debug */ = { + AADB9822762AD81BBAE83335B2AB1EB0 /* Release */ = { isa = XCBuildConfiguration; buildSettings = { ALWAYS_SEARCH_USER_PATHS = NO; @@ -1337,6 +1266,47 @@ CLANG_WARN_OBJC_ROOT_CLASS = YES; CLANG_WARN_UNREACHABLE_CODE = YES; CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + CODE_SIGNING_REQUIRED = NO; + COPY_PHASE_STRIP = YES; + ENABLE_NS_ASSERTIONS = NO; + GCC_C_LANGUAGE_STANDARD = gnu99; + GCC_PREPROCESSOR_DEFINITIONS = ( + "POD_CONFIGURATION_RELEASE=1", + "$(inherited)", + ); + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES; + GCC_WARN_UNDECLARED_SELECTOR = YES; + GCC_WARN_UNINITIALIZED_AUTOS = YES; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + IPHONEOS_DEPLOYMENT_TARGET = 9.2; + PROVISIONING_PROFILE_SPECIFIER = NO_SIGNING/; + STRIP_INSTALLED_PRODUCT = NO; + SYMROOT = "${SRCROOT}/../build"; + VALIDATE_PRODUCT = YES; + }; + name = Release; + }; + B1B5EB0850F98CB5AECDB015B690777F /* Debug */ = { + isa = XCBuildConfiguration; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES; + CLANG_WARN_UNREACHABLE_CODE = YES; + CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + CODE_SIGNING_REQUIRED = NO; COPY_PHASE_STRIP = NO; ENABLE_TESTABILITY = YES; GCC_C_LANGUAGE_STANDARD = gnu99; @@ -1356,16 +1326,50 @@ GCC_WARN_UNUSED_VARIABLE = YES; IPHONEOS_DEPLOYMENT_TARGET = 9.2; ONLY_ACTIVE_ARCH = YES; + PROVISIONING_PROFILE_SPECIFIER = NO_SIGNING/; STRIP_INSTALLED_PRODUCT = NO; SYMROOT = "${SRCROOT}/../build"; }; name = Debug; }; - A1075551063662DDB4B1D70BD9D48C6E /* Release */ = { + B6E8E8BCFD17BC4CC5B002AB5B2DF697 /* Debug */ = { isa = XCBuildConfiguration; baseConfigurationReference = E6EC6723A17EAD72862789D6748FAA26 /* OMGHTTPURLRQ.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/OMGHTTPURLRQ/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 8.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + PRODUCT_NAME = OMGHTTPURLRQ; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + BDB92B86F05A6E1B01A06399F6A57A01 /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 10A634092EE6D018EB00C75E9864A6A2 /* Alamofire.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; DEFINES_MODULE = YES; @@ -1374,14 +1378,14 @@ DYLIB_INSTALL_NAME_BASE = "@rpath"; ENABLE_STRICT_OBJC_MSGSEND = YES; GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/OMGHTTPURLRQ/Info.plist"; + GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; IPHONEOS_DEPLOYMENT_TARGET = 8.0; LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ.modulemap"; + MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; MTL_ENABLE_DEBUG_INFO = NO; - PRODUCT_NAME = OMGHTTPURLRQ; + PRODUCT_NAME = Alamofire; SDKROOT = iphoneos; SKIP_INSTALL = YES; TARGETED_DEVICE_FAMILY = "1,2"; @@ -1390,142 +1394,13 @@ }; name = Release; }; - AEB3F05CF4CA7390DB94997A30E330AD /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 549C6527D10094289B101749047807C5 /* Pods-SwaggerClient.debug.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClient/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.2; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MACH_O_TYPE = staticlib; - MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - OTHER_LDFLAGS = ""; - OTHER_LIBTOOLFLAGS = ""; - PODS_ROOT = "$(SRCROOT)"; - PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; - PRODUCT_NAME = Pods_SwaggerClient; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_OPTIMIZATION_LEVEL = "-Onone"; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - AF5D8A65BDA6B725A14D20EC25949CE0 /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 2E750A27FAB06DE866BC27CC8FA07806 /* PromiseKit.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/PromiseKit/PromiseKit-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/PromiseKit/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 8.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/PromiseKit/PromiseKit.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - PRODUCT_NAME = PromiseKit; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_OPTIMIZATION_LEVEL = "-Onone"; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - F594C655D48020EC34B00AA63E001773 /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - ALWAYS_SEARCH_USER_PATHS = NO; - CLANG_ANALYZER_NONNULL = YES; - CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; - CLANG_CXX_LIBRARY = "libc++"; - CLANG_ENABLE_MODULES = YES; - CLANG_ENABLE_OBJC_ARC = YES; - CLANG_WARN_BOOL_CONVERSION = YES; - CLANG_WARN_CONSTANT_CONVERSION = YES; - CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES; - CLANG_WARN_EMPTY_BODY = YES; - CLANG_WARN_ENUM_CONVERSION = YES; - CLANG_WARN_INT_CONVERSION = YES; - CLANG_WARN_OBJC_ROOT_CLASS = YES; - CLANG_WARN_UNREACHABLE_CODE = YES; - CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; - COPY_PHASE_STRIP = YES; - ENABLE_NS_ASSERTIONS = NO; - GCC_C_LANGUAGE_STANDARD = gnu99; - GCC_PREPROCESSOR_DEFINITIONS = ( - "POD_CONFIGURATION_RELEASE=1", - "$(inherited)", - ); - GCC_WARN_64_TO_32_BIT_CONVERSION = YES; - GCC_WARN_ABOUT_RETURN_TYPE = YES; - GCC_WARN_UNDECLARED_SELECTOR = YES; - GCC_WARN_UNINITIALIZED_AUTOS = YES; - GCC_WARN_UNUSED_FUNCTION = YES; - GCC_WARN_UNUSED_VARIABLE = YES; - IPHONEOS_DEPLOYMENT_TARGET = 9.2; - STRIP_INSTALLED_PRODUCT = NO; - SYMROOT = "${SRCROOT}/../build"; - VALIDATE_PRODUCT = YES; - }; - name = Release; - }; - F81B9CD48A7BB5944F3E7D734DA19714 /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = E6EC6723A17EAD72862789D6748FAA26 /* OMGHTTPURLRQ.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/OMGHTTPURLRQ/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 8.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - PRODUCT_NAME = OMGHTTPURLRQ; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - FCA939A415B281DBA1BE816C25790182 /* Release */ = { + C7A5906C8108C4163D0ED41985878B78 /* Release */ = { isa = XCBuildConfiguration; baseConfigurationReference = 849FECBC6CC67F2B6800F982927E3A9E /* Pods-SwaggerClientTests.release.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; DEFINES_MODULE = YES; @@ -1554,68 +1429,229 @@ }; name = Release; }; + CF5DD5054942688BADBDB2E2EBB88C61 /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = E6EC6723A17EAD72862789D6748FAA26 /* OMGHTTPURLRQ.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/OMGHTTPURLRQ/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 8.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + PRODUCT_NAME = OMGHTTPURLRQ; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Release; + }; + DC06B8741A907E0921F8314D215543AB /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 2E750A27FAB06DE866BC27CC8FA07806 /* PromiseKit.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/PromiseKit/PromiseKit-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/PromiseKit/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 8.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/PromiseKit/PromiseKit.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + PRODUCT_NAME = PromiseKit; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Release; + }; + E14528B983F58350151EE2B619628CAB /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 86B1DDCB9E27DF43C2C35D9E7B2E84DA /* Pods-SwaggerClient.release.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClient/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.2; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MACH_O_TYPE = staticlib; + MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + OTHER_LDFLAGS = ""; + OTHER_LIBTOOLFLAGS = ""; + PODS_ROOT = "$(SRCROOT)"; + PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; + PRODUCT_NAME = Pods_SwaggerClient; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Release; + }; + EE004CEA3EB3656D1EBF14311F29CE18 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 10A634092EE6D018EB00C75E9864A6A2 /* Alamofire.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 8.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + PRODUCT_NAME = Alamofire; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + FD1D1987A0C5BBBFA02B72B6A1908057 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 2E750A27FAB06DE866BC27CC8FA07806 /* PromiseKit.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/PromiseKit/PromiseKit-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/PromiseKit/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 8.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/PromiseKit/PromiseKit.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + PRODUCT_NAME = PromiseKit; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; /* End XCBuildConfiguration section */ /* Begin XCConfigurationList section */ - 03DDC7D7BA248863E8493F462ABAD118 /* Build configuration list for PBXNativeTarget "PromiseKit" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - AF5D8A65BDA6B725A14D20EC25949CE0 /* Debug */, - 6D58F928D13C57FA81A386B6364889AA /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; - 245A935A321D16F418F4D34C5D17D2B6 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - 7EA02FDF9D26C9AD275654E73F406F04 /* Debug */, - FCA939A415B281DBA1BE816C25790182 /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; 2D8E8EC45A3A1A1D94AE762CB5028504 /* Build configuration list for PBXProject "Pods" */ = { isa = XCConfigurationList; buildConfigurations = ( - 84FD87D359382A37B07149A12641B965 /* Debug */, - F594C655D48020EC34B00AA63E001773 /* Release */, + B1B5EB0850F98CB5AECDB015B690777F /* Debug */, + AADB9822762AD81BBAE83335B2AB1EB0 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - 3CFB42910790CF0BDBCCEBAACD6B9367 /* Build configuration list for PBXNativeTarget "Alamofire" */ = { + 419E5D95491847CD79841B971A8A3277 /* Build configuration list for PBXNativeTarget "Alamofire" */ = { isa = XCConfigurationList; buildConfigurations = ( - 75218111E718FACE36F771E8ABECDB62 /* Debug */, - 32AD5F8918CA8B349E4671410FA624C9 /* Release */, + EE004CEA3EB3656D1EBF14311F29CE18 /* Debug */, + BDB92B86F05A6E1B01A06399F6A57A01 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - 620A8F6BEDF449F55F08EDB4CDBF60A2 /* Build configuration list for PBXNativeTarget "OMGHTTPURLRQ" */ = { + 5F11F7876E9302E80161D33223E3D230 /* Build configuration list for PBXNativeTarget "PetstoreClient" */ = { isa = XCConfigurationList; buildConfigurations = ( - F81B9CD48A7BB5944F3E7D734DA19714 /* Debug */, - A1075551063662DDB4B1D70BD9D48C6E /* Release */, + 37A6D3ECFEC1FCED0CAA398BE3B7CBB7 /* Debug */, + 6F3A3A099BF6DB77A326F9CDFA4FA550 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - B5E28E2093F917340AF5AAA0FCE5E37D /* Build configuration list for PBXNativeTarget "PetstoreClient" */ = { + B462F7329881FF6565EF44016BE2B959 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */ = { isa = XCConfigurationList; buildConfigurations = ( - 237DD903E4E61B0FFB3BB69F98EE1A1A /* Debug */, - 83EBAB51C518173D901D2A7FE10401AC /* Release */, + 507820EAC09E90412FDF1F737638B0D4 /* Debug */, + C7A5906C8108C4163D0ED41985878B78 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - C9F2C0984774847F556FBA38A5DFA380 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */ = { + C3A6D0B1F2716E6C57E728BE318F35F2 /* Build configuration list for PBXNativeTarget "PromiseKit" */ = { isa = XCConfigurationList; buildConfigurations = ( - AEB3F05CF4CA7390DB94997A30E330AD /* Debug */, - 13D83F6E46BF53D2E6C3EB7C33E93BBF /* Release */, + FD1D1987A0C5BBBFA02B72B6A1908057 /* Debug */, + DC06B8741A907E0921F8314D215543AB /* Release */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + CD74B5CE2C2265348D1B613B9368C079 /* Build configuration list for PBXNativeTarget "OMGHTTPURLRQ" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + B6E8E8BCFD17BC4CC5B002AB5B2DF697 /* Debug */, + CF5DD5054942688BADBDB2E2EBB88C61 /* Release */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + DC6C838E5FD0AA55D4D19AF5445C3BDC /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + 61067068269EECAA2F1CB7DE4AF96F2F /* Debug */, + E14528B983F58350151EE2B619628CAB /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h index 6b71676a9bd4..02327b85e884 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double AlamofireVersionNumber; diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ-umbrella.h b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ-umbrella.h index e6ad2ae2f6de..cef2f3bb5b33 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ-umbrella.h +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/OMGHTTPURLRQ/OMGHTTPURLRQ-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif #import "OMGFormURLEncode.h" #import "OMGHTTPURLRQ.h" diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h index 75c63f7c53e0..435b682a1068 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double PetstoreClientVersionNumber; diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown index e6778cdc3f61..bb7c5a67fc4b 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown @@ -1,238 +1,10 @@ # Acknowledgements This application makes use of the following third party libraries: -## Alamofire - -Copyright (c) 2014-2016 Alamofire Software Foundation (http://alamofire.org/) - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. - - ## OMGHTTPURLRQ https://github.com/mxcl/OMGHTTPURLRQ/blob/master/README.markdown -## PetstoreClient - - Apache License - Version 2.0, January 2004 - http://www.apache.org/licenses/ - - TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION - - 1. Definitions. - - "License" shall mean the terms and conditions for use, reproduction, - and distribution as defined by Sections 1 through 9 of this document. - - "Licensor" shall mean the copyright owner or entity authorized by - the copyright owner that is granting the License. - - "Legal Entity" shall mean the union of the acting entity and all - other entities that control, are controlled by, or are under common - control with that entity. For the purposes of this definition, - "control" means (i) the power, direct or indirect, to cause the - direction or management of such entity, whether by contract or - otherwise, or (ii) ownership of fifty percent (50%) or more of the - outstanding shares, or (iii) beneficial ownership of such entity. - - "You" (or "Your") shall mean an individual or Legal Entity - exercising permissions granted by this License. - - "Source" form shall mean the preferred form for making modifications, - including but not limited to software source code, documentation - source, and configuration files. - - "Object" form shall mean any form resulting from mechanical - transformation or translation of a Source form, including but - not limited to compiled object code, generated documentation, - and conversions to other media types. - - "Work" shall mean the work of authorship, whether in Source or - Object form, made available under the License, as indicated by a - copyright notice that is included in or attached to the work - (an example is provided in the Appendix below). - - "Derivative Works" shall mean any work, whether in Source or Object - form, that is based on (or derived from) the Work and for which the - editorial revisions, annotations, elaborations, or other modifications - represent, as a whole, an original work of authorship. For the purposes - of this License, Derivative Works shall not include works that remain - separable from, or merely link (or bind by name) to the interfaces of, - the Work and Derivative Works thereof. - - "Contribution" shall mean any work of authorship, including - the original version of the Work and any modifications or additions - to that Work or Derivative Works thereof, that is intentionally - submitted to Licensor for inclusion in the Work by the copyright owner - or by an individual or Legal Entity authorized to submit on behalf of - the copyright owner. For the purposes of this definition, "submitted" - means any form of electronic, verbal, or written communication sent - to the Licensor or its representatives, including but not limited to - communication on electronic mailing lists, source code control systems, - and issue tracking systems that are managed by, or on behalf of, the - Licensor for the purpose of discussing and improving the Work, but - excluding communication that is conspicuously marked or otherwise - designated in writing by the copyright owner as "Not a Contribution." - - "Contributor" shall mean Licensor and any individual or Legal Entity - on behalf of whom a Contribution has been received by Licensor and - subsequently incorporated within the Work. - - 2. Grant of Copyright License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - copyright license to reproduce, prepare Derivative Works of, - publicly display, publicly perform, sublicense, and distribute the - Work and such Derivative Works in Source or Object form. - - 3. Grant of Patent License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - (except as stated in this section) patent license to make, have made, - use, offer to sell, sell, import, and otherwise transfer the Work, - where such license applies only to those patent claims licensable - by such Contributor that are necessarily infringed by their - Contribution(s) alone or by combination of their Contribution(s) - with the Work to which such Contribution(s) was submitted. If You - institute patent litigation against any entity (including a - cross-claim or counterclaim in a lawsuit) alleging that the Work - or a Contribution incorporated within the Work constitutes direct - or contributory patent infringement, then any patent licenses - granted to You under this License for that Work shall terminate - as of the date such litigation is filed. - - 4. Redistribution. You may reproduce and distribute copies of the - Work or Derivative Works thereof in any medium, with or without - modifications, and in Source or Object form, provided that You - meet the following conditions: - - (a) You must give any other recipients of the Work or - Derivative Works a copy of this License; and - - (b) You must cause any modified files to carry prominent notices - stating that You changed the files; and - - (c) You must retain, in the Source form of any Derivative Works - that You distribute, all copyright, patent, trademark, and - attribution notices from the Source form of the Work, - excluding those notices that do not pertain to any part of - the Derivative Works; and - - (d) If the Work includes a "NOTICE" text file as part of its - distribution, then any Derivative Works that You distribute must - include a readable copy of the attribution notices contained - within such NOTICE file, excluding those notices that do not - pertain to any part of the Derivative Works, in at least one - of the following places: within a NOTICE text file distributed - as part of the Derivative Works; within the Source form or - documentation, if provided along with the Derivative Works; or, - within a display generated by the Derivative Works, if and - wherever such third-party notices normally appear. The contents - of the NOTICE file are for informational purposes only and - do not modify the License. You may add Your own attribution - notices within Derivative Works that You distribute, alongside - or as an addendum to the NOTICE text from the Work, provided - that such additional attribution notices cannot be construed - as modifying the License. - - You may add Your own copyright statement to Your modifications and - may provide additional or different license terms and conditions - for use, reproduction, or distribution of Your modifications, or - for any such Derivative Works as a whole, provided Your use, - reproduction, and distribution of the Work otherwise complies with - the conditions stated in this License. - - 5. Submission of Contributions. Unless You explicitly state otherwise, - any Contribution intentionally submitted for inclusion in the Work - by You to the Licensor shall be under the terms and conditions of - this License, without any additional terms or conditions. - Notwithstanding the above, nothing herein shall supersede or modify - the terms of any separate license agreement you may have executed - with Licensor regarding such Contributions. - - 6. Trademarks. This License does not grant permission to use the trade - names, trademarks, service marks, or product names of the Licensor, - except as required for reasonable and customary use in describing the - origin of the Work and reproducing the content of the NOTICE file. - - 7. Disclaimer of Warranty. Unless required by applicable law or - agreed to in writing, Licensor provides the Work (and each - Contributor provides its Contributions) on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or - implied, including, without limitation, any warranties or conditions - of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A - PARTICULAR PURPOSE. You are solely responsible for determining the - appropriateness of using or redistributing the Work and assume any - risks associated with Your exercise of permissions under this License. - - 8. Limitation of Liability. In no event and under no legal theory, - whether in tort (including negligence), contract, or otherwise, - unless required by applicable law (such as deliberate and grossly - negligent acts) or agreed to in writing, shall any Contributor be - liable to You for damages, including any direct, indirect, special, - incidental, or consequential damages of any character arising as a - result of this License or out of the use or inability to use the - Work (including but not limited to damages for loss of goodwill, - work stoppage, computer failure or malfunction, or any and all - other commercial damages or losses), even if such Contributor - has been advised of the possibility of such damages. - - 9. Accepting Warranty or Additional Liability. While redistributing - the Work or Derivative Works thereof, You may choose to offer, - and charge a fee for, acceptance of support, warranty, indemnity, - or other liability obligations and/or rights consistent with this - License. However, in accepting such obligations, You may act only - on Your own behalf and on Your sole responsibility, not on behalf - of any other Contributor, and only if You agree to indemnify, - defend, and hold each Contributor harmless for any liability - incurred by, or claims asserted against, such Contributor by reason - of your accepting any such warranty or additional liability. - - END OF TERMS AND CONDITIONS - - APPENDIX: How to apply the Apache License to your work. - - To apply the Apache License to your work, attach the following - boilerplate notice, with the fields enclosed by brackets "{}" - replaced with your own identifying information. (Don't include - the brackets!) The text should be enclosed in the appropriate - comment syntax for the file format. We also recommend that a - file or class name and description of purpose be included on the - same "printed page" as the copyright notice for easier - identification within third-party archives. - - Copyright {yyyy} {name of copyright owner} - - Licensed under the Apache License, Version 2.0 (the "License"); - you may not use this file except in compliance with the License. - You may obtain a copy of the License at - - http://www.apache.org/licenses/LICENSE-2.0 - - Unless required by applicable law or agreed to in writing, software - distributed under the License is distributed on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - See the License for the specific language governing permissions and - limitations under the License. - - ## PromiseKit @see README diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist index dfbd5e635c9a..476c1044a32d 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist @@ -12,253 +12,21 @@ Type PSGroupSpecifier - - FooterText - Copyright (c) 2014-2016 Alamofire Software Foundation (http://alamofire.org/) - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. - - Title - Alamofire - Type - PSGroupSpecifier - FooterText https://github.com/mxcl/OMGHTTPURLRQ/blob/master/README.markdown + License + MIT Title OMGHTTPURLRQ Type PSGroupSpecifier - - FooterText - Apache License - Version 2.0, January 2004 - http://www.apache.org/licenses/ - - TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION - - 1. Definitions. - - "License" shall mean the terms and conditions for use, reproduction, - and distribution as defined by Sections 1 through 9 of this document. - - "Licensor" shall mean the copyright owner or entity authorized by - the copyright owner that is granting the License. - - "Legal Entity" shall mean the union of the acting entity and all - other entities that control, are controlled by, or are under common - control with that entity. For the purposes of this definition, - "control" means (i) the power, direct or indirect, to cause the - direction or management of such entity, whether by contract or - otherwise, or (ii) ownership of fifty percent (50%) or more of the - outstanding shares, or (iii) beneficial ownership of such entity. - - "You" (or "Your") shall mean an individual or Legal Entity - exercising permissions granted by this License. - - "Source" form shall mean the preferred form for making modifications, - including but not limited to software source code, documentation - source, and configuration files. - - "Object" form shall mean any form resulting from mechanical - transformation or translation of a Source form, including but - not limited to compiled object code, generated documentation, - and conversions to other media types. - - "Work" shall mean the work of authorship, whether in Source or - Object form, made available under the License, as indicated by a - copyright notice that is included in or attached to the work - (an example is provided in the Appendix below). - - "Derivative Works" shall mean any work, whether in Source or Object - form, that is based on (or derived from) the Work and for which the - editorial revisions, annotations, elaborations, or other modifications - represent, as a whole, an original work of authorship. For the purposes - of this License, Derivative Works shall not include works that remain - separable from, or merely link (or bind by name) to the interfaces of, - the Work and Derivative Works thereof. - - "Contribution" shall mean any work of authorship, including - the original version of the Work and any modifications or additions - to that Work or Derivative Works thereof, that is intentionally - submitted to Licensor for inclusion in the Work by the copyright owner - or by an individual or Legal Entity authorized to submit on behalf of - the copyright owner. For the purposes of this definition, "submitted" - means any form of electronic, verbal, or written communication sent - to the Licensor or its representatives, including but not limited to - communication on electronic mailing lists, source code control systems, - and issue tracking systems that are managed by, or on behalf of, the - Licensor for the purpose of discussing and improving the Work, but - excluding communication that is conspicuously marked or otherwise - designated in writing by the copyright owner as "Not a Contribution." - - "Contributor" shall mean Licensor and any individual or Legal Entity - on behalf of whom a Contribution has been received by Licensor and - subsequently incorporated within the Work. - - 2. Grant of Copyright License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - copyright license to reproduce, prepare Derivative Works of, - publicly display, publicly perform, sublicense, and distribute the - Work and such Derivative Works in Source or Object form. - - 3. Grant of Patent License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - (except as stated in this section) patent license to make, have made, - use, offer to sell, sell, import, and otherwise transfer the Work, - where such license applies only to those patent claims licensable - by such Contributor that are necessarily infringed by their - Contribution(s) alone or by combination of their Contribution(s) - with the Work to which such Contribution(s) was submitted. If You - institute patent litigation against any entity (including a - cross-claim or counterclaim in a lawsuit) alleging that the Work - or a Contribution incorporated within the Work constitutes direct - or contributory patent infringement, then any patent licenses - granted to You under this License for that Work shall terminate - as of the date such litigation is filed. - - 4. Redistribution. You may reproduce and distribute copies of the - Work or Derivative Works thereof in any medium, with or without - modifications, and in Source or Object form, provided that You - meet the following conditions: - - (a) You must give any other recipients of the Work or - Derivative Works a copy of this License; and - - (b) You must cause any modified files to carry prominent notices - stating that You changed the files; and - - (c) You must retain, in the Source form of any Derivative Works - that You distribute, all copyright, patent, trademark, and - attribution notices from the Source form of the Work, - excluding those notices that do not pertain to any part of - the Derivative Works; and - - (d) If the Work includes a "NOTICE" text file as part of its - distribution, then any Derivative Works that You distribute must - include a readable copy of the attribution notices contained - within such NOTICE file, excluding those notices that do not - pertain to any part of the Derivative Works, in at least one - of the following places: within a NOTICE text file distributed - as part of the Derivative Works; within the Source form or - documentation, if provided along with the Derivative Works; or, - within a display generated by the Derivative Works, if and - wherever such third-party notices normally appear. The contents - of the NOTICE file are for informational purposes only and - do not modify the License. You may add Your own attribution - notices within Derivative Works that You distribute, alongside - or as an addendum to the NOTICE text from the Work, provided - that such additional attribution notices cannot be construed - as modifying the License. - - You may add Your own copyright statement to Your modifications and - may provide additional or different license terms and conditions - for use, reproduction, or distribution of Your modifications, or - for any such Derivative Works as a whole, provided Your use, - reproduction, and distribution of the Work otherwise complies with - the conditions stated in this License. - - 5. Submission of Contributions. Unless You explicitly state otherwise, - any Contribution intentionally submitted for inclusion in the Work - by You to the Licensor shall be under the terms and conditions of - this License, without any additional terms or conditions. - Notwithstanding the above, nothing herein shall supersede or modify - the terms of any separate license agreement you may have executed - with Licensor regarding such Contributions. - - 6. Trademarks. This License does not grant permission to use the trade - names, trademarks, service marks, or product names of the Licensor, - except as required for reasonable and customary use in describing the - origin of the Work and reproducing the content of the NOTICE file. - - 7. Disclaimer of Warranty. Unless required by applicable law or - agreed to in writing, Licensor provides the Work (and each - Contributor provides its Contributions) on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or - implied, including, without limitation, any warranties or conditions - of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A - PARTICULAR PURPOSE. You are solely responsible for determining the - appropriateness of using or redistributing the Work and assume any - risks associated with Your exercise of permissions under this License. - - 8. Limitation of Liability. In no event and under no legal theory, - whether in tort (including negligence), contract, or otherwise, - unless required by applicable law (such as deliberate and grossly - negligent acts) or agreed to in writing, shall any Contributor be - liable to You for damages, including any direct, indirect, special, - incidental, or consequential damages of any character arising as a - result of this License or out of the use or inability to use the - Work (including but not limited to damages for loss of goodwill, - work stoppage, computer failure or malfunction, or any and all - other commercial damages or losses), even if such Contributor - has been advised of the possibility of such damages. - - 9. Accepting Warranty or Additional Liability. While redistributing - the Work or Derivative Works thereof, You may choose to offer, - and charge a fee for, acceptance of support, warranty, indemnity, - or other liability obligations and/or rights consistent with this - License. However, in accepting such obligations, You may act only - on Your own behalf and on Your sole responsibility, not on behalf - of any other Contributor, and only if You agree to indemnify, - defend, and hold each Contributor harmless for any liability - incurred by, or claims asserted against, such Contributor by reason - of your accepting any such warranty or additional liability. - - END OF TERMS AND CONDITIONS - - APPENDIX: How to apply the Apache License to your work. - - To apply the Apache License to your work, attach the following - boilerplate notice, with the fields enclosed by brackets "{}" - replaced with your own identifying information. (Don't include - the brackets!) The text should be enclosed in the appropriate - comment syntax for the file format. We also recommend that a - file or class name and description of purpose be included on the - same "printed page" as the copyright notice for easier - identification within third-party archives. - - Copyright {yyyy} {name of copyright owner} - - Licensed under the Apache License, Version 2.0 (the "License"); - you may not use this file except in compliance with the License. - You may obtain a copy of the License at - - http://www.apache.org/licenses/LICENSE-2.0 - - Unless required by applicable law or agreed to in writing, software - distributed under the License is distributed on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - See the License for the specific language governing permissions and - limitations under the License. - - Title - PetstoreClient - Type - PSGroupSpecifier - FooterText @see README + License + MIT Title PromiseKit Type diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh index 0a1561528cb9..25e9d37757fc 100755 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh @@ -23,12 +23,6 @@ case "${TARGETED_DEVICE_FAMILY}" in ;; esac -realpath() { - DIRECTORY="$(cd "${1%/*}" && pwd)" - FILENAME="${1##*/}" - echo "$DIRECTORY/$FILENAME" -} - install_resource() { if [[ "$1" = /* ]] ; then @@ -70,7 +64,7 @@ EOM xcrun mapc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcmappingmodel`.cdm" ;; *.xcassets) - ABSOLUTE_XCASSET_FILE=$(realpath "$RESOURCE_PATH") + ABSOLUTE_XCASSET_FILE="$RESOURCE_PATH" XCASSET_FILES+=("$ABSOLUTE_XCASSET_FILE") ;; *) @@ -93,7 +87,7 @@ then # Find all other xcassets (this unfortunately includes those of path pods and other targets). OTHER_XCASSETS=$(find "$PWD" -iname "*.xcassets" -type d) while read line; do - if [[ $line != "`realpath $PODS_ROOT`*" ]]; then + if [[ $line != "${PODS_ROOT}*" ]]; then XCASSET_FILES+=("$line") fi done <<<"$OTHER_XCASSETS" diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h index b68fbb9611fa..2bdb03cd9399 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double Pods_SwaggerClientVersionNumber; diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig index 6cbf6b29f2e8..4b678f396a68 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = YES EMBEDDED_CONTENT_CONTAINS_SWIFT = YES FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/OMGHTTPURLRQ" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/PromiseKit" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig index 6cbf6b29f2e8..4b678f396a68 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = YES EMBEDDED_CONTENT_CONTAINS_SWIFT = YES FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/OMGHTTPURLRQ" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/PromiseKit" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh index 0a1561528cb9..25e9d37757fc 100755 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh @@ -23,12 +23,6 @@ case "${TARGETED_DEVICE_FAMILY}" in ;; esac -realpath() { - DIRECTORY="$(cd "${1%/*}" && pwd)" - FILENAME="${1##*/}" - echo "$DIRECTORY/$FILENAME" -} - install_resource() { if [[ "$1" = /* ]] ; then @@ -70,7 +64,7 @@ EOM xcrun mapc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcmappingmodel`.cdm" ;; *.xcassets) - ABSOLUTE_XCASSET_FILE=$(realpath "$RESOURCE_PATH") + ABSOLUTE_XCASSET_FILE="$RESOURCE_PATH" XCASSET_FILES+=("$ABSOLUTE_XCASSET_FILE") ;; *) @@ -93,7 +87,7 @@ then # Find all other xcassets (this unfortunately includes those of path pods and other targets). OTHER_XCASSETS=$(find "$PWD" -iname "*.xcassets" -type d) while read line; do - if [[ $line != "`realpath $PODS_ROOT`*" ]]; then + if [[ $line != "${PODS_ROOT}*" ]]; then XCASSET_FILES+=("$line") fi done <<<"$OTHER_XCASSETS" diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h index fb4cae0c0fdc..950bb19ca7a1 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double Pods_SwaggerClientTestsVersionNumber; diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig index a03fe773e576..85fcf66813e6 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/OMGHTTPURLRQ" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/PromiseKit" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 LD_RUNPATH_SEARCH_PATHS = $(inherited) '@executable_path/Frameworks' '@loader_path/Frameworks' diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig index a03fe773e576..85fcf66813e6 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/OMGHTTPURLRQ" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/PromiseKit" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 LD_RUNPATH_SEARCH_PATHS = $(inherited) '@executable_path/Frameworks' '@loader_path/Frameworks' diff --git a/samples/client/petstore/swift/promisekit/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj b/samples/client/petstore/swift/promisekit/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj index 0eec9dcf8c61..b1c5cd52bee3 100644 --- a/samples/client/petstore/swift/promisekit/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj +++ b/samples/client/petstore/swift/promisekit/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj @@ -266,7 +266,7 @@ ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; - shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [[ $? != 0 ]] ; then\n cat << EOM\nerror: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\nEOM\n exit 1\nfi\n"; + shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n"; showEnvVarsInLog = 0; }; 4485A75250058E2D5BBDF63F /* [CP] Embed Pods Frameworks */ = { @@ -311,7 +311,7 @@ ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; - shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [[ $? != 0 ]] ; then\n cat << EOM\nerror: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\nEOM\n exit 1\nfi\n"; + shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n"; showEnvVarsInLog = 0; }; 808CE4A0CE801CAC5ABF5B08 /* [CP] Copy Pods Resources */ = { diff --git a/samples/client/petstore/swift3/default/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift b/samples/client/petstore/swift3/default/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift index d0c9e24bd5d5..d8e2004302d3 100644 --- a/samples/client/petstore/swift3/default/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift +++ b/samples/client/petstore/swift3/default/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift @@ -92,7 +92,7 @@ open class AlamofireRequestBuilder: RequestBuilder { } self.processRequest(request: upload, managerId, completion) case .failure(let encodingError): - completion(nil, ErrorResponse(statusCode: 415, data: nil, error: encodingError)) + completion(nil, ErrorResponse.HttpError(statusCode: 415, data: nil, error: encodingError)) } }) } else { @@ -124,7 +124,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if stringResponse.result.isFailure { completion( nil, - ErrorResponse(statusCode: stringResponse.response?.statusCode ?? 500, data: stringResponse.data, error: stringResponse.result.error as Error!) + ErrorResponse.HttpError(statusCode: stringResponse.response?.statusCode ?? 500, data: stringResponse.data, error: stringResponse.result.error as Error!) ) return } @@ -144,7 +144,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if voidResponse.result.isFailure { completion( nil, - ErrorResponse(statusCode: voidResponse.response?.statusCode ?? 500, data: voidResponse.data, error: voidResponse.result.error!) + ErrorResponse.HttpError(statusCode: voidResponse.response?.statusCode ?? 500, data: voidResponse.data, error: voidResponse.result.error!) ) return } @@ -163,7 +163,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if (dataResponse.result.isFailure) { completion( nil, - ErrorResponse(statusCode: dataResponse.response?.statusCode ?? 500, data: dataResponse.data, error: dataResponse.result.error!) + ErrorResponse.HttpError(statusCode: dataResponse.response?.statusCode ?? 500, data: dataResponse.data, error: dataResponse.result.error!) ) return } @@ -181,7 +181,7 @@ open class AlamofireRequestBuilder: RequestBuilder { cleanupRequest() if response.result.isFailure { - completion(nil, ErrorResponse(statusCode: response.response?.statusCode ?? 500, data: response.data, error: response.result.error!)) + completion(nil, ErrorResponse.HttpError(statusCode: response.response?.statusCode ?? 500, data: response.data, error: response.result.error!)) return } @@ -197,8 +197,11 @@ open class AlamofireRequestBuilder: RequestBuilder { return } if let json: Any = response.result.value { - let body = Decoders.decode(clazz: T.self, source: json as AnyObject) - completion(Response(response: response.response!, body: body), nil) + let decoded = Decoders.decode(clazz: T.self, source: json as AnyObject) + switch decoded { + case let .success(object): completion(Response(response: response.response!, body: object), nil) + case let .failure(error): completion(nil, ErrorResponse.DecodeError(response: response.data, decodeError: error)) + } return } else if "" is T { // swagger-parser currently doesn't support void, which will be fixed in future swagger-parser release @@ -207,7 +210,7 @@ open class AlamofireRequestBuilder: RequestBuilder { return } - completion(nil, ErrorResponse(statusCode: 500, data: nil, error: NSError(domain: "localhost", code: 500, userInfo: ["reason": "unreacheable code"]))) + completion(nil, ErrorResponse.HttpError(statusCode: 500, data: nil, error: NSError(domain: "localhost", code: 500, userInfo: ["reason": "unreacheable code"]))) } } } diff --git a/samples/client/petstore/swift3/default/PetstoreClient/Classes/Swaggers/Models.swift b/samples/client/petstore/swift3/default/PetstoreClient/Classes/Swaggers/Models.swift index 4d66c81be2f3..559a2e8a5e17 100644 --- a/samples/client/petstore/swift3/default/PetstoreClient/Classes/Swaggers/Models.swift +++ b/samples/client/petstore/swift3/default/PetstoreClient/Classes/Swaggers/Models.swift @@ -10,10 +10,9 @@ protocol JSONEncodable { func encodeToJSON() -> Any } -public struct ErrorResponse : Error { - public let statusCode: Int - public let data: Data? - public let error: Error +public enum ErrorResponse : Error { + case HttpError(statusCode: Int, data: Data?, error: Error) + case DecodeError(response: Data?, decodeError: DecodeError) } open class Response { @@ -37,90 +36,182 @@ open class Response { } } +public enum Decoded { + case success(ValueType) + case failure(DecodeError) +} + +public extension Decoded { + var value: ValueType? { + switch self { + case let .success(value): + return value + break + case .failure: + return nil + break + } + } +} + +public enum DecodeError { + case typeMismatch(expected: String, actual: String) + case missingKey(key: String) + case parseError(message: String) +} + private var once = Int() class Decoders { static fileprivate var decoders = Dictionary AnyObject)>() - static func addDecoder(clazz: T.Type, decoder: @escaping ((AnyObject) -> T)) { + + static func addDecoder(clazz: T.Type, decoder: @escaping ((AnyObject) -> Decoded)) { let key = "\(T.self)" decoders[key] = { decoder($0) as AnyObject } } - static func decode(clazz: T.Type, discriminator: String, source: AnyObject) -> T { + static func decode(clazz: T.Type, discriminator: String, source: AnyObject) -> Decoded { let key = discriminator; - if let decoder = decoders[key] { - return decoder(source) as! T + if let decoder = decoders[key], let value = decoder(source) as? Decoded { + return value } else { - fatalError("Source \(source) is not convertible to type \(clazz): Maybe swagger file is insufficient") + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } } - static func decode(clazz: [T].Type, source: AnyObject) -> [T] { - let array = source as! [AnyObject] - return array.map { Decoders.decode(clazz: T.self, source: $0) } - } - - static func decode(clazz: [Key:T].Type, source: AnyObject) -> [Key:T] { - let sourceDictionary = source as! [Key: AnyObject] - var dictionary = [Key:T]() - for (key, value) in sourceDictionary { - dictionary[key] = Decoders.decode(clazz: T.self, source: value) + static func decode(clazz: [T].Type, source: AnyObject) -> Decoded<[T]> { + if let sourceArray = source as? [AnyObject] { + var values = [T]() + for sourceValue in sourceArray { + switch Decoders.decode(clazz: T.self, source: sourceValue) { + case let .success(value): + values.append(value) + case let .failure(error): + return .failure(error) + break + } + } + return .success(values) + } else { + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } - return dictionary } - static func decode(clazz: T.Type, source: AnyObject) -> T { + static func decode(clazz: [Key:T].Type, source: AnyObject) -> Decoded<[Key:T]> { + if let sourceDictionary = source as? [Key: AnyObject] { + var dictionary = [Key:T]() + for (key, value) in sourceDictionary { + switch Decoders.decode(clazz: T.self, source: value) { + case let .success(value): + dictionary[key] = value + break + case let .failure(error): + return .failure(error) + } + } + return .success(dictionary) + } else { + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) + } + } + + static func decodeOptional(clazz: T.Type, source: AnyObject?) -> Decoded { + if let value = source as? T.RawValue { + if let enumValue = T.init(rawValue: value) { + return .success(enumValue) + } else { + return .failure(.typeMismatch(expected: "A value from the enumeration \(T.self)", actual: "\(value)")) + } + } else { + return .failure(.typeMismatch(expected: "\(T.RawValue.self) matching a case from the enumeration \(T.self)", actual: String(describing: type(of: source)))) + } + } + + static func decode(clazz: T.Type, source: AnyObject) -> Decoded { initialize() - if T.self is Int32.Type && source is NSNumber { - return source.int32Value as! T; + if let value = source.int32Value as? T, source is NSNumber, T.self is Int32.Type { + return .success(value) } - if T.self is Int64.Type && source is NSNumber { - return source.int64Value as! T; + if let value = source.int32Value as? T, source is NSNumber, T.self is Int64.Type { + return .success(value) } - if T.self is UUID.Type && source is String { - return UUID(uuidString: source as! String) as! T + if let intermediate = source as? String, let value = UUID(uuidString: intermediate) as? T, source is String, T.self is UUID.Type { + return .success(value) } - if source is T { - return source as! T + if let value = source as? T { + return .success(value) } - if T.self is Data.Type && source is String { - return Data(base64Encoded: source as! String) as! T + //The last two expressions in this condition must be unnecessary, but it would be good to test this. + if let intermediate = source as? String, let value = Data(base64Encoded: intermediate) as? T, T.self is Data.Type, source is String { + return .success(value) } let key = "\(T.self)" - if let decoder = decoders[key] { - return decoder(source) as! T + if let decoder = decoders[key], let value = decoder(source) as? Decoded { + return value } else { - fatalError("Source \(source) is not convertible to type \(clazz): Maybe swagger file is insufficient") + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } } - static func decodeOptional(clazz: T.Type, source: AnyObject?) -> T? { - if source is NSNull { - return nil - } - return source.map { (source: AnyObject) -> T in - Decoders.decode(clazz: clazz, source: source) + //Convert a Decoded so that its value is optional. DO WE STILL NEED THIS? + static func toOptional(decoded: Decoded) -> Decoded { + return .success(decoded.value) + } + + static func decodeOptional(clazz: T.Type, source: AnyObject?) -> Decoded { + if let source = source, !(source is NSNull) { + switch Decoders.decode(clazz: clazz, source: source) { + case let .success(value): return .success(value) + case let .failure(error): return .failure(error) + } + } else { + return .success(nil) } } - static func decodeOptional(clazz: [T].Type, source: AnyObject?) -> [T]? { - if source is NSNull { - return nil - } - return source.map { (someSource: AnyObject) -> [T] in - Decoders.decode(clazz: clazz, source: someSource) + static func decodeOptional(clazz: [T].Type, source: AnyObject?) -> Decoded<[T]?> { + if let source = source as? [AnyObject] { + var values = [T]() + for sourceValue in source { + switch Decoders.decode(clazz: T.self, source: sourceValue) { + case let .success(value): values.append(value) + case let .failure(error): return .failure(error) + } + } + return .success(values) + } else { + return .success(nil) } } - static func decodeOptional(clazz: [Key:T].Type, source: AnyObject?) -> [Key:T]? { - if source is NSNull { - return nil - } - return source.map { (someSource: AnyObject) -> [Key:T] in - Decoders.decode(clazz: clazz, source: someSource) + static func decodeOptional(clazz: [Key:T].Type, source: AnyObject?) -> Decoded<[Key:T]?> { + if let sourceDictionary = source as? [Key: AnyObject] { + var dictionary = [Key:T]() + for (key, value) in sourceDictionary { + switch Decoders.decode(clazz: T.self, source: value) { + case let .success(value): dictionary[key] = value + case let .failure(error): return .failure(error) + } + } + return .success(dictionary) + } else { + return .success(nil) } } + + static func decodeOptional(clazz: T, source: AnyObject) -> Decoded { + if let value = source as? U { + if let enumValue = T.init(rawValue: value) { + return .success(enumValue) + } else { + return .failure(.typeMismatch(expected: "A value from the enumeration \(T.self)", actual: "\(value)")) + } + } else { + return .failure(.typeMismatch(expected: "String", actual: String(describing: type(of: source)))) + } + } + private static var __once: () = { let formatters = [ @@ -136,541 +227,1055 @@ class Decoders { return formatter } // Decoder for Date - Decoders.addDecoder(clazz: Date.self) { (source: AnyObject) -> Date in + Decoders.addDecoder(clazz: Date.self) { (source: AnyObject) -> Decoded in if let sourceString = source as? String { for formatter in formatters { if let date = formatter.date(from: sourceString) { - return date + return .success(date) } } } - if let sourceInt = source as? Int64 { + if let sourceInt = source as? Int { // treat as a java date - return Date(timeIntervalSince1970: Double(sourceInt / 1000) ) + return .success(Date(timeIntervalSince1970: Double(sourceInt / 1000) )) + } + if source is String || source is Int { + return .failure(.parseError(message: "Could not decode date")) + } else { + return .failure(.typeMismatch(expected: "String or Int", actual: "\(source)")) } - fatalError("formatter failed to parse \(source)") } - + // Decoder for ISOFullDate - Decoders.addDecoder(clazz: ISOFullDate.self) { (source: AnyObject) -> ISOFullDate in + Decoders.addDecoder(clazz: ISOFullDate.self) { (source: AnyObject) -> Decoded in if let string = source as? String, let isoDate = ISOFullDate.from(string: string) { - return isoDate + return .success(isoDate) + } else { + return .failure(.typeMismatch(expected: "ISO date", actual: "\(source)")) } - fatalError("formatter failed to parse \(source)") } // Decoder for [AdditionalPropertiesClass] - Decoders.addDecoder(clazz: [AdditionalPropertiesClass].self) { (source: AnyObject) -> [AdditionalPropertiesClass] in + Decoders.addDecoder(clazz: [AdditionalPropertiesClass].self) { (source: AnyObject) -> Decoded<[AdditionalPropertiesClass]> in return Decoders.decode(clazz: [AdditionalPropertiesClass].self, source: source) } // Decoder for AdditionalPropertiesClass - Decoders.addDecoder(clazz: AdditionalPropertiesClass.self) { (source: AnyObject) -> AdditionalPropertiesClass in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: AdditionalPropertiesClass.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = AdditionalPropertiesClass() - instance.mapProperty = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map_property"] as AnyObject?) - instance.mapOfMapProperty = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map_of_map_property"] as AnyObject?) - return instance + let instance = AdditionalPropertiesClass() + switch Decoders.decodeOptional(clazz: [String:String].self, source: sourceDictionary["map_property"] as AnyObject?) { + + case let .success(value): instance.mapProperty = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [String:[String:String]].self, source: sourceDictionary["map_of_map_property"] as AnyObject?) { + + case let .success(value): instance.mapOfMapProperty = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "AdditionalPropertiesClass", actual: "\(source)")) + } } // Decoder for [Animal] - Decoders.addDecoder(clazz: [Animal].self) { (source: AnyObject) -> [Animal] in + Decoders.addDecoder(clazz: [Animal].self) { (source: AnyObject) -> Decoded<[Animal]> in return Decoders.decode(clazz: [Animal].self, source: source) } // Decoder for Animal - Decoders.addDecoder(clazz: Animal.self) { (source: AnyObject) -> Animal in - let sourceDictionary = source as! [AnyHashable: Any] - // Check discriminator to support inheritance - if let discriminator = sourceDictionary["className"] as? String, discriminator != "Animal"{ - return Decoders.decode(clazz: Animal.self, discriminator: discriminator, source: source) + Decoders.addDecoder(clazz: Animal.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { + // Check discriminator to support inheritance + if let discriminator = sourceDictionary["className"] as? String, discriminator != "Animal"{ + return Decoders.decode(clazz: Animal.self, discriminator: discriminator, source: source) + } + + let instance = Animal() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) { + + case let .success(value): instance.className = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) { + + case let .success(value): instance.color = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Animal", actual: "\(source)")) } - - let instance = Animal() - instance.className = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) - instance.color = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) - return instance } - // Decoder for [AnimalFarm] - Decoders.addDecoder(clazz: [AnimalFarm].self) { (source: AnyObject) -> [AnimalFarm] in - return Decoders.decode(clazz: [AnimalFarm].self, source: source) - } - // Decoder for AnimalFarm - Decoders.addDecoder(clazz: AnimalFarm.self) { (source: AnyObject) -> AnimalFarm in - let sourceArray = source as! [AnyObject] - return sourceArray.map({ Decoders.decode(clazz: Animal.self, source: $0) }) - } + // Decoder for [ApiResponse] - Decoders.addDecoder(clazz: [ApiResponse].self) { (source: AnyObject) -> [ApiResponse] in + Decoders.addDecoder(clazz: [ApiResponse].self) { (source: AnyObject) -> Decoded<[ApiResponse]> in return Decoders.decode(clazz: [ApiResponse].self, source: source) } // Decoder for ApiResponse - Decoders.addDecoder(clazz: ApiResponse.self) { (source: AnyObject) -> ApiResponse in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ApiResponse.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ApiResponse() - instance.code = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["code"] as AnyObject?) - instance.type = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["type"] as AnyObject?) - instance.message = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["message"] as AnyObject?) - return instance + let instance = ApiResponse() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["code"] as AnyObject?) { + + case let .success(value): instance.code = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["type"] as AnyObject?) { + + case let .success(value): instance.type = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["message"] as AnyObject?) { + + case let .success(value): instance.message = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ApiResponse", actual: "\(source)")) + } } // Decoder for [ArrayOfArrayOfNumberOnly] - Decoders.addDecoder(clazz: [ArrayOfArrayOfNumberOnly].self) { (source: AnyObject) -> [ArrayOfArrayOfNumberOnly] in + Decoders.addDecoder(clazz: [ArrayOfArrayOfNumberOnly].self) { (source: AnyObject) -> Decoded<[ArrayOfArrayOfNumberOnly]> in return Decoders.decode(clazz: [ArrayOfArrayOfNumberOnly].self, source: source) } // Decoder for ArrayOfArrayOfNumberOnly - Decoders.addDecoder(clazz: ArrayOfArrayOfNumberOnly.self) { (source: AnyObject) -> ArrayOfArrayOfNumberOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ArrayOfArrayOfNumberOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ArrayOfArrayOfNumberOnly() - instance.arrayArrayNumber = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["ArrayArrayNumber"] as AnyObject?) - return instance + let instance = ArrayOfArrayOfNumberOnly() + switch Decoders.decodeOptional(clazz: [[Double]].self, source: sourceDictionary["ArrayArrayNumber"] as AnyObject?) { + + case let .success(value): instance.arrayArrayNumber = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ArrayOfArrayOfNumberOnly", actual: "\(source)")) + } } // Decoder for [ArrayOfNumberOnly] - Decoders.addDecoder(clazz: [ArrayOfNumberOnly].self) { (source: AnyObject) -> [ArrayOfNumberOnly] in + Decoders.addDecoder(clazz: [ArrayOfNumberOnly].self) { (source: AnyObject) -> Decoded<[ArrayOfNumberOnly]> in return Decoders.decode(clazz: [ArrayOfNumberOnly].self, source: source) } // Decoder for ArrayOfNumberOnly - Decoders.addDecoder(clazz: ArrayOfNumberOnly.self) { (source: AnyObject) -> ArrayOfNumberOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ArrayOfNumberOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ArrayOfNumberOnly() - instance.arrayNumber = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["ArrayNumber"] as AnyObject?) - return instance + let instance = ArrayOfNumberOnly() + switch Decoders.decodeOptional(clazz: [Double].self, source: sourceDictionary["ArrayNumber"] as AnyObject?) { + + case let .success(value): instance.arrayNumber = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ArrayOfNumberOnly", actual: "\(source)")) + } } // Decoder for [ArrayTest] - Decoders.addDecoder(clazz: [ArrayTest].self) { (source: AnyObject) -> [ArrayTest] in + Decoders.addDecoder(clazz: [ArrayTest].self) { (source: AnyObject) -> Decoded<[ArrayTest]> in return Decoders.decode(clazz: [ArrayTest].self, source: source) } // Decoder for ArrayTest - Decoders.addDecoder(clazz: ArrayTest.self) { (source: AnyObject) -> ArrayTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ArrayTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ArrayTest() - instance.arrayOfString = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_of_string"] as AnyObject?) - instance.arrayArrayOfInteger = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_array_of_integer"] as AnyObject?) - instance.arrayArrayOfModel = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_array_of_model"] as AnyObject?) - return instance + let instance = ArrayTest() + switch Decoders.decodeOptional(clazz: [String].self, source: sourceDictionary["array_of_string"] as AnyObject?) { + + case let .success(value): instance.arrayOfString = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [[Int64]].self, source: sourceDictionary["array_array_of_integer"] as AnyObject?) { + + case let .success(value): instance.arrayArrayOfInteger = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [[ReadOnlyFirst]].self, source: sourceDictionary["array_array_of_model"] as AnyObject?) { + + case let .success(value): instance.arrayArrayOfModel = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ArrayTest", actual: "\(source)")) + } } // Decoder for [Cat] - Decoders.addDecoder(clazz: [Cat].self) { (source: AnyObject) -> [Cat] in + Decoders.addDecoder(clazz: [Cat].self) { (source: AnyObject) -> Decoded<[Cat]> in return Decoders.decode(clazz: [Cat].self, source: source) } // Decoder for Cat - Decoders.addDecoder(clazz: Cat.self) { (source: AnyObject) -> Cat in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Cat.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Cat() - instance.className = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) - instance.color = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) - instance.declawed = Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["declawed"] as AnyObject?) - return instance + let instance = Cat() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) { + + case let .success(value): instance.className = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) { + + case let .success(value): instance.color = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["declawed"] as AnyObject?) { + + case let .success(value): instance.declawed = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Cat", actual: "\(source)")) + } } // Decoder for [Category] - Decoders.addDecoder(clazz: [Category].self) { (source: AnyObject) -> [Category] in + Decoders.addDecoder(clazz: [Category].self) { (source: AnyObject) -> Decoded<[Category]> in return Decoders.decode(clazz: [Category].self, source: source) } // Decoder for Category - Decoders.addDecoder(clazz: Category.self) { (source: AnyObject) -> Category in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Category.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Category() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.name = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) - return instance + let instance = Category() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Category", actual: "\(source)")) + } } // Decoder for [ClassModel] - Decoders.addDecoder(clazz: [ClassModel].self) { (source: AnyObject) -> [ClassModel] in + Decoders.addDecoder(clazz: [ClassModel].self) { (source: AnyObject) -> Decoded<[ClassModel]> in return Decoders.decode(clazz: [ClassModel].self, source: source) } // Decoder for ClassModel - Decoders.addDecoder(clazz: ClassModel.self) { (source: AnyObject) -> ClassModel in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ClassModel.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ClassModel() - instance._class = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["_class"] as AnyObject?) - return instance + let instance = ClassModel() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["_class"] as AnyObject?) { + + case let .success(value): instance._class = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ClassModel", actual: "\(source)")) + } } // Decoder for [Client] - Decoders.addDecoder(clazz: [Client].self) { (source: AnyObject) -> [Client] in + Decoders.addDecoder(clazz: [Client].self) { (source: AnyObject) -> Decoded<[Client]> in return Decoders.decode(clazz: [Client].self, source: source) } // Decoder for Client - Decoders.addDecoder(clazz: Client.self) { (source: AnyObject) -> Client in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Client.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Client() - instance.client = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["client"] as AnyObject?) - return instance + let instance = Client() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["client"] as AnyObject?) { + + case let .success(value): instance.client = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Client", actual: "\(source)")) + } } // Decoder for [Dog] - Decoders.addDecoder(clazz: [Dog].self) { (source: AnyObject) -> [Dog] in + Decoders.addDecoder(clazz: [Dog].self) { (source: AnyObject) -> Decoded<[Dog]> in return Decoders.decode(clazz: [Dog].self, source: source) } // Decoder for Dog - Decoders.addDecoder(clazz: Dog.self) { (source: AnyObject) -> Dog in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Dog.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Dog() - instance.className = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) - instance.color = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) - instance.breed = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["breed"] as AnyObject?) - return instance + let instance = Dog() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) { + + case let .success(value): instance.className = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) { + + case let .success(value): instance.color = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["breed"] as AnyObject?) { + + case let .success(value): instance.breed = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Dog", actual: "\(source)")) + } } // Decoder for [EnumArrays] - Decoders.addDecoder(clazz: [EnumArrays].self) { (source: AnyObject) -> [EnumArrays] in + Decoders.addDecoder(clazz: [EnumArrays].self) { (source: AnyObject) -> Decoded<[EnumArrays]> in return Decoders.decode(clazz: [EnumArrays].self, source: source) } // Decoder for EnumArrays - Decoders.addDecoder(clazz: EnumArrays.self) { (source: AnyObject) -> EnumArrays in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: EnumArrays.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = EnumArrays() - if let justSymbol = sourceDictionary["just_symbol"] as? String { - instance.justSymbol = EnumArrays.JustSymbol(rawValue: (justSymbol)) + let instance = EnumArrays() + switch Decoders.decodeOptional(clazz: EnumArrays.JustSymbol.self, source: sourceDictionary["just_symbol"] as AnyObject?) { + + case let .success(value): instance.justSymbol = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_enum"] as AnyObject?) { + + case let .success(value): instance.arrayEnum = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "EnumArrays", actual: "\(source)")) } - - if let arrayEnum = sourceDictionary["array_enum"] as? [String] { - instance.arrayEnum = arrayEnum.map ({ EnumArrays.ArrayEnum(rawValue: $0)! }) - } - - return instance } // Decoder for [EnumClass] - Decoders.addDecoder(clazz: [EnumClass].self) { (source: AnyObject) -> [EnumClass] in + Decoders.addDecoder(clazz: [EnumClass].self) { (source: AnyObject) -> Decoded<[EnumClass]> in return Decoders.decode(clazz: [EnumClass].self, source: source) } // Decoder for EnumClass - Decoders.addDecoder(clazz: EnumClass.self) { (source: AnyObject) -> EnumClass in - if let source = source as? String { - if let result = EnumClass(rawValue: source) { - return result - } - } - fatalError("Source \(source) is not convertible to enum type EnumClass: Maybe swagger file is insufficient") + Decoders.addDecoder(clazz: EnumClass.self) { (source: AnyObject) -> Decoded in + //TODO: I don't think we need this anymore + return Decoders.decode(clazz: EnumClass.self, source: source) } // Decoder for [EnumTest] - Decoders.addDecoder(clazz: [EnumTest].self) { (source: AnyObject) -> [EnumTest] in + Decoders.addDecoder(clazz: [EnumTest].self) { (source: AnyObject) -> Decoded<[EnumTest]> in return Decoders.decode(clazz: [EnumTest].self, source: source) } // Decoder for EnumTest - Decoders.addDecoder(clazz: EnumTest.self) { (source: AnyObject) -> EnumTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: EnumTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = EnumTest() - if let enumString = sourceDictionary["enum_string"] as? String { - instance.enumString = EnumTest.EnumString(rawValue: (enumString)) + let instance = EnumTest() + switch Decoders.decodeOptional(clazz: EnumTest.EnumString.self, source: sourceDictionary["enum_string"] as AnyObject?) { + + case let .success(value): instance.enumString = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: EnumTest.EnumInteger.self, source: sourceDictionary["enum_integer"] as AnyObject?) { + + case let .success(value): instance.enumInteger = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: EnumTest.EnumNumber.self, source: sourceDictionary["enum_number"] as AnyObject?) { + + case let .success(value): instance.enumNumber = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: OuterEnum.self, source: sourceDictionary["outerEnum"] as AnyObject?) { + + case let .success(value): instance.outerEnum = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "EnumTest", actual: "\(source)")) } - - if let enumInteger = sourceDictionary["enum_integer"] as? Int32 { - instance.enumInteger = EnumTest.EnumInteger(rawValue: (enumInteger)) - } - - if let enumNumber = sourceDictionary["enum_number"] as? Double { - instance.enumNumber = EnumTest.EnumNumber(rawValue: (enumNumber)) - } - - instance.outerEnum = Decoders.decodeOptional(clazz: OuterEnum.self, source: sourceDictionary["outerEnum"] as AnyObject?) - return instance } // Decoder for [FormatTest] - Decoders.addDecoder(clazz: [FormatTest].self) { (source: AnyObject) -> [FormatTest] in + Decoders.addDecoder(clazz: [FormatTest].self) { (source: AnyObject) -> Decoded<[FormatTest]> in return Decoders.decode(clazz: [FormatTest].self, source: source) } // Decoder for FormatTest - Decoders.addDecoder(clazz: FormatTest.self) { (source: AnyObject) -> FormatTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: FormatTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = FormatTest() - instance.integer = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["integer"] as AnyObject?) - instance.int32 = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["int32"] as AnyObject?) - instance.int64 = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["int64"] as AnyObject?) - instance.number = Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["number"] as AnyObject?) - instance.float = Decoders.decodeOptional(clazz: Float.self, source: sourceDictionary["float"] as AnyObject?) - instance.double = Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["double"] as AnyObject?) - instance.string = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["string"] as AnyObject?) - instance.byte = Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["byte"] as AnyObject?) - instance.binary = Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["binary"] as AnyObject?) - instance.date = Decoders.decodeOptional(clazz: ISOFullDate.self, source: sourceDictionary["date"] as AnyObject?) - instance.dateTime = Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) - instance.uuid = Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) - instance.password = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) - return instance + let instance = FormatTest() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["integer"] as AnyObject?) { + + case let .success(value): instance.integer = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["int32"] as AnyObject?) { + + case let .success(value): instance.int32 = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["int64"] as AnyObject?) { + + case let .success(value): instance.int64 = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["number"] as AnyObject?) { + + case let .success(value): instance.number = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Float.self, source: sourceDictionary["float"] as AnyObject?) { + + case let .success(value): instance.float = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["double"] as AnyObject?) { + + case let .success(value): instance.double = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["string"] as AnyObject?) { + + case let .success(value): instance.string = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["byte"] as AnyObject?) { + + case let .success(value): instance.byte = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["binary"] as AnyObject?) { + + case let .success(value): instance.binary = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: ISOFullDate.self, source: sourceDictionary["date"] as AnyObject?) { + + case let .success(value): instance.date = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) { + + case let .success(value): instance.dateTime = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) { + + case let .success(value): instance.uuid = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) { + + case let .success(value): instance.password = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "FormatTest", actual: "\(source)")) + } } // Decoder for [HasOnlyReadOnly] - Decoders.addDecoder(clazz: [HasOnlyReadOnly].self) { (source: AnyObject) -> [HasOnlyReadOnly] in + Decoders.addDecoder(clazz: [HasOnlyReadOnly].self) { (source: AnyObject) -> Decoded<[HasOnlyReadOnly]> in return Decoders.decode(clazz: [HasOnlyReadOnly].self, source: source) } // Decoder for HasOnlyReadOnly - Decoders.addDecoder(clazz: HasOnlyReadOnly.self) { (source: AnyObject) -> HasOnlyReadOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: HasOnlyReadOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = HasOnlyReadOnly() - instance.bar = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) - instance.foo = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["foo"] as AnyObject?) - return instance + let instance = HasOnlyReadOnly() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) { + + case let .success(value): instance.bar = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["foo"] as AnyObject?) { + + case let .success(value): instance.foo = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "HasOnlyReadOnly", actual: "\(source)")) + } } // Decoder for [List] - Decoders.addDecoder(clazz: [List].self) { (source: AnyObject) -> [List] in + Decoders.addDecoder(clazz: [List].self) { (source: AnyObject) -> Decoded<[List]> in return Decoders.decode(clazz: [List].self, source: source) } // Decoder for List - Decoders.addDecoder(clazz: List.self) { (source: AnyObject) -> List in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: List.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = List() - instance._123List = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["123-list"] as AnyObject?) - return instance + let instance = List() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["123-list"] as AnyObject?) { + + case let .success(value): instance._123List = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "List", actual: "\(source)")) + } } // Decoder for [MapTest] - Decoders.addDecoder(clazz: [MapTest].self) { (source: AnyObject) -> [MapTest] in + Decoders.addDecoder(clazz: [MapTest].self) { (source: AnyObject) -> Decoded<[MapTest]> in return Decoders.decode(clazz: [MapTest].self, source: source) } // Decoder for MapTest - Decoders.addDecoder(clazz: MapTest.self) { (source: AnyObject) -> MapTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: MapTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = MapTest() - instance.mapMapOfString = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map_map_of_string"] as AnyObject?) - if let mapOfEnumString = sourceDictionary["map_of_enum_string"] as? [String:String] { //TODO: handle enum map scenario + let instance = MapTest() + switch Decoders.decodeOptional(clazz: [String:[String:String]].self, source: sourceDictionary["map_map_of_string"] as AnyObject?) { + + case let .success(value): instance.mapMapOfString = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: MapTest.MapOfEnumString.self, source: sourceDictionary["map_of_enum_string"] as AnyObject?) { + /* + case let .success(value): instance.mapOfEnumString = value + case let .failure(error): return .failure(error) + */ default: break //TODO: handle enum map scenario + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "MapTest", actual: "\(source)")) } - - return instance } // Decoder for [MixedPropertiesAndAdditionalPropertiesClass] - Decoders.addDecoder(clazz: [MixedPropertiesAndAdditionalPropertiesClass].self) { (source: AnyObject) -> [MixedPropertiesAndAdditionalPropertiesClass] in + Decoders.addDecoder(clazz: [MixedPropertiesAndAdditionalPropertiesClass].self) { (source: AnyObject) -> Decoded<[MixedPropertiesAndAdditionalPropertiesClass]> in return Decoders.decode(clazz: [MixedPropertiesAndAdditionalPropertiesClass].self, source: source) } // Decoder for MixedPropertiesAndAdditionalPropertiesClass - Decoders.addDecoder(clazz: MixedPropertiesAndAdditionalPropertiesClass.self) { (source: AnyObject) -> MixedPropertiesAndAdditionalPropertiesClass in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: MixedPropertiesAndAdditionalPropertiesClass.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = MixedPropertiesAndAdditionalPropertiesClass() - instance.uuid = Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) - instance.dateTime = Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) - instance.map = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map"] as AnyObject?) - return instance + let instance = MixedPropertiesAndAdditionalPropertiesClass() + switch Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) { + + case let .success(value): instance.uuid = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) { + + case let .success(value): instance.dateTime = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [String:Animal].self, source: sourceDictionary["map"] as AnyObject?) { + + case let .success(value): instance.map = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "MixedPropertiesAndAdditionalPropertiesClass", actual: "\(source)")) + } } // Decoder for [Model200Response] - Decoders.addDecoder(clazz: [Model200Response].self) { (source: AnyObject) -> [Model200Response] in + Decoders.addDecoder(clazz: [Model200Response].self) { (source: AnyObject) -> Decoded<[Model200Response]> in return Decoders.decode(clazz: [Model200Response].self, source: source) } // Decoder for Model200Response - Decoders.addDecoder(clazz: Model200Response.self) { (source: AnyObject) -> Model200Response in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Model200Response.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Model200Response() - instance.name = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) - instance._class = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["class"] as AnyObject?) - return instance + let instance = Model200Response() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["class"] as AnyObject?) { + + case let .success(value): instance._class = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Model200Response", actual: "\(source)")) + } } // Decoder for [Name] - Decoders.addDecoder(clazz: [Name].self) { (source: AnyObject) -> [Name] in + Decoders.addDecoder(clazz: [Name].self) { (source: AnyObject) -> Decoded<[Name]> in return Decoders.decode(clazz: [Name].self, source: source) } // Decoder for Name - Decoders.addDecoder(clazz: Name.self) { (source: AnyObject) -> Name in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Name.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Name() - instance.name = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) - instance.snakeCase = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["snake_case"] as AnyObject?) - instance.property = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["property"] as AnyObject?) - instance._123Number = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["123Number"] as AnyObject?) - return instance + let instance = Name() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["snake_case"] as AnyObject?) { + + case let .success(value): instance.snakeCase = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["property"] as AnyObject?) { + + case let .success(value): instance.property = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["123Number"] as AnyObject?) { + + case let .success(value): instance._123Number = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Name", actual: "\(source)")) + } } // Decoder for [NumberOnly] - Decoders.addDecoder(clazz: [NumberOnly].self) { (source: AnyObject) -> [NumberOnly] in + Decoders.addDecoder(clazz: [NumberOnly].self) { (source: AnyObject) -> Decoded<[NumberOnly]> in return Decoders.decode(clazz: [NumberOnly].self, source: source) } // Decoder for NumberOnly - Decoders.addDecoder(clazz: NumberOnly.self) { (source: AnyObject) -> NumberOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: NumberOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = NumberOnly() - instance.justNumber = Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["JustNumber"] as AnyObject?) - return instance + let instance = NumberOnly() + switch Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["JustNumber"] as AnyObject?) { + + case let .success(value): instance.justNumber = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "NumberOnly", actual: "\(source)")) + } } // Decoder for [Order] - Decoders.addDecoder(clazz: [Order].self) { (source: AnyObject) -> [Order] in + Decoders.addDecoder(clazz: [Order].self) { (source: AnyObject) -> Decoded<[Order]> in return Decoders.decode(clazz: [Order].self, source: source) } // Decoder for Order - Decoders.addDecoder(clazz: Order.self) { (source: AnyObject) -> Order in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Order.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Order() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.petId = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["petId"] as AnyObject?) - instance.quantity = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["quantity"] as AnyObject?) - instance.shipDate = Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["shipDate"] as AnyObject?) - if let status = sourceDictionary["status"] as? String { - instance.status = Order.Status(rawValue: (status)) + let instance = Order() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["petId"] as AnyObject?) { + + case let .success(value): instance.petId = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["quantity"] as AnyObject?) { + + case let .success(value): instance.quantity = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["shipDate"] as AnyObject?) { + + case let .success(value): instance.shipDate = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Order.Status.self, source: sourceDictionary["status"] as AnyObject?) { + + case let .success(value): instance.status = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["complete"] as AnyObject?) { + + case let .success(value): instance.complete = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Order", actual: "\(source)")) } - - instance.complete = Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["complete"] as AnyObject?) - return instance } // Decoder for [OuterEnum] - Decoders.addDecoder(clazz: [OuterEnum].self) { (source: AnyObject) -> [OuterEnum] in + Decoders.addDecoder(clazz: [OuterEnum].self) { (source: AnyObject) -> Decoded<[OuterEnum]> in return Decoders.decode(clazz: [OuterEnum].self, source: source) } // Decoder for OuterEnum - Decoders.addDecoder(clazz: OuterEnum.self) { (source: AnyObject) -> OuterEnum in - if let source = source as? String { - if let result = OuterEnum(rawValue: source) { - return result - } - } - fatalError("Source \(source) is not convertible to enum type OuterEnum: Maybe swagger file is insufficient") + Decoders.addDecoder(clazz: OuterEnum.self) { (source: AnyObject) -> Decoded in + //TODO: I don't think we need this anymore + return Decoders.decode(clazz: OuterEnum.self, source: source) } // Decoder for [Pet] - Decoders.addDecoder(clazz: [Pet].self) { (source: AnyObject) -> [Pet] in + Decoders.addDecoder(clazz: [Pet].self) { (source: AnyObject) -> Decoded<[Pet]> in return Decoders.decode(clazz: [Pet].self, source: source) } // Decoder for Pet - Decoders.addDecoder(clazz: Pet.self) { (source: AnyObject) -> Pet in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Pet.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Pet() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.category = Decoders.decodeOptional(clazz: Category.self, source: sourceDictionary["category"] as AnyObject?) - instance.name = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) - instance.photoUrls = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["photoUrls"] as AnyObject?) - instance.tags = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["tags"] as AnyObject?) - if let status = sourceDictionary["status"] as? String { - instance.status = Pet.Status(rawValue: (status)) + let instance = Pet() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Category.self, source: sourceDictionary["category"] as AnyObject?) { + + case let .success(value): instance.category = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [String].self, source: sourceDictionary["photoUrls"] as AnyObject?) { + + case let .success(value): instance.photoUrls = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [Tag].self, source: sourceDictionary["tags"] as AnyObject?) { + + case let .success(value): instance.tags = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Pet.Status.self, source: sourceDictionary["status"] as AnyObject?) { + + case let .success(value): instance.status = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Pet", actual: "\(source)")) } - - return instance } // Decoder for [ReadOnlyFirst] - Decoders.addDecoder(clazz: [ReadOnlyFirst].self) { (source: AnyObject) -> [ReadOnlyFirst] in + Decoders.addDecoder(clazz: [ReadOnlyFirst].self) { (source: AnyObject) -> Decoded<[ReadOnlyFirst]> in return Decoders.decode(clazz: [ReadOnlyFirst].self, source: source) } // Decoder for ReadOnlyFirst - Decoders.addDecoder(clazz: ReadOnlyFirst.self) { (source: AnyObject) -> ReadOnlyFirst in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ReadOnlyFirst.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ReadOnlyFirst() - instance.bar = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) - instance.baz = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["baz"] as AnyObject?) - return instance + let instance = ReadOnlyFirst() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) { + + case let .success(value): instance.bar = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["baz"] as AnyObject?) { + + case let .success(value): instance.baz = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ReadOnlyFirst", actual: "\(source)")) + } } // Decoder for [Return] - Decoders.addDecoder(clazz: [Return].self) { (source: AnyObject) -> [Return] in + Decoders.addDecoder(clazz: [Return].self) { (source: AnyObject) -> Decoded<[Return]> in return Decoders.decode(clazz: [Return].self, source: source) } // Decoder for Return - Decoders.addDecoder(clazz: Return.self) { (source: AnyObject) -> Return in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Return.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Return() - instance._return = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["return"] as AnyObject?) - return instance + let instance = Return() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["return"] as AnyObject?) { + + case let .success(value): instance._return = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Return", actual: "\(source)")) + } } // Decoder for [SpecialModelName] - Decoders.addDecoder(clazz: [SpecialModelName].self) { (source: AnyObject) -> [SpecialModelName] in + Decoders.addDecoder(clazz: [SpecialModelName].self) { (source: AnyObject) -> Decoded<[SpecialModelName]> in return Decoders.decode(clazz: [SpecialModelName].self, source: source) } // Decoder for SpecialModelName - Decoders.addDecoder(clazz: SpecialModelName.self) { (source: AnyObject) -> SpecialModelName in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: SpecialModelName.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = SpecialModelName() - instance.specialPropertyName = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["$special[property.name]"] as AnyObject?) - return instance + let instance = SpecialModelName() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["$special[property.name]"] as AnyObject?) { + + case let .success(value): instance.specialPropertyName = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "SpecialModelName", actual: "\(source)")) + } } // Decoder for [Tag] - Decoders.addDecoder(clazz: [Tag].self) { (source: AnyObject) -> [Tag] in + Decoders.addDecoder(clazz: [Tag].self) { (source: AnyObject) -> Decoded<[Tag]> in return Decoders.decode(clazz: [Tag].self, source: source) } // Decoder for Tag - Decoders.addDecoder(clazz: Tag.self) { (source: AnyObject) -> Tag in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Tag.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Tag() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.name = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) - return instance + let instance = Tag() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Tag", actual: "\(source)")) + } } // Decoder for [User] - Decoders.addDecoder(clazz: [User].self) { (source: AnyObject) -> [User] in + Decoders.addDecoder(clazz: [User].self) { (source: AnyObject) -> Decoded<[User]> in return Decoders.decode(clazz: [User].self, source: source) } // Decoder for User - Decoders.addDecoder(clazz: User.self) { (source: AnyObject) -> User in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: User.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = User() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.username = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["username"] as AnyObject?) - instance.firstName = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["firstName"] as AnyObject?) - instance.lastName = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["lastName"] as AnyObject?) - instance.email = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["email"] as AnyObject?) - instance.password = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) - instance.phone = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["phone"] as AnyObject?) - instance.userStatus = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["userStatus"] as AnyObject?) - return instance + let instance = User() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["username"] as AnyObject?) { + + case let .success(value): instance.username = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["firstName"] as AnyObject?) { + + case let .success(value): instance.firstName = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["lastName"] as AnyObject?) { + + case let .success(value): instance.lastName = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["email"] as AnyObject?) { + + case let .success(value): instance.email = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) { + + case let .success(value): instance.password = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["phone"] as AnyObject?) { + + case let .success(value): instance.phone = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["userStatus"] as AnyObject?) { + + case let .success(value): instance.userStatus = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "User", actual: "\(source)")) + } } }() diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Podfile.lock b/samples/client/petstore/swift3/default/SwaggerClientTests/Podfile.lock index e7c0cf8d5234..4ccdedf02ac0 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Podfile.lock +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Podfile.lock @@ -8,12 +8,12 @@ DEPENDENCIES: EXTERNAL SOURCES: PetstoreClient: - :path: ../ + :path: "../" SPEC CHECKSUMS: Alamofire: fef59f00388f267e52d9b432aa5d93dc97190f14 - PetstoreClient: bbde3383c51466fdda24ec28153ce2847ae5456f + PetstoreClient: 0f65d85b2a09becd32938348b3783a9394a07346 PODFILE CHECKSUM: da9f5a7ad6086f2c7abb73cf2c35cefce04a9a30 -COCOAPODS: 1.0.1 +COCOAPODS: 1.1.1 diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json index 25f56a796b84..b8acea6409f6 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json @@ -10,7 +10,7 @@ "tag": "v1.0.0" }, "authors": "", - "license": "Apache License, Version 2.0", + "license": "Proprietary", "homepage": "https://github.com/swagger-api/swagger-codegen", "summary": "PetstoreClient", "source_files": "PetstoreClient/Classes/Swaggers/**/*.swift", diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Manifest.lock b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Manifest.lock index e7c0cf8d5234..4ccdedf02ac0 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Manifest.lock +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Manifest.lock @@ -8,12 +8,12 @@ DEPENDENCIES: EXTERNAL SOURCES: PetstoreClient: - :path: ../ + :path: "../" SPEC CHECKSUMS: Alamofire: fef59f00388f267e52d9b432aa5d93dc97190f14 - PetstoreClient: bbde3383c51466fdda24ec28153ce2847ae5456f + PetstoreClient: 0f65d85b2a09becd32938348b3783a9394a07346 PODFILE CHECKSUM: da9f5a7ad6086f2c7abb73cf2c35cefce04a9a30 -COCOAPODS: 1.0.1 +COCOAPODS: 1.1.1 diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj index dae5a7adb2cd..6b9a28731c7f 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj @@ -7,228 +7,236 @@ objects = { /* Begin PBXBuildFile section */ - 03EE41C7303FF17FFB50AC1365929CF7 /* ReadOnlyFirst.swift in Sources */ = {isa = PBXBuildFile; fileRef = C9B2737214A9FBDFAFE4EFE2C5622B27 /* ReadOnlyFirst.swift */; }; - 06C3C2F3A8B5B1D1AAC0D29ECC8B5970 /* Cat.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4F28DB75084895EF23EDBC499D8B8BAE /* Cat.swift */; }; - 0C1B4E9FFB8B81E8833A3BAD537B1990 /* Notifications.swift in Sources */ = {isa = PBXBuildFile; fileRef = 66A46F517F0AF7E85A16D723F6406896 /* Notifications.swift */; }; - 0D420ED1DD1A8E1BF24FC85ABB82D669 /* Model200Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = 31C953CB2AF9E4E3D884BBA68E728307 /* Model200Response.swift */; }; - 12118C354EFA36292F82A8D0CFCE45B2 /* Request.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1E230A0448B394DE26E688DAC8E6201E /* Request.swift */; }; - 13F7C9AF056DF8BA92AB2BAF217D8D04 /* Category.swift in Sources */ = {isa = PBXBuildFile; fileRef = 37E47D71F3FB3E8B7FBEA178972FB52D /* Category.swift */; }; - 1AD5AD2C098CCCC2B6F7214BF604CB9B /* ArrayOfArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 540B42E772FF76C6D4F5E68CCDADA9B3 /* ArrayOfArrayOfNumberOnly.swift */; }; - 1C5DDB3A511B358ECC2B4BAE060ED9FC /* PetAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = BC23A659B67F5C77068CA536C88CA9D0 /* PetAPI.swift */; }; - 1E4C6B6A8D716620DE786BBF7DEAD993 /* PetstoreClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 1FB3F9E6B2DC47002778D605F14939D6 /* NumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = B4E90BC12F77D66B96AB27E026B2071E /* NumberOnly.swift */; }; - 33A38B024F2FAF97CD18BE77E1B59AC6 /* AnimalFarm.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6097AF9273FDB02C8A4DED04AFF6B4AD /* AnimalFarm.swift */; }; - 37E67199CFA606106C726BA6CFC0B4D3 /* Models.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E73416EE991BBE43467BA22F2A155A5 /* Models.swift */; }; - 3982B850C43B41BA6D25F440F0412E9B /* Timeline.swift in Sources */ = {isa = PBXBuildFile; fileRef = 87882A1F5A92C8138D54545E51D51E6F /* Timeline.swift */; }; - 3CA0C61EB5AA01268C12B7E61FF59C56 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 41EA265E42E2F53F87DD98BDA6BDEFD5 /* Foundation.framework */; }; - 426B7FD8E61D930DE16BAC12FB726CE2 /* Name.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1C79F2ABDEC68FB086941B1667F653AC /* Name.swift */; }; - 434EA46C36A82495415C5311DE52DEE6 /* EnumTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 42105B8EAB28DFBC1FD088D5D8C08610 /* EnumTest.swift */; }; - 4CEA56A149345E34DBFB8F26836ADA7D /* Animal.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4B50A816814713052A83AD22ECB8E19D /* Animal.swift */; }; - 588EFA41BF51F86A0ACA00AE2129D24E /* EnumArrays.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1FCFC11EBD20C97FB1BC4EFAEC6FEB37 /* EnumArrays.swift */; }; - 5E25A9DF7FE0293488B24739844CFA4E /* Return.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E1E790656723DC52EAB91FF86121D3D /* Return.swift */; }; - 5FD117885B2A8748C851D3BEF7EEEF06 /* HasOnlyReadOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = AC8DF8745F891F2A12590D73550D0490 /* HasOnlyReadOnly.swift */; }; - 62143065F94E53F437DCE5D7A998D66D /* AFError.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4AF006B0AD5765D1BFA8253C2DCBB126 /* AFError.swift */; }; - 6BE7B6EE63646366DD00EC3C286B2315 /* Alamofire.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 706C7AFFE37BA158C3553250F4B5FAED /* Alamofire.framework */; }; - 6C0889CCE8E1D85E698D8EC564C4853E /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 37CE09CBDF55D26A9D95DD15E7DEA056 /* MixedPropertiesAndAdditionalPropertiesClass.swift */; }; - 70C02206CAF9D7E01C51B4529C8AD123 /* ArrayTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 21B120C00973CD2A57F3D566E760AF3E /* ArrayTest.swift */; }; - 736ABF80511158678C6068F0EA6C4F5E /* Tag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 143E557A35666A5C3FB6A5EC601425AE /* Tag.swift */; }; - 7CA5A9BA5246FDA8227233E310029392 /* Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = DFCB8C44DE758E906C0BCDA455937B85 /* Alamofire.swift */; }; - 8146DC6C21BC6B7D6E9F1C614BC1B9C2 /* Extensions.swift in Sources */ = {isa = PBXBuildFile; fileRef = E3FF8700849757249B929D7AFF652CD6 /* Extensions.swift */; }; - 816BE1BBC1F4E434D7BD3F793F38B347 /* Pods-SwaggerClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 86ED08F33B7D357932A9AB743E9D9EA7 /* Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = 04F47F5C9CDB035C5AFADEBA5BF44F1C /* Response.swift */; }; - 897283A0B7F5299913327CC8FD6CC997 /* Pods-SwaggerClientTests-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 8D463A0A4C65C02FDD5211F0F3C6F8B8 /* Alamofire-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 22C1C119BCE81C53F76CAC2BE27C38E0 /* Alamofire-dummy.m */; }; - 8FFF3001784D9A7F0C499B533D71DD4C /* APIs.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6E9F0D4DC6F738F2ECF8D716B7A9A5C7 /* APIs.swift */; }; - 907AB123FBC8BC9340D5B7350CE828DF /* SessionDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 195D73DD9EF275A3C56569E2B1CA8026 /* SessionDelegate.swift */; }; - 91C09AC2A52ED69A27C8D923139A006F /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 41EA265E42E2F53F87DD98BDA6BDEFD5 /* Foundation.framework */; }; - 925D027E2FCA75AB2B2F2195EB14AFBB /* PetstoreClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */; }; - 9460E7ECF6325A1C9EED36372DBC3D6D /* FakeAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = E906A19EC726985BD8493A893CA9DD65 /* FakeAPI.swift */; }; - 9469DF81ECB494E84675969B5E13374C /* Alamofire-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = B44A27EFBB0DA84D738057B77F3413B1 /* Alamofire-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 9FC9759E7BA02FF67AE579C8A0043D96 /* UserAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 118386CB29E583E2BCF45FFB0C584C22 /* UserAPI.swift */; }; - A37E7B4926057F8DC36D5EF5E17CE722 /* Order.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2364F4EAC509113B38791789DFC9F1E7 /* Order.swift */; }; - A3B4B8D0EC2ED8909876E2CB361AF87F /* List.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3A7FD39D7BA8415D865896B06564C124 /* List.swift */; }; - A69008B3AAFE217515CAC19EC2BBB8D5 /* Client.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9928726B622806E400277C57963B354B /* Client.swift */; }; - A79AC30123B0C2177D67F6ED6A1B3215 /* SessionManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = 46CDAC6C1187C5467E576980E1062C8B /* SessionManager.swift */; }; - AF158CAAF4DD319009AFC855DC995D90 /* ParameterEncoding.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6639346628280A0D0FAD35196BF56108 /* ParameterEncoding.swift */; }; - B656F729908BDC89686840DB4797E41E /* Pet.swift in Sources */ = {isa = PBXBuildFile; fileRef = B1300E3C28C82031FA5C87A7FE3B1EB9 /* Pet.swift */; }; - B8154C96802336E5DDA5CEE97C3180A0 /* ResponseSerialization.swift in Sources */ = {isa = PBXBuildFile; fileRef = E2F9510473F6FFD7AA66524DB16C2263 /* ResponseSerialization.swift */; }; - BAB7DEE435F7E246160AF61B1A52613D /* StoreAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = F2E15D74AD528E3350D207603BBA1DF4 /* StoreAPI.swift */; }; - BB42BBFB6683977C7DC25EC32D9EAA72 /* FormatTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 11A9D1B03B658EFF2011FD4ADF5B2C9B /* FormatTest.swift */; }; - BDD68D9A8AFC895FE449F76B45BB7635 /* APIHelper.swift in Sources */ = {isa = PBXBuildFile; fileRef = A73F00E8ED2521B115946B7E20B760AF /* APIHelper.swift */; }; - C0AEA97E7684DDAD56998C0AE198A433 /* ServerTrustPolicy.swift in Sources */ = {isa = PBXBuildFile; fileRef = 32B030D27CAC730C5EB0F22390645310 /* ServerTrustPolicy.swift */; }; - C546890220177F840E8AFC829D0E3FEB /* Pods-SwaggerClientTests-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */; }; - C7A3408350643ADE1018826C766EE356 /* MultipartFormData.swift in Sources */ = {isa = PBXBuildFile; fileRef = 155538D91ACEEEDF82069ACF6C1A02E7 /* MultipartFormData.swift */; }; - C8592AD030234E841A61CA09ED02059A /* Pods-SwaggerClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */; }; - C99577B805EB3E6EDCDA06D0E6253B41 /* SpecialModelName.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5F939073B0FDC62477A0C4F8E9AB7131 /* SpecialModelName.swift */; }; - D0BA8173A676167CAC2973A79BD0242E /* AlamofireImplementations.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6292ECC342913CF10F15F320C0D10143 /* AlamofireImplementations.swift */; }; - D4EA06289110B4F5DC19DDDE8831FF5F /* AdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = F328163C591BBCCD1909AFA5B31CE95A /* AdditionalPropertiesClass.swift */; }; - D5E6B1E3BD16CF981E24E74371C95A8F /* Dog.swift in Sources */ = {isa = PBXBuildFile; fileRef = AAB8DD3379CB8E9DB0DC9E6B18356204 /* Dog.swift */; }; - DF1BBF94997A2F4248B42B25EA919EC2 /* Result.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3D60BC9955B4F7FFA62D7440CB385C11 /* Result.swift */; }; - E1F583CB4A68A928CD197250AA752926 /* TaskDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = A01C037B4034EDA3D7955BC5E4E9D9D6 /* TaskDelegate.swift */; }; - E2A1C34237B4E928E5F85C097F4C2551 /* DispatchQueue+Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0FCBF1EED873F61C6D46CE37FA5C39D3 /* DispatchQueue+Alamofire.swift */; }; - E59BF19C0AFA68B741552319FC478C7B /* NetworkReachabilityManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = E5A8AA5F9EDED0A0BDDE7E830BF4AEE0 /* NetworkReachabilityManager.swift */; }; - E9722CFC027D91761F36943C8EF0737C /* ArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4EBAF179E866C1F42E3C9F85162E2792 /* ArrayOfNumberOnly.swift */; }; - EB28CEEA7D16626E36446A03BDA3B99B /* ApiResponse.swift in Sources */ = {isa = PBXBuildFile; fileRef = B4CA6814AE828DFEC4A4C2C8C1D6CEA2 /* ApiResponse.swift */; }; - EEBF1A088C53B7CA163809C3753C524D /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 41EA265E42E2F53F87DD98BDA6BDEFD5 /* Foundation.framework */; }; - F206C370F63155D3468E0C188498C5DC /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 41EA265E42E2F53F87DD98BDA6BDEFD5 /* Foundation.framework */; }; - F96E0891F2AE26D2CA24BD31378328A9 /* User.swift in Sources */ = {isa = PBXBuildFile; fileRef = F8180325E22D8580EFE2473A67C0EAC0 /* User.swift */; }; - FC37FC0FD78A4BF0BBA8E7B1FE56D473 /* MapTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = DFF589887A9AAE06637E527EC61117B0 /* MapTest.swift */; }; - FE1EAE93BA87614AA129DE8223AA5B7A /* EnumClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = D6115C108A2F1445CCA165DCE5321009 /* EnumClass.swift */; }; - FFFDD494EE6D1B83DDAF5F2721F685A6 /* Validation.swift in Sources */ = {isa = PBXBuildFile; fileRef = B029DBC43E49A740F12B5E4D2E6DD452 /* Validation.swift */; }; + 0C000B886A8014E5D567C1D9D65DD74A /* Pet.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7AAF332E1A7441FB724BBDE4A2D5FCDC /* Pet.swift */; }; + 0CF86BADF47E0DFB69F2D4AAE8CAA5ED /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = C779250D7B6267BBEC8FA6A297E951FD /* MixedPropertiesAndAdditionalPropertiesClass.swift */; }; + 0EAB00E2A951259911DB3D86AED93169 /* EnumTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4D623BDE9C79D43A58D9951169D5DCE8 /* EnumTest.swift */; }; + 10EB23E9ECC4B33E16933BB1EA560B6A /* Timeline.swift in Sources */ = {isa = PBXBuildFile; fileRef = 87882A1F5A92C8138D54545E51D51E6F /* Timeline.swift */; }; + 110288FCF6186BE86A317D67FFB45EA4 /* OuterEnum.swift in Sources */ = {isa = PBXBuildFile; fileRef = EA68C5328B3080DB6504E903EE8FC138 /* OuterEnum.swift */; }; + 1423DAD26BD241806D915F77200D86CA /* ArrayTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 943AD326EA457918AA6124DF2D2A8AE5 /* ArrayTest.swift */; }; + 1B9EDEDC964E6B08F78920B4F4B9DB84 /* Alamofire-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = B44A27EFBB0DA84D738057B77F3413B1 /* Alamofire-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 1E51978A44E02D6C9FD452962FA314C2 /* AnimalFarm.swift in Sources */ = {isa = PBXBuildFile; fileRef = CFDD5568A22EED27D7570975E4B81B6B /* AnimalFarm.swift */; }; + 215B55F77DCF17AF5EE73A1FA39A348F /* Category.swift in Sources */ = {isa = PBXBuildFile; fileRef = A6E566ACDC2E2B9BD209C52F6FC3F038 /* Category.swift */; }; + 259DBF125A08D2CC6263AFD6914309A1 /* ApiResponse.swift in Sources */ = {isa = PBXBuildFile; fileRef = 26F0BD741D5BE8D7ECA2569B96E3F60C /* ApiResponse.swift */; }; + 2940D84FC5A76050A9281E6E49A8BDFC /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 3F9B2E024A80A62FE090406312870D33 /* Foundation.framework */; }; + 2EE505BF09DDA06E95B6466C42C4F713 /* StoreAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = A776729DD3FE9677991E54DE267FD577 /* StoreAPI.swift */; }; + 31F8B86E3672D0B828B6352C875649C4 /* Pods-SwaggerClientTests-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 361E2A66B95CFFFF9636F2560925C94B /* AdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6E742DEDE04FF6FAEC9F376ED9E6AE2C /* AdditionalPropertiesClass.swift */; }; + 3626B94094672CB1C9DEA32B9F9502E1 /* TaskDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = A01C037B4034EDA3D7955BC5E4E9D9D6 /* TaskDelegate.swift */; }; + 424F25F3C040D2362DD353C82A86740B /* Pods-SwaggerClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 5185A19D002CC10E4948066B5D07F283 /* Models.swift in Sources */ = {isa = PBXBuildFile; fileRef = EF4F0123552CEF7C9700A7F1DA9C2C73 /* Models.swift */; }; + 526C6BD10D7792467A73505EB0F5234C /* Fake_classname_tags123API.swift in Sources */ = {isa = PBXBuildFile; fileRef = DB59A7DB4A9B911E525ECC513D74D00D /* Fake_classname_tags123API.swift */; }; + 5387216E723A3C68E851CA15573CDD71 /* Request.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1E230A0448B394DE26E688DAC8E6201E /* Request.swift */; }; + 54D158EDB36A7B92F7D90B56A40AC6A9 /* PetAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 46ADFA647DB262579870CDE7A7A9B130 /* PetAPI.swift */; }; + 5532A389A0DDD00958CDACACD84AB89B /* User.swift in Sources */ = {isa = PBXBuildFile; fileRef = A1CA3CB3CA69090E8097D77974F95F4E /* User.swift */; }; + 5DF731758112F165BD9A8A8278BCDA26 /* Tag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 03A35854A2FF642B3B732D763DB0D0BD /* Tag.swift */; }; + 61200D01A1855D7920CEF835C8BE00B0 /* DispatchQueue+Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0FCBF1EED873F61C6D46CE37FA5C39D3 /* DispatchQueue+Alamofire.swift */; }; + 62F65AD8DC4F0F9610F4B8B4738EC094 /* ServerTrustPolicy.swift in Sources */ = {isa = PBXBuildFile; fileRef = 32B030D27CAC730C5EB0F22390645310 /* ServerTrustPolicy.swift */; }; + 6479245096A6BCFF431559465E910769 /* PetstoreClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */; }; + 675A47E176F499215ECCB89414950A40 /* AlamofireImplementations.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7827148096A3B614608E8642496DB653 /* AlamofireImplementations.swift */; }; + 68926300DAEAB352890C0FA7466299B2 /* Animal.swift in Sources */ = {isa = PBXBuildFile; fileRef = F3E1EA7F03A8F7699B4A38A0059B6DB6 /* Animal.swift */; }; + 6CF9F73E6F33FFEFA16AD2A2B0038268 /* EnumClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2B96675384F47A8DB92E2D3370733CC1 /* EnumClass.swift */; }; + 6D142A4259297C2C18AE1A239E1F8BD4 /* Dog.swift in Sources */ = {isa = PBXBuildFile; fileRef = EE24724902D07CDE0116B09FAFD21D57 /* Dog.swift */; }; + 75FE7D9EF20002465C295A5919B17FC2 /* EnumArrays.swift in Sources */ = {isa = PBXBuildFile; fileRef = 674818A79F12C550C32D5B20F9F2904C /* EnumArrays.swift */; }; + 78962A6680E10E4D5D4E6AB3CB7436C5 /* FormatTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = EB3C91F15E6A6CE25AA56BB132BD2282 /* FormatTest.swift */; }; + 7A80FA0C32FA8BCCECCA86267952CB2A /* ArrayOfArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = B98974498DE6D6290EEA35B2A9E347BB /* ArrayOfArrayOfNumberOnly.swift */; }; + 7B5FE28C7EA4122B0598738E54DBEBD8 /* SessionDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 195D73DD9EF275A3C56569E2B1CA8026 /* SessionDelegate.swift */; }; + 7B6574F5BE82011621382001E602733A /* APIHelper.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2A0F510D3CD5F6FE074AA8A702B78FD4 /* APIHelper.swift */; }; + 7D8CC01E8C9EFFF9F4D65406CDE0AB66 /* Result.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3D60BC9955B4F7FFA62D7440CB385C11 /* Result.swift */; }; + 7F2C9B3201AE0B9BD925611F816B78D2 /* Model200Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3D74E3639B8306BCE21EAC827F2D0F06 /* Model200Response.swift */; }; + 872661BC16DCBAF99952C820ED6173C1 /* ArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6A6FD821125243353793A74C26AF6AB2 /* ArrayOfNumberOnly.swift */; }; + 87B80AADC7CA6556DF4560C015F03A48 /* FakeAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 46C5EA7F33E59F5A0BAC7ED154EF5189 /* FakeAPI.swift */; }; + 897985FA042CD12B825C3032898FAB26 /* Pods-SwaggerClientTests-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */; }; + 8EBE12562F03B03ECED283954845976D /* List.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8A79C16689E69DE8EF122B5638FFC47D /* List.swift */; }; + 906B042F9112F8CACC1B3DE516C50BF7 /* PetstoreClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 92CE3FFCB9DEC0A83CC7F8E542BFCEE3 /* FakeclassnametagsAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = DDAFDF0366C6686A7B947426AF20A128 /* FakeclassnametagsAPI.swift */; }; + 92E8FE2F3FB67E0AF71B48BDC17BCC4C /* MapTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = DE8B2057191DB8F5E2AE31FB27135B6C /* MapTest.swift */; }; + 99FFDEFE82CEC70F6E1F1BF315145457 /* Return.swift in Sources */ = {isa = PBXBuildFile; fileRef = B9EB90FD68C4C823BA7428D94E80A7B3 /* Return.swift */; }; + 9A82B11744625507F3311B082A67D840 /* Extensions.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9CFD31C609D01246A22B3FA2FFB24D83 /* Extensions.swift */; }; + 9ED2BB2981896E0A39EFA365503F58CE /* AFError.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4AF006B0AD5765D1BFA8253C2DCBB126 /* AFError.swift */; }; + A04BFC558D69E7DBB68023C80A9CFE4E /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 3F9B2E024A80A62FE090406312870D33 /* Foundation.framework */; }; + A2A6F71B727312BD45CC7A4AAD7B0AB7 /* NetworkReachabilityManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = E5A8AA5F9EDED0A0BDDE7E830BF4AEE0 /* NetworkReachabilityManager.swift */; }; + A2CB4433D3F4970A687BA730779AF577 /* ClassModel.swift in Sources */ = {isa = PBXBuildFile; fileRef = F7D5B61AC90BA0704509CAE6D0F2685B /* ClassModel.swift */; }; + A9EEEA7477981DEEBC72432DE9990A4B /* Alamofire-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 22C1C119BCE81C53F76CAC2BE27C38E0 /* Alamofire-dummy.m */; }; + AE1EF48399533730D0066E04B22CA2D6 /* SessionManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = 46CDAC6C1187C5467E576980E1062C8B /* SessionManager.swift */; }; + AFD0458924C288212D4EF81D4DF958C3 /* UserAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = ACBCE80BA837EB73E5A6E45B40F004B8 /* UserAPI.swift */; }; + B65FCF589DA398C3EFE0128064E510EC /* MultipartFormData.swift in Sources */ = {isa = PBXBuildFile; fileRef = 155538D91ACEEEDF82069ACF6C1A02E7 /* MultipartFormData.swift */; }; + BBEFE2F9CEB73DC7BD97FFA66A0D9D4F /* Validation.swift in Sources */ = {isa = PBXBuildFile; fileRef = B029DBC43E49A740F12B5E4D2E6DD452 /* Validation.swift */; }; + BE5C67A07E289FE1F9BE27335B159997 /* ParameterEncoding.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6639346628280A0D0FAD35196BF56108 /* ParameterEncoding.swift */; }; + C184FE739831FDDCD3E7973BA870F774 /* Order.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0B517EAE75FC00740AEAA0C504C4B2C6 /* Order.swift */; }; + CB6D60925223897FFA2662667DF83E8A /* Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = 04F47F5C9CDB035C5AFADEBA5BF44F1C /* Response.swift */; }; + CF2EE9BA90408C832F894412D9724944 /* ReadOnlyFirst.swift in Sources */ = {isa = PBXBuildFile; fileRef = A20AD60386D12E72B2313A4ED186F1FE /* ReadOnlyFirst.swift */; }; + D32130A2C8AC5B1FF21AF43BCC2B5217 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 3F9B2E024A80A62FE090406312870D33 /* Foundation.framework */; }; + D5F1BBD60108412FD5C8B320D20B2993 /* Pods-SwaggerClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */; }; + D6C5DAB5C879495F61515922F51D1AFA /* Cat.swift in Sources */ = {isa = PBXBuildFile; fileRef = 882D08B71AAD3418842BE142C533D36B /* Cat.swift */; }; + E13D5D981B849603B4766AE6CA742DEE /* Name.swift in Sources */ = {isa = PBXBuildFile; fileRef = 139DB709435F037DC55BE45FDFF8D13D /* Name.swift */; }; + E74D29AD603F3CDFE7789CC03E3290A5 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 3F9B2E024A80A62FE090406312870D33 /* Foundation.framework */; }; + EED6858187428DC889DF482284501555 /* SpecialModelName.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7DA5C1095D6C6A40025C2D36EE2C810E /* SpecialModelName.swift */; }; + EF7F4564E588BA78CC981DF4C8432234 /* Alamofire.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 706C7AFFE37BA158C3553250F4B5FAED /* Alamofire.framework */; }; + EFD264FC408EBF3BA2528E70B08DDD94 /* Notifications.swift in Sources */ = {isa = PBXBuildFile; fileRef = 66A46F517F0AF7E85A16D723F6406896 /* Notifications.swift */; }; + F3D336817F51F5281B557F40385371D0 /* HasOnlyReadOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = F607471BF9870E491AA86EFB89E5ACF9 /* HasOnlyReadOnly.swift */; }; + F6BECD98B97CBFEBE2C96F0E9E72A6C0 /* ResponseSerialization.swift in Sources */ = {isa = PBXBuildFile; fileRef = E2F9510473F6FFD7AA66524DB16C2263 /* ResponseSerialization.swift */; }; + F6FE65D070EAB1502F8CD7407F985251 /* Client.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0FE6ECDC7B7878E609AEE401961BF14E /* Client.swift */; }; + F8B3D3092ED0417E8CDF32033F6122F5 /* Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = DFCB8C44DE758E906C0BCDA455937B85 /* Alamofire.swift */; }; + FCAB896E0CBF6AE9387CFAC7BC6FB6B0 /* NumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 71DB61F02CAB93E7ED7B2ECA67F3CF6C /* NumberOnly.swift */; }; + FF2151E98423EA965AA32B9BC80B5DC9 /* APIs.swift in Sources */ = {isa = PBXBuildFile; fileRef = 37E5B1C1BA4FC86C3AD6DD6412AD5C3F /* APIs.swift */; }; /* End PBXBuildFile section */ /* Begin PBXContainerItemProxy section */ - 0ABC7106E5053FCEDE01006541661549 /* PBXContainerItemProxy */ = { + 398B30E9B8AE28E1BDA1C6D292107659 /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = 79C040AFDDCE1BCBF6D8B5EB0B85887F; - remoteInfo = Alamofire; - }; - 319E90B185211EB0F7DB65C268512703 /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; - proxyType = 1; - remoteGlobalIDString = E07B591B41E732703529E8F317CD7D8B; + remoteGlobalIDString = 34D7A419C45BE57FE477FC7690C6EB43; remoteInfo = PetstoreClient; }; - 9587C29FFB2EF204C279D7FF29DA45C2 /* PBXContainerItemProxy */ = { + 9D8246F31E2D7510C2F46D1FCC9731C2 /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = 79C040AFDDCE1BCBF6D8B5EB0B85887F; + remoteGlobalIDString = 88E9EC28B8B46C3631E6B242B50F4442; + remoteInfo = Alamofire; + }; + F9E1549CFEDAD61BECA92DB5B12B4019 /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; + proxyType = 1; + remoteGlobalIDString = 88E9EC28B8B46C3631E6B242B50F4442; remoteInfo = Alamofire; }; /* End PBXContainerItemProxy section */ /* Begin PBXFileReference section */ - 00ACB4396DD1B4E4539E4E81C1D7A14E /* Pods-SwaggerClientTests.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = "Pods-SwaggerClientTests.modulemap"; sourceTree = ""; }; + 00ACB4396DD1B4E4539E4E81C1D7A14E /* Pods-SwaggerClientTests.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = "Pods-SwaggerClientTests.modulemap"; sourceTree = ""; }; 02F28E719AA874BE9213D6CF8CE7E36B /* Pods-SwaggerClientTests-acknowledgements.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = "Pods-SwaggerClientTests-acknowledgements.plist"; sourceTree = ""; }; + 03A35854A2FF642B3B732D763DB0D0BD /* Tag.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Tag.swift; sourceTree = ""; }; 04F47F5C9CDB035C5AFADEBA5BF44F1C /* Response.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Response.swift; path = Source/Response.swift; sourceTree = ""; }; + 0B517EAE75FC00740AEAA0C504C4B2C6 /* Order.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Order.swift; sourceTree = ""; }; 0FCBF1EED873F61C6D46CE37FA5C39D3 /* DispatchQueue+Alamofire.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "DispatchQueue+Alamofire.swift"; path = "Source/DispatchQueue+Alamofire.swift"; sourceTree = ""; }; - 118386CB29E583E2BCF45FFB0C584C22 /* UserAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = UserAPI.swift; sourceTree = ""; }; - 11A9D1B03B658EFF2011FD4ADF5B2C9B /* FormatTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FormatTest.swift; sourceTree = ""; }; + 0FE6ECDC7B7878E609AEE401961BF14E /* Client.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Client.swift; sourceTree = ""; }; + 139DB709435F037DC55BE45FDFF8D13D /* Name.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Name.swift; sourceTree = ""; }; 13A0A663B36A229C69D5274A83E93F88 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; - 143E557A35666A5C3FB6A5EC601425AE /* Tag.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Tag.swift; sourceTree = ""; }; 155538D91ACEEEDF82069ACF6C1A02E7 /* MultipartFormData.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = MultipartFormData.swift; path = Source/MultipartFormData.swift; sourceTree = ""; }; 195D73DD9EF275A3C56569E2B1CA8026 /* SessionDelegate.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SessionDelegate.swift; path = Source/SessionDelegate.swift; sourceTree = ""; }; - 1C79F2ABDEC68FB086941B1667F653AC /* Name.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Name.swift; sourceTree = ""; }; 1E230A0448B394DE26E688DAC8E6201E /* Request.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Request.swift; path = Source/Request.swift; sourceTree = ""; }; - 1FCFC11EBD20C97FB1BC4EFAEC6FEB37 /* EnumArrays.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumArrays.swift; sourceTree = ""; }; - 21B120C00973CD2A57F3D566E760AF3E /* ArrayTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayTest.swift; sourceTree = ""; }; 22C1C119BCE81C53F76CAC2BE27C38E0 /* Alamofire-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Alamofire-dummy.m"; sourceTree = ""; }; - 2364F4EAC509113B38791789DFC9F1E7 /* Order.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Order.swift; sourceTree = ""; }; + 26F0BD741D5BE8D7ECA2569B96E3F60C /* ApiResponse.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ApiResponse.swift; sourceTree = ""; }; 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Pods-SwaggerClient-dummy.m"; sourceTree = ""; }; - 2E1E790656723DC52EAB91FF86121D3D /* Return.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Return.swift; sourceTree = ""; }; - 2E73416EE991BBE43467BA22F2A155A5 /* Models.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Models.swift; sourceTree = ""; }; + 2A0F510D3CD5F6FE074AA8A702B78FD4 /* APIHelper.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIHelper.swift; sourceTree = ""; }; + 2B96675384F47A8DB92E2D3370733CC1 /* EnumClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumClass.swift; sourceTree = ""; }; 2FF17440CCD2E1A69791A4AA23325AD5 /* Pods-SwaggerClient-acknowledgements.markdown */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text; path = "Pods-SwaggerClient-acknowledgements.markdown"; sourceTree = ""; }; - 31C953CB2AF9E4E3D884BBA68E728307 /* Model200Response.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Model200Response.swift; sourceTree = ""; }; 32B030D27CAC730C5EB0F22390645310 /* ServerTrustPolicy.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ServerTrustPolicy.swift; path = Source/ServerTrustPolicy.swift; sourceTree = ""; }; - 37CE09CBDF55D26A9D95DD15E7DEA056 /* MixedPropertiesAndAdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MixedPropertiesAndAdditionalPropertiesClass.swift; sourceTree = ""; }; - 37E47D71F3FB3E8B7FBEA178972FB52D /* Category.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Category.swift; sourceTree = ""; }; - 3A7FD39D7BA8415D865896B06564C124 /* List.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = List.swift; sourceTree = ""; }; + 37E5B1C1BA4FC86C3AD6DD6412AD5C3F /* APIs.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIs.swift; sourceTree = ""; }; 3D60BC9955B4F7FFA62D7440CB385C11 /* Result.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Result.swift; path = Source/Result.swift; sourceTree = ""; }; + 3D74E3639B8306BCE21EAC827F2D0F06 /* Model200Response.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Model200Response.swift; sourceTree = ""; }; 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Pods-SwaggerClient-umbrella.h"; sourceTree = ""; }; 3F16B43ABD2C8CD4A311AA1AB3B6C02F /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; - 41EA265E42E2F53F87DD98BDA6BDEFD5 /* Foundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS9.3.sdk/System/Library/Frameworks/Foundation.framework; sourceTree = DEVELOPER_DIR; }; - 42105B8EAB28DFBC1FD088D5D8C08610 /* EnumTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumTest.swift; sourceTree = ""; }; + 3F9B2E024A80A62FE090406312870D33 /* Foundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS10.0.sdk/System/Library/Frameworks/Foundation.framework; sourceTree = DEVELOPER_DIR; }; 43FC49AA70D3E2A84CAED9C37BE9C4B5 /* Pods-SwaggerClientTests-frameworks.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClientTests-frameworks.sh"; sourceTree = ""; }; 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "PetstoreClient-dummy.m"; sourceTree = ""; }; + 46ADFA647DB262579870CDE7A7A9B130 /* PetAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = PetAPI.swift; sourceTree = ""; }; + 46C5EA7F33E59F5A0BAC7ED154EF5189 /* FakeAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FakeAPI.swift; sourceTree = ""; }; 46CDAC6C1187C5467E576980E1062C8B /* SessionManager.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SessionManager.swift; path = Source/SessionManager.swift; sourceTree = ""; }; - 49A9B3BBFEA1CFFC48229E438EA64F9E /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 49A9B3BBFEA1CFFC48229E438EA64F9E /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Alamofire.framework; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; 4AF006B0AD5765D1BFA8253C2DCBB126 /* AFError.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AFError.swift; path = Source/AFError.swift; sourceTree = ""; }; - 4B50A816814713052A83AD22ECB8E19D /* Animal.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Animal.swift; sourceTree = ""; }; - 4EBAF179E866C1F42E3C9F85162E2792 /* ArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfNumberOnly.swift; sourceTree = ""; }; - 4F28DB75084895EF23EDBC499D8B8BAE /* Cat.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Cat.swift; sourceTree = ""; }; - 540B42E772FF76C6D4F5E68CCDADA9B3 /* ArrayOfArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfArrayOfNumberOnly.swift; sourceTree = ""; }; + 4D623BDE9C79D43A58D9951169D5DCE8 /* EnumTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumTest.swift; sourceTree = ""; }; 549C6527D10094289B101749047807C5 /* Pods-SwaggerClient.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClient.debug.xcconfig"; sourceTree = ""; }; - 5F939073B0FDC62477A0C4F8E9AB7131 /* SpecialModelName.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = SpecialModelName.swift; sourceTree = ""; }; - 6097AF9273FDB02C8A4DED04AFF6B4AD /* AnimalFarm.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AnimalFarm.swift; sourceTree = ""; }; - 6292ECC342913CF10F15F320C0D10143 /* AlamofireImplementations.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AlamofireImplementations.swift; sourceTree = ""; }; 6639346628280A0D0FAD35196BF56108 /* ParameterEncoding.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ParameterEncoding.swift; path = Source/ParameterEncoding.swift; sourceTree = ""; }; 66A46F517F0AF7E85A16D723F6406896 /* Notifications.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Notifications.swift; path = Source/Notifications.swift; sourceTree = ""; }; + 674818A79F12C550C32D5B20F9F2904C /* EnumArrays.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumArrays.swift; sourceTree = ""; }; 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Pods-SwaggerClientTests-dummy.m"; sourceTree = ""; }; - 6C0ACB269F0C836F1865A56C4AF7A07E /* Pods_SwaggerClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_SwaggerClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; - 6E9F0D4DC6F738F2ECF8D716B7A9A5C7 /* APIs.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIs.swift; sourceTree = ""; }; + 6A6FD821125243353793A74C26AF6AB2 /* ArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfNumberOnly.swift; sourceTree = ""; }; + 6C0ACB269F0C836F1865A56C4AF7A07E /* Pods_SwaggerClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Pods_SwaggerClient.framework; path = "Pods-SwaggerClient.framework"; sourceTree = BUILT_PRODUCTS_DIR; }; + 6E742DEDE04FF6FAEC9F376ED9E6AE2C /* AdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AdditionalPropertiesClass.swift; sourceTree = ""; }; 706C7AFFE37BA158C3553250F4B5FAED /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 71DB61F02CAB93E7ED7B2ECA67F3CF6C /* NumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = NumberOnly.swift; sourceTree = ""; }; + 7827148096A3B614608E8642496DB653 /* AlamofireImplementations.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AlamofireImplementations.swift; sourceTree = ""; }; + 7AAF332E1A7441FB724BBDE4A2D5FCDC /* Pet.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Pet.swift; sourceTree = ""; }; 7C8E63660D346FD8ED2A97242E74EA09 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; - 7D141D1953E5C6E67E362CE73090E48A /* Alamofire.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = Alamofire.modulemap; sourceTree = ""; }; + 7D141D1953E5C6E67E362CE73090E48A /* Alamofire.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = Alamofire.modulemap; sourceTree = ""; }; + 7DA5C1095D6C6A40025C2D36EE2C810E /* SpecialModelName.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = SpecialModelName.swift; sourceTree = ""; }; 849FECBC6CC67F2B6800F982927E3A9E /* Pods-SwaggerClientTests.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClientTests.release.xcconfig"; sourceTree = ""; }; 86B1DDCB9E27DF43C2C35D9E7B2E84DA /* Pods-SwaggerClient.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClient.release.xcconfig"; sourceTree = ""; }; 87882A1F5A92C8138D54545E51D51E6F /* Timeline.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Timeline.swift; path = Source/Timeline.swift; sourceTree = ""; }; - 897F0C201C5E0C66A1F1E359AECF4C9C /* PetstoreClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = PetstoreClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; - 93A4A3777CF96A4AAC1D13BA6DCCEA73 /* Podfile */ = {isa = PBXFileReference; explicitFileType = text.script.ruby; includeInIndex = 1; name = Podfile; path = ../Podfile; sourceTree = SOURCE_ROOT; xcLanguageSpecificationIdentifier = xcode.lang.ruby; }; + 882D08B71AAD3418842BE142C533D36B /* Cat.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Cat.swift; sourceTree = ""; }; + 897F0C201C5E0C66A1F1E359AECF4C9C /* PetstoreClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = PetstoreClient.framework; path = PetstoreClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 8A79C16689E69DE8EF122B5638FFC47D /* List.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = List.swift; sourceTree = ""; }; + 93A4A3777CF96A4AAC1D13BA6DCCEA73 /* Podfile */ = {isa = PBXFileReference; explicitFileType = text.script.ruby; includeInIndex = 1; lastKnownFileType = text; name = Podfile; path = ../Podfile; sourceTree = SOURCE_ROOT; xcLanguageSpecificationIdentifier = xcode.lang.ruby; }; + 943AD326EA457918AA6124DF2D2A8AE5 /* ArrayTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayTest.swift; sourceTree = ""; }; 969C2AF48F4307163B301A92E78AFCF2 /* Pods-SwaggerClientTests.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClientTests.debug.xcconfig"; sourceTree = ""; }; - 9928726B622806E400277C57963B354B /* Client.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Client.swift; sourceTree = ""; }; + 9CFD31C609D01246A22B3FA2FFB24D83 /* Extensions.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Extensions.swift; sourceTree = ""; }; 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PetstoreClient-umbrella.h"; sourceTree = ""; }; A01C037B4034EDA3D7955BC5E4E9D9D6 /* TaskDelegate.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = TaskDelegate.swift; path = Source/TaskDelegate.swift; sourceTree = ""; }; - A73F00E8ED2521B115946B7E20B760AF /* APIHelper.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIHelper.swift; sourceTree = ""; }; - AAB8DD3379CB8E9DB0DC9E6B18356204 /* Dog.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Dog.swift; sourceTree = ""; }; - AC8DF8745F891F2A12590D73550D0490 /* HasOnlyReadOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = HasOnlyReadOnly.swift; sourceTree = ""; }; + A1CA3CB3CA69090E8097D77974F95F4E /* User.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = User.swift; sourceTree = ""; }; + A20AD60386D12E72B2313A4ED186F1FE /* ReadOnlyFirst.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ReadOnlyFirst.swift; sourceTree = ""; }; + A6E566ACDC2E2B9BD209C52F6FC3F038 /* Category.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Category.swift; sourceTree = ""; }; + A776729DD3FE9677991E54DE267FD577 /* StoreAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = StoreAPI.swift; sourceTree = ""; }; + ACBCE80BA837EB73E5A6E45B40F004B8 /* UserAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = UserAPI.swift; sourceTree = ""; }; B029DBC43E49A740F12B5E4D2E6DD452 /* Validation.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Validation.swift; path = Source/Validation.swift; sourceTree = ""; }; - B1300E3C28C82031FA5C87A7FE3B1EB9 /* Pet.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Pet.swift; sourceTree = ""; }; B3A144887C8B13FD888B76AB096B0CA1 /* PetstoreClient-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PetstoreClient-prefix.pch"; sourceTree = ""; }; B44A27EFBB0DA84D738057B77F3413B1 /* Alamofire-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Alamofire-umbrella.h"; sourceTree = ""; }; - B4CA6814AE828DFEC4A4C2C8C1D6CEA2 /* ApiResponse.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ApiResponse.swift; sourceTree = ""; }; - B4E90BC12F77D66B96AB27E026B2071E /* NumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = NumberOnly.swift; sourceTree = ""; }; - BC23A659B67F5C77068CA536C88CA9D0 /* PetAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = PetAPI.swift; sourceTree = ""; }; + B98974498DE6D6290EEA35B2A9E347BB /* ArrayOfArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfArrayOfNumberOnly.swift; sourceTree = ""; }; + B9EB90FD68C4C823BA7428D94E80A7B3 /* Return.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Return.swift; sourceTree = ""; }; BCCA9CA7D9C1A2047BB93336C5708DFD /* Alamofire-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Alamofire-prefix.pch"; sourceTree = ""; }; BCF2D4DFF08D2A18E8C8FE4C4B4633FB /* Pods-SwaggerClient-frameworks.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClient-frameworks.sh"; sourceTree = ""; }; - C9B2737214A9FBDFAFE4EFE2C5622B27 /* ReadOnlyFirst.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ReadOnlyFirst.swift; sourceTree = ""; }; + C779250D7B6267BBEC8FA6A297E951FD /* MixedPropertiesAndAdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MixedPropertiesAndAdditionalPropertiesClass.swift; sourceTree = ""; }; + CFDD5568A22EED27D7570975E4B81B6B /* AnimalFarm.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AnimalFarm.swift; sourceTree = ""; }; D2841E5E2183846280B97F6E660DA26C /* Pods-SwaggerClient-resources.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClient-resources.sh"; sourceTree = ""; }; - D6115C108A2F1445CCA165DCE5321009 /* EnumClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumClass.swift; sourceTree = ""; }; DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = PetstoreClient.xcconfig; sourceTree = ""; }; - DE164497A94DD3215ED4D1AE0D4703B1 /* Pods-SwaggerClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = "Pods-SwaggerClient.modulemap"; sourceTree = ""; }; + DB59A7DB4A9B911E525ECC513D74D00D /* Fake_classname_tags123API.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Fake_classname_tags123API.swift; sourceTree = ""; }; + DDAFDF0366C6686A7B947426AF20A128 /* FakeclassnametagsAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FakeclassnametagsAPI.swift; sourceTree = ""; }; + DE164497A94DD3215ED4D1AE0D4703B1 /* Pods-SwaggerClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = "Pods-SwaggerClient.modulemap"; sourceTree = ""; }; + DE8B2057191DB8F5E2AE31FB27135B6C /* MapTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MapTest.swift; sourceTree = ""; }; DFCB8C44DE758E906C0BCDA455937B85 /* Alamofire.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Alamofire.swift; path = Source/Alamofire.swift; sourceTree = ""; }; - DFF589887A9AAE06637E527EC61117B0 /* MapTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MapTest.swift; sourceTree = ""; }; E1E4BCB344D3C100253B24B79421F00A /* Pods-SwaggerClient-acknowledgements.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = "Pods-SwaggerClient-acknowledgements.plist"; sourceTree = ""; }; E2F9510473F6FFD7AA66524DB16C2263 /* ResponseSerialization.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ResponseSerialization.swift; path = Source/ResponseSerialization.swift; sourceTree = ""; }; - E3D1141B63DF38660CD6F3AC588A782B /* PetstoreClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = PetstoreClient.modulemap; sourceTree = ""; }; - E3FF8700849757249B929D7AFF652CD6 /* Extensions.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Extensions.swift; sourceTree = ""; }; + E3D1141B63DF38660CD6F3AC588A782B /* PetstoreClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = PetstoreClient.modulemap; sourceTree = ""; }; E4E6F4A58FE7868CA2177D3AC79AD2FA /* Pods-SwaggerClientTests-resources.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClientTests-resources.sh"; sourceTree = ""; }; E5A8AA5F9EDED0A0BDDE7E830BF4AEE0 /* NetworkReachabilityManager.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = NetworkReachabilityManager.swift; path = Source/NetworkReachabilityManager.swift; sourceTree = ""; }; E6F34CCF86067ED508C12C676E298C69 /* Alamofire.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = Alamofire.xcconfig; sourceTree = ""; }; - E906A19EC726985BD8493A893CA9DD65 /* FakeAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FakeAPI.swift; sourceTree = ""; }; - EA3FFA48FB4D08FC02C47F71C0089CD9 /* Pods_SwaggerClientTests.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_SwaggerClientTests.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + EA3FFA48FB4D08FC02C47F71C0089CD9 /* Pods_SwaggerClientTests.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Pods_SwaggerClientTests.framework; path = "Pods-SwaggerClientTests.framework"; sourceTree = BUILT_PRODUCTS_DIR; }; + EA68C5328B3080DB6504E903EE8FC138 /* OuterEnum.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = OuterEnum.swift; sourceTree = ""; }; + EB3C91F15E6A6CE25AA56BB132BD2282 /* FormatTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FormatTest.swift; sourceTree = ""; }; + EE24724902D07CDE0116B09FAFD21D57 /* Dog.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Dog.swift; sourceTree = ""; }; + EF4F0123552CEF7C9700A7F1DA9C2C73 /* Models.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Models.swift; sourceTree = ""; }; F0D4E00A8974E74325E9E53D456F9AD4 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Pods-SwaggerClientTests-umbrella.h"; sourceTree = ""; }; - F2E15D74AD528E3350D207603BBA1DF4 /* StoreAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = StoreAPI.swift; sourceTree = ""; }; - F328163C591BBCCD1909AFA5B31CE95A /* AdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AdditionalPropertiesClass.swift; sourceTree = ""; }; - F8180325E22D8580EFE2473A67C0EAC0 /* User.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = User.swift; sourceTree = ""; }; + F3E1EA7F03A8F7699B4A38A0059B6DB6 /* Animal.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Animal.swift; sourceTree = ""; }; + F607471BF9870E491AA86EFB89E5ACF9 /* HasOnlyReadOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = HasOnlyReadOnly.swift; sourceTree = ""; }; + F7D5B61AC90BA0704509CAE6D0F2685B /* ClassModel.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ClassModel.swift; sourceTree = ""; }; FB170EFD14935F121CDE3211DB4C5CA3 /* Pods-SwaggerClientTests-acknowledgements.markdown */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text; path = "Pods-SwaggerClientTests-acknowledgements.markdown"; sourceTree = ""; }; /* End PBXFileReference section */ /* Begin PBXFrameworksBuildPhase section */ - 2A7053C6AF6D6D7610A715632949C369 /* Frameworks */ = { + 6FF96BC4D69AB5070FE79110C6420DE4 /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 3CA0C61EB5AA01268C12B7E61FF59C56 /* Foundation.framework in Frameworks */, + EF7F4564E588BA78CC981DF4C8432234 /* Alamofire.framework in Frameworks */, + E74D29AD603F3CDFE7789CC03E3290A5 /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - 3D4272E87CBABB7E63FD39A935D26603 /* Frameworks */ = { + 87AF7EC7404199AC8C5D22375A6059BF /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 6BE7B6EE63646366DD00EC3C286B2315 /* Alamofire.framework in Frameworks */, - EEBF1A088C53B7CA163809C3753C524D /* Foundation.framework in Frameworks */, + D32130A2C8AC5B1FF21AF43BCC2B5217 /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - B1729F851F648EC60EE93CDB3C8BAEAD /* Frameworks */ = { + 950A5F242B4B2310D94F7C4B29699C1E /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 91C09AC2A52ED69A27C8D923139A006F /* Foundation.framework in Frameworks */, + 2940D84FC5A76050A9281E6E49A8BDFC /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - FE8FC779CF4B0CFCC594E81C0FF86C7E /* Frameworks */ = { + 99195E4207764744AEC07ECCBCD550EB /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - F206C370F63155D3468E0C188498C5DC /* Foundation.framework in Frameworks */, + A04BFC558D69E7DBB68023C80A9CFE4E /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; @@ -257,6 +265,7 @@ B029DBC43E49A740F12B5E4D2E6DD452 /* Validation.swift */, 55F14F994FE7AB51F028BFE66CEF3106 /* Support Files */, ); + name = Alamofire; path = Alamofire; sourceTree = ""; }; @@ -268,14 +277,6 @@ name = "Development Pods"; sourceTree = ""; }; - 3332D79FDC0D66D4DF418974F676C0C0 /* iOS */ = { - isa = PBXGroup; - children = ( - 41EA265E42E2F53F87DD98BDA6BDEFD5 /* Foundation.framework */, - ); - name = iOS; - sourceTree = ""; - }; 35F128EB69B6F7FB7DA93BBF6C130FAE /* Pods */ = { isa = PBXGroup; children = ( @@ -284,6 +285,59 @@ name = Pods; sourceTree = ""; }; + 49183FCAF0F17F400CC0C62EA451806A /* Models */ = { + isa = PBXGroup; + children = ( + 6E742DEDE04FF6FAEC9F376ED9E6AE2C /* AdditionalPropertiesClass.swift */, + F3E1EA7F03A8F7699B4A38A0059B6DB6 /* Animal.swift */, + CFDD5568A22EED27D7570975E4B81B6B /* AnimalFarm.swift */, + 26F0BD741D5BE8D7ECA2569B96E3F60C /* ApiResponse.swift */, + B98974498DE6D6290EEA35B2A9E347BB /* ArrayOfArrayOfNumberOnly.swift */, + 6A6FD821125243353793A74C26AF6AB2 /* ArrayOfNumberOnly.swift */, + 943AD326EA457918AA6124DF2D2A8AE5 /* ArrayTest.swift */, + 882D08B71AAD3418842BE142C533D36B /* Cat.swift */, + A6E566ACDC2E2B9BD209C52F6FC3F038 /* Category.swift */, + F7D5B61AC90BA0704509CAE6D0F2685B /* ClassModel.swift */, + 0FE6ECDC7B7878E609AEE401961BF14E /* Client.swift */, + EE24724902D07CDE0116B09FAFD21D57 /* Dog.swift */, + 674818A79F12C550C32D5B20F9F2904C /* EnumArrays.swift */, + 2B96675384F47A8DB92E2D3370733CC1 /* EnumClass.swift */, + 4D623BDE9C79D43A58D9951169D5DCE8 /* EnumTest.swift */, + EB3C91F15E6A6CE25AA56BB132BD2282 /* FormatTest.swift */, + F607471BF9870E491AA86EFB89E5ACF9 /* HasOnlyReadOnly.swift */, + 8A79C16689E69DE8EF122B5638FFC47D /* List.swift */, + DE8B2057191DB8F5E2AE31FB27135B6C /* MapTest.swift */, + C779250D7B6267BBEC8FA6A297E951FD /* MixedPropertiesAndAdditionalPropertiesClass.swift */, + 3D74E3639B8306BCE21EAC827F2D0F06 /* Model200Response.swift */, + 139DB709435F037DC55BE45FDFF8D13D /* Name.swift */, + 71DB61F02CAB93E7ED7B2ECA67F3CF6C /* NumberOnly.swift */, + 0B517EAE75FC00740AEAA0C504C4B2C6 /* Order.swift */, + EA68C5328B3080DB6504E903EE8FC138 /* OuterEnum.swift */, + 7AAF332E1A7441FB724BBDE4A2D5FCDC /* Pet.swift */, + A20AD60386D12E72B2313A4ED186F1FE /* ReadOnlyFirst.swift */, + B9EB90FD68C4C823BA7428D94E80A7B3 /* Return.swift */, + 7DA5C1095D6C6A40025C2D36EE2C810E /* SpecialModelName.swift */, + 03A35854A2FF642B3B732D763DB0D0BD /* Tag.swift */, + A1CA3CB3CA69090E8097D77974F95F4E /* User.swift */, + ); + name = Models; + path = Models; + sourceTree = ""; + }; + 5057832E4BF5A63A3D14138D4DC02A76 /* APIs */ = { + isa = PBXGroup; + children = ( + DB59A7DB4A9B911E525ECC513D74D00D /* Fake_classname_tags123API.swift */, + 46C5EA7F33E59F5A0BAC7ED154EF5189 /* FakeAPI.swift */, + DDAFDF0366C6686A7B947426AF20A128 /* FakeclassnametagsAPI.swift */, + 46ADFA647DB262579870CDE7A7A9B130 /* PetAPI.swift */, + A776729DD3FE9677991E54DE267FD577 /* StoreAPI.swift */, + ACBCE80BA837EB73E5A6E45B40F004B8 /* UserAPI.swift */, + ); + name = APIs; + path = APIs; + sourceTree = ""; + }; 55F14F994FE7AB51F028BFE66CEF3106 /* Support Files */ = { isa = PBXGroup; children = ( @@ -302,7 +356,7 @@ isa = PBXGroup; children = ( 706C7AFFE37BA158C3553250F4B5FAED /* Alamofire.framework */, - 3332D79FDC0D66D4DF418974F676C0C0 /* iOS */, + 7EB15E2C7EC8DD0E4C409FA3E5AC30A1 /* iOS */, ); name = Frameworks; sourceTree = ""; @@ -319,15 +373,12 @@ ); sourceTree = ""; }; - 88ACCBA930FB2930A6EB5386B54BB6AC /* APIs */ = { + 7EB15E2C7EC8DD0E4C409FA3E5AC30A1 /* iOS */ = { isa = PBXGroup; children = ( - E906A19EC726985BD8493A893CA9DD65 /* FakeAPI.swift */, - BC23A659B67F5C77068CA536C88CA9D0 /* PetAPI.swift */, - F2E15D74AD528E3350D207603BBA1DF4 /* StoreAPI.swift */, - 118386CB29E583E2BCF45FFB0C584C22 /* UserAPI.swift */, + 3F9B2E024A80A62FE090406312870D33 /* Foundation.framework */, ); - path = APIs; + name = iOS; sourceTree = ""; }; 88CE2B3F08C34DDB098AD8A5DCC1DF1E /* Pods-SwaggerClient */ = { @@ -348,42 +399,6 @@ path = "Target Support Files/Pods-SwaggerClient"; sourceTree = ""; }; - 8C92F4FC4122BA0949B5E0332BC5DA9A /* Models */ = { - isa = PBXGroup; - children = ( - F328163C591BBCCD1909AFA5B31CE95A /* AdditionalPropertiesClass.swift */, - 4B50A816814713052A83AD22ECB8E19D /* Animal.swift */, - 6097AF9273FDB02C8A4DED04AFF6B4AD /* AnimalFarm.swift */, - B4CA6814AE828DFEC4A4C2C8C1D6CEA2 /* ApiResponse.swift */, - 540B42E772FF76C6D4F5E68CCDADA9B3 /* ArrayOfArrayOfNumberOnly.swift */, - 4EBAF179E866C1F42E3C9F85162E2792 /* ArrayOfNumberOnly.swift */, - 21B120C00973CD2A57F3D566E760AF3E /* ArrayTest.swift */, - 4F28DB75084895EF23EDBC499D8B8BAE /* Cat.swift */, - 37E47D71F3FB3E8B7FBEA178972FB52D /* Category.swift */, - 9928726B622806E400277C57963B354B /* Client.swift */, - AAB8DD3379CB8E9DB0DC9E6B18356204 /* Dog.swift */, - 1FCFC11EBD20C97FB1BC4EFAEC6FEB37 /* EnumArrays.swift */, - D6115C108A2F1445CCA165DCE5321009 /* EnumClass.swift */, - 42105B8EAB28DFBC1FD088D5D8C08610 /* EnumTest.swift */, - 11A9D1B03B658EFF2011FD4ADF5B2C9B /* FormatTest.swift */, - AC8DF8745F891F2A12590D73550D0490 /* HasOnlyReadOnly.swift */, - 3A7FD39D7BA8415D865896B06564C124 /* List.swift */, - DFF589887A9AAE06637E527EC61117B0 /* MapTest.swift */, - 37CE09CBDF55D26A9D95DD15E7DEA056 /* MixedPropertiesAndAdditionalPropertiesClass.swift */, - 31C953CB2AF9E4E3D884BBA68E728307 /* Model200Response.swift */, - 1C79F2ABDEC68FB086941B1667F653AC /* Name.swift */, - B4E90BC12F77D66B96AB27E026B2071E /* NumberOnly.swift */, - 2364F4EAC509113B38791789DFC9F1E7 /* Order.swift */, - B1300E3C28C82031FA5C87A7FE3B1EB9 /* Pet.swift */, - C9B2737214A9FBDFAFE4EFE2C5622B27 /* ReadOnlyFirst.swift */, - 2E1E790656723DC52EAB91FF86121D3D /* Return.swift */, - 5F939073B0FDC62477A0C4F8E9AB7131 /* SpecialModelName.swift */, - 143E557A35666A5C3FB6A5EC601425AE /* Tag.swift */, - F8180325E22D8580EFE2473A67C0EAC0 /* User.swift */, - ); - path = Models; - sourceTree = ""; - }; 8F6D133867EE63820DFB7E83F4C51252 /* Support Files */ = { isa = PBXGroup; children = ( @@ -412,25 +427,12 @@ AD94092456F8ABCB18F74CAC75AD85DE /* Classes */ = { isa = PBXGroup; children = ( - BD3FA7FC606B6CEBD6392587B3661483 /* Swaggers */, + ECF20498E2F38FF69AC5DDAE5C5C6A8F /* Swaggers */, ); + name = Classes; path = Classes; sourceTree = ""; }; - BD3FA7FC606B6CEBD6392587B3661483 /* Swaggers */ = { - isa = PBXGroup; - children = ( - 6292ECC342913CF10F15F320C0D10143 /* AlamofireImplementations.swift */, - A73F00E8ED2521B115946B7E20B760AF /* APIHelper.swift */, - 6E9F0D4DC6F738F2ECF8D716B7A9A5C7 /* APIs.swift */, - E3FF8700849757249B929D7AFF652CD6 /* Extensions.swift */, - 2E73416EE991BBE43467BA22F2A155A5 /* Models.swift */, - 88ACCBA930FB2930A6EB5386B54BB6AC /* APIs */, - 8C92F4FC4122BA0949B5E0332BC5DA9A /* Models */, - ); - path = Swaggers; - sourceTree = ""; - }; C1A60D10CED0E61146591438999C7502 /* Targets Support Files */ = { isa = PBXGroup; children = ( @@ -463,6 +465,7 @@ children = ( AD94092456F8ABCB18F74CAC75AD85DE /* Classes */, ); + name = PetstoreClient; path = PetstoreClient; sourceTree = ""; }; @@ -476,87 +479,103 @@ path = ../..; sourceTree = ""; }; + ECF20498E2F38FF69AC5DDAE5C5C6A8F /* Swaggers */ = { + isa = PBXGroup; + children = ( + 7827148096A3B614608E8642496DB653 /* AlamofireImplementations.swift */, + 2A0F510D3CD5F6FE074AA8A702B78FD4 /* APIHelper.swift */, + 37E5B1C1BA4FC86C3AD6DD6412AD5C3F /* APIs.swift */, + 9CFD31C609D01246A22B3FA2FFB24D83 /* Extensions.swift */, + EF4F0123552CEF7C9700A7F1DA9C2C73 /* Models.swift */, + 5057832E4BF5A63A3D14138D4DC02A76 /* APIs */, + 49183FCAF0F17F400CC0C62EA451806A /* Models */, + ); + name = Swaggers; + path = Swaggers; + sourceTree = ""; + }; /* End PBXGroup section */ /* Begin PBXHeadersBuildPhase section */ - 8EB9FB8BCBCBC01234ED5877A870758B /* Headers */ = { + 1353AC7A6419F876B294A55E5550D1E4 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 816BE1BBC1F4E434D7BD3F793F38B347 /* Pods-SwaggerClient-umbrella.h in Headers */, + 31F8B86E3672D0B828B6352C875649C4 /* Pods-SwaggerClientTests-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - A257EA6B7E444E7E15D7C099076AFCC4 /* Headers */ = { + 60CD6F00C2BDEAD10522E5DDF98A4FD1 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 1E4C6B6A8D716620DE786BBF7DEAD993 /* PetstoreClient-umbrella.h in Headers */, + 906B042F9112F8CACC1B3DE516C50BF7 /* PetstoreClient-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - EFDF3B631BBB965A372347705CA14854 /* Headers */ = { + B4002B6E97835FDCCAA5963EFE09A3E0 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 9469DF81ECB494E84675969B5E13374C /* Alamofire-umbrella.h in Headers */, + 1B9EDEDC964E6B08F78920B4F4B9DB84 /* Alamofire-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - FF84DA06E91FBBAA756A7832375803CE /* Headers */ = { + DC071B9D59E4680147F481F53FBCE180 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 897283A0B7F5299913327CC8FD6CC997 /* Pods-SwaggerClientTests-umbrella.h in Headers */, + 424F25F3C040D2362DD353C82A86740B /* Pods-SwaggerClient-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXHeadersBuildPhase section */ /* Begin PBXNativeTarget section */ - 01C67FBB627BDC9D36B9F648C0BF5228 /* Pods-SwaggerClient */ = { + 34D7A419C45BE57FE477FC7690C6EB43 /* PetstoreClient */ = { isa = PBXNativeTarget; - buildConfigurationList = A255A180370C09C28653A0EC123D2678 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */; + buildConfigurationList = 5C20281827228C999505802256DA894B /* Build configuration list for PBXNativeTarget "PetstoreClient" */; buildPhases = ( - C2AD20E62D6A15C7CE3E20F8A811548F /* Sources */, - 2A7053C6AF6D6D7610A715632949C369 /* Frameworks */, - 8EB9FB8BCBCBC01234ED5877A870758B /* Headers */, + 2F2C3E1F2A34563483B2C9F33A313295 /* Sources */, + 6FF96BC4D69AB5070FE79110C6420DE4 /* Frameworks */, + 60CD6F00C2BDEAD10522E5DDF98A4FD1 /* Headers */, ); buildRules = ( ); dependencies = ( - 9D7C00D5DABDA9EE2ED06BE7F85DD5EA /* PBXTargetDependency */, - A51999658423B0F25DD2B4FEECD542E3 /* PBXTargetDependency */, + F12F3952E06A7C1F9A5F0CBF0EC91B9B /* PBXTargetDependency */, + ); + name = PetstoreClient; + productName = PetstoreClient; + productReference = 897F0C201C5E0C66A1F1E359AECF4C9C /* PetstoreClient.framework */; + productType = "com.apple.product-type.framework"; + }; + 41903051A113E887E262FB29130EB187 /* Pods-SwaggerClient */ = { + isa = PBXNativeTarget; + buildConfigurationList = 5DE561894A3D2FE43769BF10CB87D407 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */; + buildPhases = ( + 9A1B5AE4D97D5E0097B7054904D06663 /* Sources */, + 950A5F242B4B2310D94F7C4B29699C1E /* Frameworks */, + DC071B9D59E4680147F481F53FBCE180 /* Headers */, + ); + buildRules = ( + ); + dependencies = ( + AC31F7EF81A7A1C4862B1BA6879CEC1C /* PBXTargetDependency */, + 374AD22F26F7E9801AB27C2FCBBF4EC9 /* PBXTargetDependency */, ); name = "Pods-SwaggerClient"; productName = "Pods-SwaggerClient"; productReference = 6C0ACB269F0C836F1865A56C4AF7A07E /* Pods_SwaggerClient.framework */; productType = "com.apple.product-type.framework"; }; - 462B200BD111D7F438E47B7C42B6772F /* Pods-SwaggerClientTests */ = { + 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */ = { isa = PBXNativeTarget; - buildConfigurationList = 245A935A321D16F418F4D34C5D17D2B6 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */; + buildConfigurationList = 419E5D95491847CD79841B971A8A3277 /* Build configuration list for PBXNativeTarget "Alamofire" */; buildPhases = ( - 0529825EC79AED06C77091DC0F061854 /* Sources */, - FE8FC779CF4B0CFCC594E81C0FF86C7E /* Frameworks */, - FF84DA06E91FBBAA756A7832375803CE /* Headers */, - ); - buildRules = ( - ); - dependencies = ( - ); - name = "Pods-SwaggerClientTests"; - productName = "Pods-SwaggerClientTests"; - productReference = EA3FFA48FB4D08FC02C47F71C0089CD9 /* Pods_SwaggerClientTests.framework */; - productType = "com.apple.product-type.framework"; - }; - 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */ = { - isa = PBXNativeTarget; - buildConfigurationList = 3CFB42910790CF0BDBCCEBAACD6B9367 /* Build configuration list for PBXNativeTarget "Alamofire" */; - buildPhases = ( - 120C4E824DDCCA024C170A491FF221A5 /* Sources */, - B1729F851F648EC60EE93CDB3C8BAEAD /* Frameworks */, - EFDF3B631BBB965A372347705CA14854 /* Headers */, + 32B9974868188C4803318E36329C87FE /* Sources */, + 99195E4207764744AEC07ECCBCD550EB /* Frameworks */, + B4002B6E97835FDCCAA5963EFE09A3E0 /* Headers */, ); buildRules = ( ); @@ -567,22 +586,21 @@ productReference = 49A9B3BBFEA1CFFC48229E438EA64F9E /* Alamofire.framework */; productType = "com.apple.product-type.framework"; }; - E07B591B41E732703529E8F317CD7D8B /* PetstoreClient */ = { + F3DF8DD6DBDCB07B04D7B1CC8A462562 /* Pods-SwaggerClientTests */ = { isa = PBXNativeTarget; - buildConfigurationList = 82BA95898374BB6547C3BE7BF6756979 /* Build configuration list for PBXNativeTarget "PetstoreClient" */; + buildConfigurationList = B462F7329881FF6565EF44016BE2B959 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */; buildPhases = ( - 2420666CEC71977046A755480622789D /* Sources */, - 3D4272E87CBABB7E63FD39A935D26603 /* Frameworks */, - A257EA6B7E444E7E15D7C099076AFCC4 /* Headers */, + BDFDEE831A91E115AA482B4E9E9B5CC8 /* Sources */, + 87AF7EC7404199AC8C5D22375A6059BF /* Frameworks */, + 1353AC7A6419F876B294A55E5550D1E4 /* Headers */, ); buildRules = ( ); dependencies = ( - 28CF5404866D77A932CAA3AAA52E77C5 /* PBXTargetDependency */, ); - name = PetstoreClient; - productName = PetstoreClient; - productReference = 897F0C201C5E0C66A1F1E359AECF4C9C /* PetstoreClient.framework */; + name = "Pods-SwaggerClientTests"; + productName = "Pods-SwaggerClientTests"; + productReference = EA3FFA48FB4D08FC02C47F71C0089CD9 /* Pods_SwaggerClientTests.framework */; productType = "com.apple.product-type.framework"; }; /* End PBXNativeTarget section */ @@ -606,162 +624,137 @@ projectDirPath = ""; projectRoot = ""; targets = ( - 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */, - E07B591B41E732703529E8F317CD7D8B /* PetstoreClient */, - 01C67FBB627BDC9D36B9F648C0BF5228 /* Pods-SwaggerClient */, - 462B200BD111D7F438E47B7C42B6772F /* Pods-SwaggerClientTests */, + 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */, + 34D7A419C45BE57FE477FC7690C6EB43 /* PetstoreClient */, + 41903051A113E887E262FB29130EB187 /* Pods-SwaggerClient */, + F3DF8DD6DBDCB07B04D7B1CC8A462562 /* Pods-SwaggerClientTests */, ); }; /* End PBXProject section */ /* Begin PBXSourcesBuildPhase section */ - 0529825EC79AED06C77091DC0F061854 /* Sources */ = { + 2F2C3E1F2A34563483B2C9F33A313295 /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - C546890220177F840E8AFC829D0E3FEB /* Pods-SwaggerClientTests-dummy.m in Sources */, + 361E2A66B95CFFFF9636F2560925C94B /* AdditionalPropertiesClass.swift in Sources */, + 675A47E176F499215ECCB89414950A40 /* AlamofireImplementations.swift in Sources */, + 68926300DAEAB352890C0FA7466299B2 /* Animal.swift in Sources */, + 1E51978A44E02D6C9FD452962FA314C2 /* AnimalFarm.swift in Sources */, + 7B6574F5BE82011621382001E602733A /* APIHelper.swift in Sources */, + 259DBF125A08D2CC6263AFD6914309A1 /* ApiResponse.swift in Sources */, + FF2151E98423EA965AA32B9BC80B5DC9 /* APIs.swift in Sources */, + 7A80FA0C32FA8BCCECCA86267952CB2A /* ArrayOfArrayOfNumberOnly.swift in Sources */, + 872661BC16DCBAF99952C820ED6173C1 /* ArrayOfNumberOnly.swift in Sources */, + 1423DAD26BD241806D915F77200D86CA /* ArrayTest.swift in Sources */, + D6C5DAB5C879495F61515922F51D1AFA /* Cat.swift in Sources */, + 215B55F77DCF17AF5EE73A1FA39A348F /* Category.swift in Sources */, + A2CB4433D3F4970A687BA730779AF577 /* ClassModel.swift in Sources */, + F6FE65D070EAB1502F8CD7407F985251 /* Client.swift in Sources */, + 6D142A4259297C2C18AE1A239E1F8BD4 /* Dog.swift in Sources */, + 75FE7D9EF20002465C295A5919B17FC2 /* EnumArrays.swift in Sources */, + 6CF9F73E6F33FFEFA16AD2A2B0038268 /* EnumClass.swift in Sources */, + 0EAB00E2A951259911DB3D86AED93169 /* EnumTest.swift in Sources */, + 9A82B11744625507F3311B082A67D840 /* Extensions.swift in Sources */, + 526C6BD10D7792467A73505EB0F5234C /* Fake_classname_tags123API.swift in Sources */, + 87B80AADC7CA6556DF4560C015F03A48 /* FakeAPI.swift in Sources */, + 92CE3FFCB9DEC0A83CC7F8E542BFCEE3 /* FakeclassnametagsAPI.swift in Sources */, + 78962A6680E10E4D5D4E6AB3CB7436C5 /* FormatTest.swift in Sources */, + F3D336817F51F5281B557F40385371D0 /* HasOnlyReadOnly.swift in Sources */, + 8EBE12562F03B03ECED283954845976D /* List.swift in Sources */, + 92E8FE2F3FB67E0AF71B48BDC17BCC4C /* MapTest.swift in Sources */, + 0CF86BADF47E0DFB69F2D4AAE8CAA5ED /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */, + 7F2C9B3201AE0B9BD925611F816B78D2 /* Model200Response.swift in Sources */, + 5185A19D002CC10E4948066B5D07F283 /* Models.swift in Sources */, + E13D5D981B849603B4766AE6CA742DEE /* Name.swift in Sources */, + FCAB896E0CBF6AE9387CFAC7BC6FB6B0 /* NumberOnly.swift in Sources */, + C184FE739831FDDCD3E7973BA870F774 /* Order.swift in Sources */, + 110288FCF6186BE86A317D67FFB45EA4 /* OuterEnum.swift in Sources */, + 0C000B886A8014E5D567C1D9D65DD74A /* Pet.swift in Sources */, + 54D158EDB36A7B92F7D90B56A40AC6A9 /* PetAPI.swift in Sources */, + 6479245096A6BCFF431559465E910769 /* PetstoreClient-dummy.m in Sources */, + CF2EE9BA90408C832F894412D9724944 /* ReadOnlyFirst.swift in Sources */, + 99FFDEFE82CEC70F6E1F1BF315145457 /* Return.swift in Sources */, + EED6858187428DC889DF482284501555 /* SpecialModelName.swift in Sources */, + 2EE505BF09DDA06E95B6466C42C4F713 /* StoreAPI.swift in Sources */, + 5DF731758112F165BD9A8A8278BCDA26 /* Tag.swift in Sources */, + 5532A389A0DDD00958CDACACD84AB89B /* User.swift in Sources */, + AFD0458924C288212D4EF81D4DF958C3 /* UserAPI.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - 120C4E824DDCCA024C170A491FF221A5 /* Sources */ = { + 32B9974868188C4803318E36329C87FE /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 62143065F94E53F437DCE5D7A998D66D /* AFError.swift in Sources */, - 8D463A0A4C65C02FDD5211F0F3C6F8B8 /* Alamofire-dummy.m in Sources */, - 7CA5A9BA5246FDA8227233E310029392 /* Alamofire.swift in Sources */, - E2A1C34237B4E928E5F85C097F4C2551 /* DispatchQueue+Alamofire.swift in Sources */, - C7A3408350643ADE1018826C766EE356 /* MultipartFormData.swift in Sources */, - E59BF19C0AFA68B741552319FC478C7B /* NetworkReachabilityManager.swift in Sources */, - 0C1B4E9FFB8B81E8833A3BAD537B1990 /* Notifications.swift in Sources */, - AF158CAAF4DD319009AFC855DC995D90 /* ParameterEncoding.swift in Sources */, - 12118C354EFA36292F82A8D0CFCE45B2 /* Request.swift in Sources */, - 86ED08F33B7D357932A9AB743E9D9EA7 /* Response.swift in Sources */, - B8154C96802336E5DDA5CEE97C3180A0 /* ResponseSerialization.swift in Sources */, - DF1BBF94997A2F4248B42B25EA919EC2 /* Result.swift in Sources */, - C0AEA97E7684DDAD56998C0AE198A433 /* ServerTrustPolicy.swift in Sources */, - 907AB123FBC8BC9340D5B7350CE828DF /* SessionDelegate.swift in Sources */, - A79AC30123B0C2177D67F6ED6A1B3215 /* SessionManager.swift in Sources */, - E1F583CB4A68A928CD197250AA752926 /* TaskDelegate.swift in Sources */, - 3982B850C43B41BA6D25F440F0412E9B /* Timeline.swift in Sources */, - FFFDD494EE6D1B83DDAF5F2721F685A6 /* Validation.swift in Sources */, + 9ED2BB2981896E0A39EFA365503F58CE /* AFError.swift in Sources */, + A9EEEA7477981DEEBC72432DE9990A4B /* Alamofire-dummy.m in Sources */, + F8B3D3092ED0417E8CDF32033F6122F5 /* Alamofire.swift in Sources */, + 61200D01A1855D7920CEF835C8BE00B0 /* DispatchQueue+Alamofire.swift in Sources */, + B65FCF589DA398C3EFE0128064E510EC /* MultipartFormData.swift in Sources */, + A2A6F71B727312BD45CC7A4AAD7B0AB7 /* NetworkReachabilityManager.swift in Sources */, + EFD264FC408EBF3BA2528E70B08DDD94 /* Notifications.swift in Sources */, + BE5C67A07E289FE1F9BE27335B159997 /* ParameterEncoding.swift in Sources */, + 5387216E723A3C68E851CA15573CDD71 /* Request.swift in Sources */, + CB6D60925223897FFA2662667DF83E8A /* Response.swift in Sources */, + F6BECD98B97CBFEBE2C96F0E9E72A6C0 /* ResponseSerialization.swift in Sources */, + 7D8CC01E8C9EFFF9F4D65406CDE0AB66 /* Result.swift in Sources */, + 62F65AD8DC4F0F9610F4B8B4738EC094 /* ServerTrustPolicy.swift in Sources */, + 7B5FE28C7EA4122B0598738E54DBEBD8 /* SessionDelegate.swift in Sources */, + AE1EF48399533730D0066E04B22CA2D6 /* SessionManager.swift in Sources */, + 3626B94094672CB1C9DEA32B9F9502E1 /* TaskDelegate.swift in Sources */, + 10EB23E9ECC4B33E16933BB1EA560B6A /* Timeline.swift in Sources */, + BBEFE2F9CEB73DC7BD97FFA66A0D9D4F /* Validation.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - 2420666CEC71977046A755480622789D /* Sources */ = { + 9A1B5AE4D97D5E0097B7054904D06663 /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - D4EA06289110B4F5DC19DDDE8831FF5F /* AdditionalPropertiesClass.swift in Sources */, - D0BA8173A676167CAC2973A79BD0242E /* AlamofireImplementations.swift in Sources */, - 4CEA56A149345E34DBFB8F26836ADA7D /* Animal.swift in Sources */, - 33A38B024F2FAF97CD18BE77E1B59AC6 /* AnimalFarm.swift in Sources */, - BDD68D9A8AFC895FE449F76B45BB7635 /* APIHelper.swift in Sources */, - EB28CEEA7D16626E36446A03BDA3B99B /* ApiResponse.swift in Sources */, - 8FFF3001784D9A7F0C499B533D71DD4C /* APIs.swift in Sources */, - 1AD5AD2C098CCCC2B6F7214BF604CB9B /* ArrayOfArrayOfNumberOnly.swift in Sources */, - E9722CFC027D91761F36943C8EF0737C /* ArrayOfNumberOnly.swift in Sources */, - 70C02206CAF9D7E01C51B4529C8AD123 /* ArrayTest.swift in Sources */, - 06C3C2F3A8B5B1D1AAC0D29ECC8B5970 /* Cat.swift in Sources */, - 13F7C9AF056DF8BA92AB2BAF217D8D04 /* Category.swift in Sources */, - A69008B3AAFE217515CAC19EC2BBB8D5 /* Client.swift in Sources */, - D5E6B1E3BD16CF981E24E74371C95A8F /* Dog.swift in Sources */, - 588EFA41BF51F86A0ACA00AE2129D24E /* EnumArrays.swift in Sources */, - FE1EAE93BA87614AA129DE8223AA5B7A /* EnumClass.swift in Sources */, - 434EA46C36A82495415C5311DE52DEE6 /* EnumTest.swift in Sources */, - 8146DC6C21BC6B7D6E9F1C614BC1B9C2 /* Extensions.swift in Sources */, - 9460E7ECF6325A1C9EED36372DBC3D6D /* FakeAPI.swift in Sources */, - BB42BBFB6683977C7DC25EC32D9EAA72 /* FormatTest.swift in Sources */, - 5FD117885B2A8748C851D3BEF7EEEF06 /* HasOnlyReadOnly.swift in Sources */, - A3B4B8D0EC2ED8909876E2CB361AF87F /* List.swift in Sources */, - FC37FC0FD78A4BF0BBA8E7B1FE56D473 /* MapTest.swift in Sources */, - 6C0889CCE8E1D85E698D8EC564C4853E /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */, - 0D420ED1DD1A8E1BF24FC85ABB82D669 /* Model200Response.swift in Sources */, - 37E67199CFA606106C726BA6CFC0B4D3 /* Models.swift in Sources */, - 426B7FD8E61D930DE16BAC12FB726CE2 /* Name.swift in Sources */, - 1FB3F9E6B2DC47002778D605F14939D6 /* NumberOnly.swift in Sources */, - A37E7B4926057F8DC36D5EF5E17CE722 /* Order.swift in Sources */, - B656F729908BDC89686840DB4797E41E /* Pet.swift in Sources */, - 1C5DDB3A511B358ECC2B4BAE060ED9FC /* PetAPI.swift in Sources */, - 925D027E2FCA75AB2B2F2195EB14AFBB /* PetstoreClient-dummy.m in Sources */, - 03EE41C7303FF17FFB50AC1365929CF7 /* ReadOnlyFirst.swift in Sources */, - 5E25A9DF7FE0293488B24739844CFA4E /* Return.swift in Sources */, - C99577B805EB3E6EDCDA06D0E6253B41 /* SpecialModelName.swift in Sources */, - BAB7DEE435F7E246160AF61B1A52613D /* StoreAPI.swift in Sources */, - 736ABF80511158678C6068F0EA6C4F5E /* Tag.swift in Sources */, - F96E0891F2AE26D2CA24BD31378328A9 /* User.swift in Sources */, - 9FC9759E7BA02FF67AE579C8A0043D96 /* UserAPI.swift in Sources */, + D5F1BBD60108412FD5C8B320D20B2993 /* Pods-SwaggerClient-dummy.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - C2AD20E62D6A15C7CE3E20F8A811548F /* Sources */ = { + BDFDEE831A91E115AA482B4E9E9B5CC8 /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - C8592AD030234E841A61CA09ED02059A /* Pods-SwaggerClient-dummy.m in Sources */, + 897985FA042CD12B825C3032898FAB26 /* Pods-SwaggerClientTests-dummy.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXSourcesBuildPhase section */ /* Begin PBXTargetDependency section */ - 28CF5404866D77A932CAA3AAA52E77C5 /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - name = Alamofire; - target = 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */; - targetProxy = 0ABC7106E5053FCEDE01006541661549 /* PBXContainerItemProxy */; - }; - 9D7C00D5DABDA9EE2ED06BE7F85DD5EA /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - name = Alamofire; - target = 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */; - targetProxy = 9587C29FFB2EF204C279D7FF29DA45C2 /* PBXContainerItemProxy */; - }; - A51999658423B0F25DD2B4FEECD542E3 /* PBXTargetDependency */ = { + 374AD22F26F7E9801AB27C2FCBBF4EC9 /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = PetstoreClient; - target = E07B591B41E732703529E8F317CD7D8B /* PetstoreClient */; - targetProxy = 319E90B185211EB0F7DB65C268512703 /* PBXContainerItemProxy */; + target = 34D7A419C45BE57FE477FC7690C6EB43 /* PetstoreClient */; + targetProxy = 398B30E9B8AE28E1BDA1C6D292107659 /* PBXContainerItemProxy */; + }; + AC31F7EF81A7A1C4862B1BA6879CEC1C /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + name = Alamofire; + target = 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */; + targetProxy = F9E1549CFEDAD61BECA92DB5B12B4019 /* PBXContainerItemProxy */; + }; + F12F3952E06A7C1F9A5F0CBF0EC91B9B /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + name = Alamofire; + target = 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */; + targetProxy = 9D8246F31E2D7510C2F46D1FCC9731C2 /* PBXContainerItemProxy */; }; /* End PBXTargetDependency section */ /* Begin XCBuildConfiguration section */ - 08217EFF5AE225FB3D3816849CCDF66F /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = E6F34CCF86067ED508C12C676E298C69 /* Alamofire.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - PRODUCT_NAME = Alamofire; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_OPTIMIZATION_LEVEL = "-Onone"; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - 0D28399EAD3AC3480543B89AE77A5816 /* Release */ = { + 1AE0F2EEBA4375F577DD9F8C3B11F7B2 /* Release */ = { isa = XCBuildConfiguration; baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; DEFINES_MODULE = YES; @@ -787,11 +780,13 @@ }; name = Release; }; - 28688FC81A059766780FB9F6BB85F7D8 /* Release */ = { + 621A10F5C0A994B466277661C1B2C19F /* Release */ = { isa = XCBuildConfiguration; - baseConfigurationReference = 86B1DDCB9E27DF43C2C35D9E7B2E84DA /* Pods-SwaggerClient.release.xcconfig */; + baseConfigurationReference = E6F34CCF86067ED508C12C676E298C69 /* Alamofire.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; DEFINES_MODULE = YES; @@ -800,18 +795,14 @@ DYLIB_INSTALL_NAME_BASE = "@rpath"; ENABLE_STRICT_OBJC_MSGSEND = YES; GCC_NO_COMMON_BLOCKS = YES; - INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClient/Info.plist"; + GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.2; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MACH_O_TYPE = staticlib; - MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.modulemap"; + MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; MTL_ENABLE_DEBUG_INFO = NO; - OTHER_LDFLAGS = ""; - OTHER_LIBTOOLFLAGS = ""; - PODS_ROOT = "$(SRCROOT)"; - PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; - PRODUCT_NAME = Pods_SwaggerClient; + PRODUCT_NAME = Alamofire; SDKROOT = iphoneos; SKIP_INSTALL = YES; SWIFT_VERSION = 3.0; @@ -821,11 +812,46 @@ }; name = Release; }; - 3096AA3D2BA784C99CFE15B1C8943116 /* Debug */ = { + 70622D4D4056B90B582AC7F92B46D2D2 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/PetstoreClient/PetstoreClient-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/PetstoreClient/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/PetstoreClient/PetstoreClient.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + PRODUCT_NAME = PetstoreClient; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + 72DE84F6EA4EE4A32348CCB7D5F4B968 /* Debug */ = { isa = XCBuildConfiguration; baseConfigurationReference = 549C6527D10094289B101749047807C5 /* Pods-SwaggerClient.debug.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = dwarf; DEFINES_MODULE = YES; @@ -856,13 +882,51 @@ }; name = Debug; }; - 784D45BD01B6A4A066ED5EC84115205A /* Release */ = { + 82D3AD5A5FD240EEC1B1FEFF53FE2566 /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 86B1DDCB9E27DF43C2C35D9E7B2E84DA /* Pods-SwaggerClient.release.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClient/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.2; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MACH_O_TYPE = staticlib; + MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + OTHER_LDFLAGS = ""; + OTHER_LIBTOOLFLAGS = ""; + PODS_ROOT = "$(SRCROOT)"; + PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; + PRODUCT_NAME = Pods_SwaggerClient; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Release; + }; + 8C48CCCB862EC56A4174F6E1715688C9 /* Debug */ = { isa = XCBuildConfiguration; baseConfigurationReference = E6F34CCF86067ED508C12C676E298C69 /* Alamofire.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEBUG_INFORMATION_FORMAT = dwarf; DEFINES_MODULE = YES; DYLIB_COMPATIBILITY_VERSION = 1; DYLIB_CURRENT_VERSION = 1; @@ -875,10 +939,47 @@ IPHONEOS_DEPLOYMENT_TARGET = 9.0; LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; + MTL_ENABLE_DEBUG_INFO = YES; PRODUCT_NAME = Alamofire; SDKROOT = iphoneos; SKIP_INSTALL = YES; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + A658260C69CC5FE8D2D4A6E6D37E820A /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 849FECBC6CC67F2B6800F982927E3A9E /* Pods-SwaggerClientTests.release.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClientTests/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.2; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MACH_O_TYPE = staticlib; + MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + OTHER_LDFLAGS = ""; + OTHER_LIBTOOLFLAGS = ""; + PODS_ROOT = "$(SRCROOT)"; + PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; + PRODUCT_NAME = Pods_SwaggerClientTests; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; SWIFT_VERSION = 3.0; TARGETED_DEVICE_FAMILY = "1,2"; VERSIONING_SYSTEM = "apple-generic"; @@ -886,7 +987,7 @@ }; name = Release; }; - 84FD87D359382A37B07149A12641B965 /* Debug */ = { + AADB9822762AD81BBAE83335B2AB1EB0 /* Release */ = { isa = XCBuildConfiguration; buildSettings = { ALWAYS_SEARCH_USER_PATHS = NO; @@ -904,6 +1005,47 @@ CLANG_WARN_OBJC_ROOT_CLASS = YES; CLANG_WARN_UNREACHABLE_CODE = YES; CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + CODE_SIGNING_REQUIRED = NO; + COPY_PHASE_STRIP = YES; + ENABLE_NS_ASSERTIONS = NO; + GCC_C_LANGUAGE_STANDARD = gnu99; + GCC_PREPROCESSOR_DEFINITIONS = ( + "POD_CONFIGURATION_RELEASE=1", + "$(inherited)", + ); + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES; + GCC_WARN_UNDECLARED_SELECTOR = YES; + GCC_WARN_UNINITIALIZED_AUTOS = YES; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + IPHONEOS_DEPLOYMENT_TARGET = 9.2; + PROVISIONING_PROFILE_SPECIFIER = NO_SIGNING/; + STRIP_INSTALLED_PRODUCT = NO; + SYMROOT = "${SRCROOT}/../build"; + VALIDATE_PRODUCT = YES; + }; + name = Release; + }; + B1B5EB0850F98CB5AECDB015B690777F /* Debug */ = { + isa = XCBuildConfiguration; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES; + CLANG_WARN_UNREACHABLE_CODE = YES; + CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + CODE_SIGNING_REQUIRED = NO; COPY_PHASE_STRIP = NO; ENABLE_TESTABILITY = YES; GCC_C_LANGUAGE_STANDARD = gnu99; @@ -923,50 +1065,19 @@ GCC_WARN_UNUSED_VARIABLE = YES; IPHONEOS_DEPLOYMENT_TARGET = 9.2; ONLY_ACTIVE_ARCH = YES; + PROVISIONING_PROFILE_SPECIFIER = NO_SIGNING/; STRIP_INSTALLED_PRODUCT = NO; SYMROOT = "${SRCROOT}/../build"; }; name = Debug; }; - 99064127142A5DB1486ADFDCF5E23212 /* Release */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 849FECBC6CC67F2B6800F982927E3A9E /* Pods-SwaggerClientTests.release.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClientTests/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.2; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MACH_O_TYPE = staticlib; - MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; - OTHER_LDFLAGS = ""; - OTHER_LIBTOOLFLAGS = ""; - PODS_ROOT = "$(SRCROOT)"; - PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; - PRODUCT_NAME = Pods_SwaggerClientTests; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Release; - }; - A5192F795717DBFBB3C9BA9482C76842 /* Debug */ = { + EFA70F2EAB610CE73EB4B75FFD679D69 /* Debug */ = { isa = XCBuildConfiguration; baseConfigurationReference = 969C2AF48F4307163B301A92E78AFCF2 /* Pods-SwaggerClientTests.debug.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = dwarf; DEFINES_MODULE = YES; @@ -996,119 +1107,50 @@ }; name = Debug; }; - DB6DBC56AD82D27A6A01A50AA577557F /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/PetstoreClient/PetstoreClient-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/PetstoreClient/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/PetstoreClient/PetstoreClient.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - PRODUCT_NAME = PetstoreClient; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_OPTIMIZATION_LEVEL = "-Onone"; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - F594C655D48020EC34B00AA63E001773 /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - ALWAYS_SEARCH_USER_PATHS = NO; - CLANG_ANALYZER_NONNULL = YES; - CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; - CLANG_CXX_LIBRARY = "libc++"; - CLANG_ENABLE_MODULES = YES; - CLANG_ENABLE_OBJC_ARC = YES; - CLANG_WARN_BOOL_CONVERSION = YES; - CLANG_WARN_CONSTANT_CONVERSION = YES; - CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES; - CLANG_WARN_EMPTY_BODY = YES; - CLANG_WARN_ENUM_CONVERSION = YES; - CLANG_WARN_INT_CONVERSION = YES; - CLANG_WARN_OBJC_ROOT_CLASS = YES; - CLANG_WARN_UNREACHABLE_CODE = YES; - CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; - COPY_PHASE_STRIP = YES; - ENABLE_NS_ASSERTIONS = NO; - GCC_C_LANGUAGE_STANDARD = gnu99; - GCC_PREPROCESSOR_DEFINITIONS = ( - "POD_CONFIGURATION_RELEASE=1", - "$(inherited)", - ); - GCC_WARN_64_TO_32_BIT_CONVERSION = YES; - GCC_WARN_ABOUT_RETURN_TYPE = YES; - GCC_WARN_UNDECLARED_SELECTOR = YES; - GCC_WARN_UNINITIALIZED_AUTOS = YES; - GCC_WARN_UNUSED_FUNCTION = YES; - GCC_WARN_UNUSED_VARIABLE = YES; - IPHONEOS_DEPLOYMENT_TARGET = 9.2; - STRIP_INSTALLED_PRODUCT = NO; - SYMROOT = "${SRCROOT}/../build"; - VALIDATE_PRODUCT = YES; - }; - name = Release; - }; /* End XCBuildConfiguration section */ /* Begin XCConfigurationList section */ - 245A935A321D16F418F4D34C5D17D2B6 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - A5192F795717DBFBB3C9BA9482C76842 /* Debug */, - 99064127142A5DB1486ADFDCF5E23212 /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; 2D8E8EC45A3A1A1D94AE762CB5028504 /* Build configuration list for PBXProject "Pods" */ = { isa = XCConfigurationList; buildConfigurations = ( - 84FD87D359382A37B07149A12641B965 /* Debug */, - F594C655D48020EC34B00AA63E001773 /* Release */, + B1B5EB0850F98CB5AECDB015B690777F /* Debug */, + AADB9822762AD81BBAE83335B2AB1EB0 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - 3CFB42910790CF0BDBCCEBAACD6B9367 /* Build configuration list for PBXNativeTarget "Alamofire" */ = { + 419E5D95491847CD79841B971A8A3277 /* Build configuration list for PBXNativeTarget "Alamofire" */ = { isa = XCConfigurationList; buildConfigurations = ( - 08217EFF5AE225FB3D3816849CCDF66F /* Debug */, - 784D45BD01B6A4A066ED5EC84115205A /* Release */, + 8C48CCCB862EC56A4174F6E1715688C9 /* Debug */, + 621A10F5C0A994B466277661C1B2C19F /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - 82BA95898374BB6547C3BE7BF6756979 /* Build configuration list for PBXNativeTarget "PetstoreClient" */ = { + 5C20281827228C999505802256DA894B /* Build configuration list for PBXNativeTarget "PetstoreClient" */ = { isa = XCConfigurationList; buildConfigurations = ( - DB6DBC56AD82D27A6A01A50AA577557F /* Debug */, - 0D28399EAD3AC3480543B89AE77A5816 /* Release */, + 70622D4D4056B90B582AC7F92B46D2D2 /* Debug */, + 1AE0F2EEBA4375F577DD9F8C3B11F7B2 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - A255A180370C09C28653A0EC123D2678 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */ = { + 5DE561894A3D2FE43769BF10CB87D407 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */ = { isa = XCConfigurationList; buildConfigurations = ( - 3096AA3D2BA784C99CFE15B1C8943116 /* Debug */, - 28688FC81A059766780FB9F6BB85F7D8 /* Release */, + 72DE84F6EA4EE4A32348CCB7D5F4B968 /* Debug */, + 82D3AD5A5FD240EEC1B1FEFF53FE2566 /* Release */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + B462F7329881FF6565EF44016BE2B959 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + EFA70F2EAB610CE73EB4B75FFD679D69 /* Debug */, + A658260C69CC5FE8D2D4A6E6D37E820A /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h index 6b71676a9bd4..02327b85e884 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double AlamofireVersionNumber; diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h index 75c63f7c53e0..435b682a1068 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double PetstoreClientVersionNumber; diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown index 938fc5f29a83..102af7538517 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown @@ -1,231 +1,3 @@ # Acknowledgements This application makes use of the following third party libraries: - -## Alamofire - -Copyright (c) 2014-2016 Alamofire Software Foundation (http://alamofire.org/) - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. - - -## PetstoreClient - - Apache License - Version 2.0, January 2004 - http://www.apache.org/licenses/ - - TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION - - 1. Definitions. - - "License" shall mean the terms and conditions for use, reproduction, - and distribution as defined by Sections 1 through 9 of this document. - - "Licensor" shall mean the copyright owner or entity authorized by - the copyright owner that is granting the License. - - "Legal Entity" shall mean the union of the acting entity and all - other entities that control, are controlled by, or are under common - control with that entity. For the purposes of this definition, - "control" means (i) the power, direct or indirect, to cause the - direction or management of such entity, whether by contract or - otherwise, or (ii) ownership of fifty percent (50%) or more of the - outstanding shares, or (iii) beneficial ownership of such entity. - - "You" (or "Your") shall mean an individual or Legal Entity - exercising permissions granted by this License. - - "Source" form shall mean the preferred form for making modifications, - including but not limited to software source code, documentation - source, and configuration files. - - "Object" form shall mean any form resulting from mechanical - transformation or translation of a Source form, including but - not limited to compiled object code, generated documentation, - and conversions to other media types. - - "Work" shall mean the work of authorship, whether in Source or - Object form, made available under the License, as indicated by a - copyright notice that is included in or attached to the work - (an example is provided in the Appendix below). - - "Derivative Works" shall mean any work, whether in Source or Object - form, that is based on (or derived from) the Work and for which the - editorial revisions, annotations, elaborations, or other modifications - represent, as a whole, an original work of authorship. For the purposes - of this License, Derivative Works shall not include works that remain - separable from, or merely link (or bind by name) to the interfaces of, - the Work and Derivative Works thereof. - - "Contribution" shall mean any work of authorship, including - the original version of the Work and any modifications or additions - to that Work or Derivative Works thereof, that is intentionally - submitted to Licensor for inclusion in the Work by the copyright owner - or by an individual or Legal Entity authorized to submit on behalf of - the copyright owner. For the purposes of this definition, "submitted" - means any form of electronic, verbal, or written communication sent - to the Licensor or its representatives, including but not limited to - communication on electronic mailing lists, source code control systems, - and issue tracking systems that are managed by, or on behalf of, the - Licensor for the purpose of discussing and improving the Work, but - excluding communication that is conspicuously marked or otherwise - designated in writing by the copyright owner as "Not a Contribution." - - "Contributor" shall mean Licensor and any individual or Legal Entity - on behalf of whom a Contribution has been received by Licensor and - subsequently incorporated within the Work. - - 2. Grant of Copyright License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - copyright license to reproduce, prepare Derivative Works of, - publicly display, publicly perform, sublicense, and distribute the - Work and such Derivative Works in Source or Object form. - - 3. Grant of Patent License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - (except as stated in this section) patent license to make, have made, - use, offer to sell, sell, import, and otherwise transfer the Work, - where such license applies only to those patent claims licensable - by such Contributor that are necessarily infringed by their - Contribution(s) alone or by combination of their Contribution(s) - with the Work to which such Contribution(s) was submitted. If You - institute patent litigation against any entity (including a - cross-claim or counterclaim in a lawsuit) alleging that the Work - or a Contribution incorporated within the Work constitutes direct - or contributory patent infringement, then any patent licenses - granted to You under this License for that Work shall terminate - as of the date such litigation is filed. - - 4. Redistribution. You may reproduce and distribute copies of the - Work or Derivative Works thereof in any medium, with or without - modifications, and in Source or Object form, provided that You - meet the following conditions: - - (a) You must give any other recipients of the Work or - Derivative Works a copy of this License; and - - (b) You must cause any modified files to carry prominent notices - stating that You changed the files; and - - (c) You must retain, in the Source form of any Derivative Works - that You distribute, all copyright, patent, trademark, and - attribution notices from the Source form of the Work, - excluding those notices that do not pertain to any part of - the Derivative Works; and - - (d) If the Work includes a "NOTICE" text file as part of its - distribution, then any Derivative Works that You distribute must - include a readable copy of the attribution notices contained - within such NOTICE file, excluding those notices that do not - pertain to any part of the Derivative Works, in at least one - of the following places: within a NOTICE text file distributed - as part of the Derivative Works; within the Source form or - documentation, if provided along with the Derivative Works; or, - within a display generated by the Derivative Works, if and - wherever such third-party notices normally appear. The contents - of the NOTICE file are for informational purposes only and - do not modify the License. You may add Your own attribution - notices within Derivative Works that You distribute, alongside - or as an addendum to the NOTICE text from the Work, provided - that such additional attribution notices cannot be construed - as modifying the License. - - You may add Your own copyright statement to Your modifications and - may provide additional or different license terms and conditions - for use, reproduction, or distribution of Your modifications, or - for any such Derivative Works as a whole, provided Your use, - reproduction, and distribution of the Work otherwise complies with - the conditions stated in this License. - - 5. Submission of Contributions. Unless You explicitly state otherwise, - any Contribution intentionally submitted for inclusion in the Work - by You to the Licensor shall be under the terms and conditions of - this License, without any additional terms or conditions. - Notwithstanding the above, nothing herein shall supersede or modify - the terms of any separate license agreement you may have executed - with Licensor regarding such Contributions. - - 6. Trademarks. This License does not grant permission to use the trade - names, trademarks, service marks, or product names of the Licensor, - except as required for reasonable and customary use in describing the - origin of the Work and reproducing the content of the NOTICE file. - - 7. Disclaimer of Warranty. Unless required by applicable law or - agreed to in writing, Licensor provides the Work (and each - Contributor provides its Contributions) on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or - implied, including, without limitation, any warranties or conditions - of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A - PARTICULAR PURPOSE. You are solely responsible for determining the - appropriateness of using or redistributing the Work and assume any - risks associated with Your exercise of permissions under this License. - - 8. Limitation of Liability. In no event and under no legal theory, - whether in tort (including negligence), contract, or otherwise, - unless required by applicable law (such as deliberate and grossly - negligent acts) or agreed to in writing, shall any Contributor be - liable to You for damages, including any direct, indirect, special, - incidental, or consequential damages of any character arising as a - result of this License or out of the use or inability to use the - Work (including but not limited to damages for loss of goodwill, - work stoppage, computer failure or malfunction, or any and all - other commercial damages or losses), even if such Contributor - has been advised of the possibility of such damages. - - 9. Accepting Warranty or Additional Liability. While redistributing - the Work or Derivative Works thereof, You may choose to offer, - and charge a fee for, acceptance of support, warranty, indemnity, - or other liability obligations and/or rights consistent with this - License. However, in accepting such obligations, You may act only - on Your own behalf and on Your sole responsibility, not on behalf - of any other Contributor, and only if You agree to indemnify, - defend, and hold each Contributor harmless for any liability - incurred by, or claims asserted against, such Contributor by reason - of your accepting any such warranty or additional liability. - - END OF TERMS AND CONDITIONS - - APPENDIX: How to apply the Apache License to your work. - - To apply the Apache License to your work, attach the following - boilerplate notice, with the fields enclosed by brackets "{}" - replaced with your own identifying information. (Don't include - the brackets!) The text should be enclosed in the appropriate - comment syntax for the file format. We also recommend that a - file or class name and description of purpose be included on the - same "printed page" as the copyright notice for easier - identification within third-party archives. - - Copyright {yyyy} {name of copyright owner} - - Licensed under the Apache License, Version 2.0 (the "License"); - you may not use this file except in compliance with the License. - You may obtain a copy of the License at - - http://www.apache.org/licenses/LICENSE-2.0 - - Unless required by applicable law or agreed to in writing, software - distributed under the License is distributed on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - See the License for the specific language governing permissions and - limitations under the License. - Generated by CocoaPods - https://cocoapods.org diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist index 289edb2592c2..7acbad1eabbf 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist @@ -12,242 +12,6 @@ Type PSGroupSpecifier - - FooterText - Copyright (c) 2014-2016 Alamofire Software Foundation (http://alamofire.org/) - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. - - Title - Alamofire - Type - PSGroupSpecifier - - - FooterText - Apache License - Version 2.0, January 2004 - http://www.apache.org/licenses/ - - TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION - - 1. Definitions. - - "License" shall mean the terms and conditions for use, reproduction, - and distribution as defined by Sections 1 through 9 of this document. - - "Licensor" shall mean the copyright owner or entity authorized by - the copyright owner that is granting the License. - - "Legal Entity" shall mean the union of the acting entity and all - other entities that control, are controlled by, or are under common - control with that entity. For the purposes of this definition, - "control" means (i) the power, direct or indirect, to cause the - direction or management of such entity, whether by contract or - otherwise, or (ii) ownership of fifty percent (50%) or more of the - outstanding shares, or (iii) beneficial ownership of such entity. - - "You" (or "Your") shall mean an individual or Legal Entity - exercising permissions granted by this License. - - "Source" form shall mean the preferred form for making modifications, - including but not limited to software source code, documentation - source, and configuration files. - - "Object" form shall mean any form resulting from mechanical - transformation or translation of a Source form, including but - not limited to compiled object code, generated documentation, - and conversions to other media types. - - "Work" shall mean the work of authorship, whether in Source or - Object form, made available under the License, as indicated by a - copyright notice that is included in or attached to the work - (an example is provided in the Appendix below). - - "Derivative Works" shall mean any work, whether in Source or Object - form, that is based on (or derived from) the Work and for which the - editorial revisions, annotations, elaborations, or other modifications - represent, as a whole, an original work of authorship. For the purposes - of this License, Derivative Works shall not include works that remain - separable from, or merely link (or bind by name) to the interfaces of, - the Work and Derivative Works thereof. - - "Contribution" shall mean any work of authorship, including - the original version of the Work and any modifications or additions - to that Work or Derivative Works thereof, that is intentionally - submitted to Licensor for inclusion in the Work by the copyright owner - or by an individual or Legal Entity authorized to submit on behalf of - the copyright owner. For the purposes of this definition, "submitted" - means any form of electronic, verbal, or written communication sent - to the Licensor or its representatives, including but not limited to - communication on electronic mailing lists, source code control systems, - and issue tracking systems that are managed by, or on behalf of, the - Licensor for the purpose of discussing and improving the Work, but - excluding communication that is conspicuously marked or otherwise - designated in writing by the copyright owner as "Not a Contribution." - - "Contributor" shall mean Licensor and any individual or Legal Entity - on behalf of whom a Contribution has been received by Licensor and - subsequently incorporated within the Work. - - 2. Grant of Copyright License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - copyright license to reproduce, prepare Derivative Works of, - publicly display, publicly perform, sublicense, and distribute the - Work and such Derivative Works in Source or Object form. - - 3. Grant of Patent License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - (except as stated in this section) patent license to make, have made, - use, offer to sell, sell, import, and otherwise transfer the Work, - where such license applies only to those patent claims licensable - by such Contributor that are necessarily infringed by their - Contribution(s) alone or by combination of their Contribution(s) - with the Work to which such Contribution(s) was submitted. If You - institute patent litigation against any entity (including a - cross-claim or counterclaim in a lawsuit) alleging that the Work - or a Contribution incorporated within the Work constitutes direct - or contributory patent infringement, then any patent licenses - granted to You under this License for that Work shall terminate - as of the date such litigation is filed. - - 4. Redistribution. You may reproduce and distribute copies of the - Work or Derivative Works thereof in any medium, with or without - modifications, and in Source or Object form, provided that You - meet the following conditions: - - (a) You must give any other recipients of the Work or - Derivative Works a copy of this License; and - - (b) You must cause any modified files to carry prominent notices - stating that You changed the files; and - - (c) You must retain, in the Source form of any Derivative Works - that You distribute, all copyright, patent, trademark, and - attribution notices from the Source form of the Work, - excluding those notices that do not pertain to any part of - the Derivative Works; and - - (d) If the Work includes a "NOTICE" text file as part of its - distribution, then any Derivative Works that You distribute must - include a readable copy of the attribution notices contained - within such NOTICE file, excluding those notices that do not - pertain to any part of the Derivative Works, in at least one - of the following places: within a NOTICE text file distributed - as part of the Derivative Works; within the Source form or - documentation, if provided along with the Derivative Works; or, - within a display generated by the Derivative Works, if and - wherever such third-party notices normally appear. The contents - of the NOTICE file are for informational purposes only and - do not modify the License. You may add Your own attribution - notices within Derivative Works that You distribute, alongside - or as an addendum to the NOTICE text from the Work, provided - that such additional attribution notices cannot be construed - as modifying the License. - - You may add Your own copyright statement to Your modifications and - may provide additional or different license terms and conditions - for use, reproduction, or distribution of Your modifications, or - for any such Derivative Works as a whole, provided Your use, - reproduction, and distribution of the Work otherwise complies with - the conditions stated in this License. - - 5. Submission of Contributions. Unless You explicitly state otherwise, - any Contribution intentionally submitted for inclusion in the Work - by You to the Licensor shall be under the terms and conditions of - this License, without any additional terms or conditions. - Notwithstanding the above, nothing herein shall supersede or modify - the terms of any separate license agreement you may have executed - with Licensor regarding such Contributions. - - 6. Trademarks. This License does not grant permission to use the trade - names, trademarks, service marks, or product names of the Licensor, - except as required for reasonable and customary use in describing the - origin of the Work and reproducing the content of the NOTICE file. - - 7. Disclaimer of Warranty. Unless required by applicable law or - agreed to in writing, Licensor provides the Work (and each - Contributor provides its Contributions) on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or - implied, including, without limitation, any warranties or conditions - of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A - PARTICULAR PURPOSE. You are solely responsible for determining the - appropriateness of using or redistributing the Work and assume any - risks associated with Your exercise of permissions under this License. - - 8. Limitation of Liability. In no event and under no legal theory, - whether in tort (including negligence), contract, or otherwise, - unless required by applicable law (such as deliberate and grossly - negligent acts) or agreed to in writing, shall any Contributor be - liable to You for damages, including any direct, indirect, special, - incidental, or consequential damages of any character arising as a - result of this License or out of the use or inability to use the - Work (including but not limited to damages for loss of goodwill, - work stoppage, computer failure or malfunction, or any and all - other commercial damages or losses), even if such Contributor - has been advised of the possibility of such damages. - - 9. Accepting Warranty or Additional Liability. While redistributing - the Work or Derivative Works thereof, You may choose to offer, - and charge a fee for, acceptance of support, warranty, indemnity, - or other liability obligations and/or rights consistent with this - License. However, in accepting such obligations, You may act only - on Your own behalf and on Your sole responsibility, not on behalf - of any other Contributor, and only if You agree to indemnify, - defend, and hold each Contributor harmless for any liability - incurred by, or claims asserted against, such Contributor by reason - of your accepting any such warranty or additional liability. - - END OF TERMS AND CONDITIONS - - APPENDIX: How to apply the Apache License to your work. - - To apply the Apache License to your work, attach the following - boilerplate notice, with the fields enclosed by brackets "{}" - replaced with your own identifying information. (Don't include - the brackets!) The text should be enclosed in the appropriate - comment syntax for the file format. We also recommend that a - file or class name and description of purpose be included on the - same "printed page" as the copyright notice for easier - identification within third-party archives. - - Copyright {yyyy} {name of copyright owner} - - Licensed under the Apache License, Version 2.0 (the "License"); - you may not use this file except in compliance with the License. - You may obtain a copy of the License at - - http://www.apache.org/licenses/LICENSE-2.0 - - Unless required by applicable law or agreed to in writing, software - distributed under the License is distributed on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - See the License for the specific language governing permissions and - limitations under the License. - - Title - PetstoreClient - Type - PSGroupSpecifier - FooterText Generated by CocoaPods - https://cocoapods.org diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh index 0a1561528cb9..25e9d37757fc 100755 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh @@ -23,12 +23,6 @@ case "${TARGETED_DEVICE_FAMILY}" in ;; esac -realpath() { - DIRECTORY="$(cd "${1%/*}" && pwd)" - FILENAME="${1##*/}" - echo "$DIRECTORY/$FILENAME" -} - install_resource() { if [[ "$1" = /* ]] ; then @@ -70,7 +64,7 @@ EOM xcrun mapc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcmappingmodel`.cdm" ;; *.xcassets) - ABSOLUTE_XCASSET_FILE=$(realpath "$RESOURCE_PATH") + ABSOLUTE_XCASSET_FILE="$RESOURCE_PATH" XCASSET_FILES+=("$ABSOLUTE_XCASSET_FILE") ;; *) @@ -93,7 +87,7 @@ then # Find all other xcassets (this unfortunately includes those of path pods and other targets). OTHER_XCASSETS=$(find "$PWD" -iname "*.xcassets" -type d) while read line; do - if [[ $line != "`realpath $PODS_ROOT`*" ]]; then + if [[ $line != "${PODS_ROOT}*" ]]; then XCASSET_FILES+=("$line") fi done <<<"$OTHER_XCASSETS" diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h index b68fbb9611fa..2bdb03cd9399 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double Pods_SwaggerClientVersionNumber; diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig index 405ae0ee99e6..a5ecec32a874 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = YES EMBEDDED_CONTENT_CONTAINS_SWIFT = YES FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig index 405ae0ee99e6..a5ecec32a874 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = YES EMBEDDED_CONTENT_CONTAINS_SWIFT = YES FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh index 0a1561528cb9..25e9d37757fc 100755 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh @@ -23,12 +23,6 @@ case "${TARGETED_DEVICE_FAMILY}" in ;; esac -realpath() { - DIRECTORY="$(cd "${1%/*}" && pwd)" - FILENAME="${1##*/}" - echo "$DIRECTORY/$FILENAME" -} - install_resource() { if [[ "$1" = /* ]] ; then @@ -70,7 +64,7 @@ EOM xcrun mapc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcmappingmodel`.cdm" ;; *.xcassets) - ABSOLUTE_XCASSET_FILE=$(realpath "$RESOURCE_PATH") + ABSOLUTE_XCASSET_FILE="$RESOURCE_PATH" XCASSET_FILES+=("$ABSOLUTE_XCASSET_FILE") ;; *) @@ -93,7 +87,7 @@ then # Find all other xcassets (this unfortunately includes those of path pods and other targets). OTHER_XCASSETS=$(find "$PWD" -iname "*.xcassets" -type d) while read line; do - if [[ $line != "`realpath $PODS_ROOT`*" ]]; then + if [[ $line != "${PODS_ROOT}*" ]]; then XCASSET_FILES+=("$line") fi done <<<"$OTHER_XCASSETS" diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h index fb4cae0c0fdc..950bb19ca7a1 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double Pods_SwaggerClientTestsVersionNumber; diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig index 4078df842f87..d578539810af 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 LD_RUNPATH_SEARCH_PATHS = $(inherited) '@executable_path/Frameworks' '@loader_path/Frameworks' diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig index 4078df842f87..d578539810af 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 LD_RUNPATH_SEARCH_PATHS = $(inherited) '@executable_path/Frameworks' '@loader_path/Frameworks' diff --git a/samples/client/petstore/swift3/default/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj b/samples/client/petstore/swift3/default/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj index f7bc432e607c..2728b93f24d5 100644 --- a/samples/client/petstore/swift3/default/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj +++ b/samples/client/petstore/swift3/default/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj @@ -379,7 +379,7 @@ ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; - shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [[ $? != 0 ]] ; then\n cat << EOM\nerror: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\nEOM\n exit 1\nfi\n"; + shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n"; showEnvVarsInLog = 0; }; CF310079E3CB0BE5BE604471 /* [CP] Check Pods Manifest.lock */ = { @@ -394,7 +394,7 @@ ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; - shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [[ $? != 0 ]] ; then\n cat << EOM\nerror: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\nEOM\n exit 1\nfi\n"; + shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n"; showEnvVarsInLog = 0; }; ECE47F6BF90C3848F6E94AFF /* 📦 Embed Pods Frameworks */ = { diff --git a/samples/client/petstore/swift3/promisekit/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift b/samples/client/petstore/swift3/promisekit/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift index d0c9e24bd5d5..d8e2004302d3 100644 --- a/samples/client/petstore/swift3/promisekit/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift +++ b/samples/client/petstore/swift3/promisekit/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift @@ -92,7 +92,7 @@ open class AlamofireRequestBuilder: RequestBuilder { } self.processRequest(request: upload, managerId, completion) case .failure(let encodingError): - completion(nil, ErrorResponse(statusCode: 415, data: nil, error: encodingError)) + completion(nil, ErrorResponse.HttpError(statusCode: 415, data: nil, error: encodingError)) } }) } else { @@ -124,7 +124,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if stringResponse.result.isFailure { completion( nil, - ErrorResponse(statusCode: stringResponse.response?.statusCode ?? 500, data: stringResponse.data, error: stringResponse.result.error as Error!) + ErrorResponse.HttpError(statusCode: stringResponse.response?.statusCode ?? 500, data: stringResponse.data, error: stringResponse.result.error as Error!) ) return } @@ -144,7 +144,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if voidResponse.result.isFailure { completion( nil, - ErrorResponse(statusCode: voidResponse.response?.statusCode ?? 500, data: voidResponse.data, error: voidResponse.result.error!) + ErrorResponse.HttpError(statusCode: voidResponse.response?.statusCode ?? 500, data: voidResponse.data, error: voidResponse.result.error!) ) return } @@ -163,7 +163,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if (dataResponse.result.isFailure) { completion( nil, - ErrorResponse(statusCode: dataResponse.response?.statusCode ?? 500, data: dataResponse.data, error: dataResponse.result.error!) + ErrorResponse.HttpError(statusCode: dataResponse.response?.statusCode ?? 500, data: dataResponse.data, error: dataResponse.result.error!) ) return } @@ -181,7 +181,7 @@ open class AlamofireRequestBuilder: RequestBuilder { cleanupRequest() if response.result.isFailure { - completion(nil, ErrorResponse(statusCode: response.response?.statusCode ?? 500, data: response.data, error: response.result.error!)) + completion(nil, ErrorResponse.HttpError(statusCode: response.response?.statusCode ?? 500, data: response.data, error: response.result.error!)) return } @@ -197,8 +197,11 @@ open class AlamofireRequestBuilder: RequestBuilder { return } if let json: Any = response.result.value { - let body = Decoders.decode(clazz: T.self, source: json as AnyObject) - completion(Response(response: response.response!, body: body), nil) + let decoded = Decoders.decode(clazz: T.self, source: json as AnyObject) + switch decoded { + case let .success(object): completion(Response(response: response.response!, body: object), nil) + case let .failure(error): completion(nil, ErrorResponse.DecodeError(response: response.data, decodeError: error)) + } return } else if "" is T { // swagger-parser currently doesn't support void, which will be fixed in future swagger-parser release @@ -207,7 +210,7 @@ open class AlamofireRequestBuilder: RequestBuilder { return } - completion(nil, ErrorResponse(statusCode: 500, data: nil, error: NSError(domain: "localhost", code: 500, userInfo: ["reason": "unreacheable code"]))) + completion(nil, ErrorResponse.HttpError(statusCode: 500, data: nil, error: NSError(domain: "localhost", code: 500, userInfo: ["reason": "unreacheable code"]))) } } } diff --git a/samples/client/petstore/swift3/promisekit/PetstoreClient/Classes/Swaggers/Models.swift b/samples/client/petstore/swift3/promisekit/PetstoreClient/Classes/Swaggers/Models.swift index 4d66c81be2f3..559a2e8a5e17 100644 --- a/samples/client/petstore/swift3/promisekit/PetstoreClient/Classes/Swaggers/Models.swift +++ b/samples/client/petstore/swift3/promisekit/PetstoreClient/Classes/Swaggers/Models.swift @@ -10,10 +10,9 @@ protocol JSONEncodable { func encodeToJSON() -> Any } -public struct ErrorResponse : Error { - public let statusCode: Int - public let data: Data? - public let error: Error +public enum ErrorResponse : Error { + case HttpError(statusCode: Int, data: Data?, error: Error) + case DecodeError(response: Data?, decodeError: DecodeError) } open class Response { @@ -37,90 +36,182 @@ open class Response { } } +public enum Decoded { + case success(ValueType) + case failure(DecodeError) +} + +public extension Decoded { + var value: ValueType? { + switch self { + case let .success(value): + return value + break + case .failure: + return nil + break + } + } +} + +public enum DecodeError { + case typeMismatch(expected: String, actual: String) + case missingKey(key: String) + case parseError(message: String) +} + private var once = Int() class Decoders { static fileprivate var decoders = Dictionary AnyObject)>() - static func addDecoder(clazz: T.Type, decoder: @escaping ((AnyObject) -> T)) { + + static func addDecoder(clazz: T.Type, decoder: @escaping ((AnyObject) -> Decoded)) { let key = "\(T.self)" decoders[key] = { decoder($0) as AnyObject } } - static func decode(clazz: T.Type, discriminator: String, source: AnyObject) -> T { + static func decode(clazz: T.Type, discriminator: String, source: AnyObject) -> Decoded { let key = discriminator; - if let decoder = decoders[key] { - return decoder(source) as! T + if let decoder = decoders[key], let value = decoder(source) as? Decoded { + return value } else { - fatalError("Source \(source) is not convertible to type \(clazz): Maybe swagger file is insufficient") + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } } - static func decode(clazz: [T].Type, source: AnyObject) -> [T] { - let array = source as! [AnyObject] - return array.map { Decoders.decode(clazz: T.self, source: $0) } - } - - static func decode(clazz: [Key:T].Type, source: AnyObject) -> [Key:T] { - let sourceDictionary = source as! [Key: AnyObject] - var dictionary = [Key:T]() - for (key, value) in sourceDictionary { - dictionary[key] = Decoders.decode(clazz: T.self, source: value) + static func decode(clazz: [T].Type, source: AnyObject) -> Decoded<[T]> { + if let sourceArray = source as? [AnyObject] { + var values = [T]() + for sourceValue in sourceArray { + switch Decoders.decode(clazz: T.self, source: sourceValue) { + case let .success(value): + values.append(value) + case let .failure(error): + return .failure(error) + break + } + } + return .success(values) + } else { + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } - return dictionary } - static func decode(clazz: T.Type, source: AnyObject) -> T { + static func decode(clazz: [Key:T].Type, source: AnyObject) -> Decoded<[Key:T]> { + if let sourceDictionary = source as? [Key: AnyObject] { + var dictionary = [Key:T]() + for (key, value) in sourceDictionary { + switch Decoders.decode(clazz: T.self, source: value) { + case let .success(value): + dictionary[key] = value + break + case let .failure(error): + return .failure(error) + } + } + return .success(dictionary) + } else { + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) + } + } + + static func decodeOptional(clazz: T.Type, source: AnyObject?) -> Decoded { + if let value = source as? T.RawValue { + if let enumValue = T.init(rawValue: value) { + return .success(enumValue) + } else { + return .failure(.typeMismatch(expected: "A value from the enumeration \(T.self)", actual: "\(value)")) + } + } else { + return .failure(.typeMismatch(expected: "\(T.RawValue.self) matching a case from the enumeration \(T.self)", actual: String(describing: type(of: source)))) + } + } + + static func decode(clazz: T.Type, source: AnyObject) -> Decoded { initialize() - if T.self is Int32.Type && source is NSNumber { - return source.int32Value as! T; + if let value = source.int32Value as? T, source is NSNumber, T.self is Int32.Type { + return .success(value) } - if T.self is Int64.Type && source is NSNumber { - return source.int64Value as! T; + if let value = source.int32Value as? T, source is NSNumber, T.self is Int64.Type { + return .success(value) } - if T.self is UUID.Type && source is String { - return UUID(uuidString: source as! String) as! T + if let intermediate = source as? String, let value = UUID(uuidString: intermediate) as? T, source is String, T.self is UUID.Type { + return .success(value) } - if source is T { - return source as! T + if let value = source as? T { + return .success(value) } - if T.self is Data.Type && source is String { - return Data(base64Encoded: source as! String) as! T + //The last two expressions in this condition must be unnecessary, but it would be good to test this. + if let intermediate = source as? String, let value = Data(base64Encoded: intermediate) as? T, T.self is Data.Type, source is String { + return .success(value) } let key = "\(T.self)" - if let decoder = decoders[key] { - return decoder(source) as! T + if let decoder = decoders[key], let value = decoder(source) as? Decoded { + return value } else { - fatalError("Source \(source) is not convertible to type \(clazz): Maybe swagger file is insufficient") + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } } - static func decodeOptional(clazz: T.Type, source: AnyObject?) -> T? { - if source is NSNull { - return nil - } - return source.map { (source: AnyObject) -> T in - Decoders.decode(clazz: clazz, source: source) + //Convert a Decoded so that its value is optional. DO WE STILL NEED THIS? + static func toOptional(decoded: Decoded) -> Decoded { + return .success(decoded.value) + } + + static func decodeOptional(clazz: T.Type, source: AnyObject?) -> Decoded { + if let source = source, !(source is NSNull) { + switch Decoders.decode(clazz: clazz, source: source) { + case let .success(value): return .success(value) + case let .failure(error): return .failure(error) + } + } else { + return .success(nil) } } - static func decodeOptional(clazz: [T].Type, source: AnyObject?) -> [T]? { - if source is NSNull { - return nil - } - return source.map { (someSource: AnyObject) -> [T] in - Decoders.decode(clazz: clazz, source: someSource) + static func decodeOptional(clazz: [T].Type, source: AnyObject?) -> Decoded<[T]?> { + if let source = source as? [AnyObject] { + var values = [T]() + for sourceValue in source { + switch Decoders.decode(clazz: T.self, source: sourceValue) { + case let .success(value): values.append(value) + case let .failure(error): return .failure(error) + } + } + return .success(values) + } else { + return .success(nil) } } - static func decodeOptional(clazz: [Key:T].Type, source: AnyObject?) -> [Key:T]? { - if source is NSNull { - return nil - } - return source.map { (someSource: AnyObject) -> [Key:T] in - Decoders.decode(clazz: clazz, source: someSource) + static func decodeOptional(clazz: [Key:T].Type, source: AnyObject?) -> Decoded<[Key:T]?> { + if let sourceDictionary = source as? [Key: AnyObject] { + var dictionary = [Key:T]() + for (key, value) in sourceDictionary { + switch Decoders.decode(clazz: T.self, source: value) { + case let .success(value): dictionary[key] = value + case let .failure(error): return .failure(error) + } + } + return .success(dictionary) + } else { + return .success(nil) } } + + static func decodeOptional(clazz: T, source: AnyObject) -> Decoded { + if let value = source as? U { + if let enumValue = T.init(rawValue: value) { + return .success(enumValue) + } else { + return .failure(.typeMismatch(expected: "A value from the enumeration \(T.self)", actual: "\(value)")) + } + } else { + return .failure(.typeMismatch(expected: "String", actual: String(describing: type(of: source)))) + } + } + private static var __once: () = { let formatters = [ @@ -136,541 +227,1055 @@ class Decoders { return formatter } // Decoder for Date - Decoders.addDecoder(clazz: Date.self) { (source: AnyObject) -> Date in + Decoders.addDecoder(clazz: Date.self) { (source: AnyObject) -> Decoded in if let sourceString = source as? String { for formatter in formatters { if let date = formatter.date(from: sourceString) { - return date + return .success(date) } } } - if let sourceInt = source as? Int64 { + if let sourceInt = source as? Int { // treat as a java date - return Date(timeIntervalSince1970: Double(sourceInt / 1000) ) + return .success(Date(timeIntervalSince1970: Double(sourceInt / 1000) )) + } + if source is String || source is Int { + return .failure(.parseError(message: "Could not decode date")) + } else { + return .failure(.typeMismatch(expected: "String or Int", actual: "\(source)")) } - fatalError("formatter failed to parse \(source)") } - + // Decoder for ISOFullDate - Decoders.addDecoder(clazz: ISOFullDate.self) { (source: AnyObject) -> ISOFullDate in + Decoders.addDecoder(clazz: ISOFullDate.self) { (source: AnyObject) -> Decoded in if let string = source as? String, let isoDate = ISOFullDate.from(string: string) { - return isoDate + return .success(isoDate) + } else { + return .failure(.typeMismatch(expected: "ISO date", actual: "\(source)")) } - fatalError("formatter failed to parse \(source)") } // Decoder for [AdditionalPropertiesClass] - Decoders.addDecoder(clazz: [AdditionalPropertiesClass].self) { (source: AnyObject) -> [AdditionalPropertiesClass] in + Decoders.addDecoder(clazz: [AdditionalPropertiesClass].self) { (source: AnyObject) -> Decoded<[AdditionalPropertiesClass]> in return Decoders.decode(clazz: [AdditionalPropertiesClass].self, source: source) } // Decoder for AdditionalPropertiesClass - Decoders.addDecoder(clazz: AdditionalPropertiesClass.self) { (source: AnyObject) -> AdditionalPropertiesClass in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: AdditionalPropertiesClass.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = AdditionalPropertiesClass() - instance.mapProperty = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map_property"] as AnyObject?) - instance.mapOfMapProperty = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map_of_map_property"] as AnyObject?) - return instance + let instance = AdditionalPropertiesClass() + switch Decoders.decodeOptional(clazz: [String:String].self, source: sourceDictionary["map_property"] as AnyObject?) { + + case let .success(value): instance.mapProperty = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [String:[String:String]].self, source: sourceDictionary["map_of_map_property"] as AnyObject?) { + + case let .success(value): instance.mapOfMapProperty = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "AdditionalPropertiesClass", actual: "\(source)")) + } } // Decoder for [Animal] - Decoders.addDecoder(clazz: [Animal].self) { (source: AnyObject) -> [Animal] in + Decoders.addDecoder(clazz: [Animal].self) { (source: AnyObject) -> Decoded<[Animal]> in return Decoders.decode(clazz: [Animal].self, source: source) } // Decoder for Animal - Decoders.addDecoder(clazz: Animal.self) { (source: AnyObject) -> Animal in - let sourceDictionary = source as! [AnyHashable: Any] - // Check discriminator to support inheritance - if let discriminator = sourceDictionary["className"] as? String, discriminator != "Animal"{ - return Decoders.decode(clazz: Animal.self, discriminator: discriminator, source: source) + Decoders.addDecoder(clazz: Animal.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { + // Check discriminator to support inheritance + if let discriminator = sourceDictionary["className"] as? String, discriminator != "Animal"{ + return Decoders.decode(clazz: Animal.self, discriminator: discriminator, source: source) + } + + let instance = Animal() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) { + + case let .success(value): instance.className = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) { + + case let .success(value): instance.color = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Animal", actual: "\(source)")) } - - let instance = Animal() - instance.className = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) - instance.color = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) - return instance } - // Decoder for [AnimalFarm] - Decoders.addDecoder(clazz: [AnimalFarm].self) { (source: AnyObject) -> [AnimalFarm] in - return Decoders.decode(clazz: [AnimalFarm].self, source: source) - } - // Decoder for AnimalFarm - Decoders.addDecoder(clazz: AnimalFarm.self) { (source: AnyObject) -> AnimalFarm in - let sourceArray = source as! [AnyObject] - return sourceArray.map({ Decoders.decode(clazz: Animal.self, source: $0) }) - } + // Decoder for [ApiResponse] - Decoders.addDecoder(clazz: [ApiResponse].self) { (source: AnyObject) -> [ApiResponse] in + Decoders.addDecoder(clazz: [ApiResponse].self) { (source: AnyObject) -> Decoded<[ApiResponse]> in return Decoders.decode(clazz: [ApiResponse].self, source: source) } // Decoder for ApiResponse - Decoders.addDecoder(clazz: ApiResponse.self) { (source: AnyObject) -> ApiResponse in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ApiResponse.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ApiResponse() - instance.code = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["code"] as AnyObject?) - instance.type = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["type"] as AnyObject?) - instance.message = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["message"] as AnyObject?) - return instance + let instance = ApiResponse() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["code"] as AnyObject?) { + + case let .success(value): instance.code = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["type"] as AnyObject?) { + + case let .success(value): instance.type = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["message"] as AnyObject?) { + + case let .success(value): instance.message = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ApiResponse", actual: "\(source)")) + } } // Decoder for [ArrayOfArrayOfNumberOnly] - Decoders.addDecoder(clazz: [ArrayOfArrayOfNumberOnly].self) { (source: AnyObject) -> [ArrayOfArrayOfNumberOnly] in + Decoders.addDecoder(clazz: [ArrayOfArrayOfNumberOnly].self) { (source: AnyObject) -> Decoded<[ArrayOfArrayOfNumberOnly]> in return Decoders.decode(clazz: [ArrayOfArrayOfNumberOnly].self, source: source) } // Decoder for ArrayOfArrayOfNumberOnly - Decoders.addDecoder(clazz: ArrayOfArrayOfNumberOnly.self) { (source: AnyObject) -> ArrayOfArrayOfNumberOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ArrayOfArrayOfNumberOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ArrayOfArrayOfNumberOnly() - instance.arrayArrayNumber = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["ArrayArrayNumber"] as AnyObject?) - return instance + let instance = ArrayOfArrayOfNumberOnly() + switch Decoders.decodeOptional(clazz: [[Double]].self, source: sourceDictionary["ArrayArrayNumber"] as AnyObject?) { + + case let .success(value): instance.arrayArrayNumber = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ArrayOfArrayOfNumberOnly", actual: "\(source)")) + } } // Decoder for [ArrayOfNumberOnly] - Decoders.addDecoder(clazz: [ArrayOfNumberOnly].self) { (source: AnyObject) -> [ArrayOfNumberOnly] in + Decoders.addDecoder(clazz: [ArrayOfNumberOnly].self) { (source: AnyObject) -> Decoded<[ArrayOfNumberOnly]> in return Decoders.decode(clazz: [ArrayOfNumberOnly].self, source: source) } // Decoder for ArrayOfNumberOnly - Decoders.addDecoder(clazz: ArrayOfNumberOnly.self) { (source: AnyObject) -> ArrayOfNumberOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ArrayOfNumberOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ArrayOfNumberOnly() - instance.arrayNumber = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["ArrayNumber"] as AnyObject?) - return instance + let instance = ArrayOfNumberOnly() + switch Decoders.decodeOptional(clazz: [Double].self, source: sourceDictionary["ArrayNumber"] as AnyObject?) { + + case let .success(value): instance.arrayNumber = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ArrayOfNumberOnly", actual: "\(source)")) + } } // Decoder for [ArrayTest] - Decoders.addDecoder(clazz: [ArrayTest].self) { (source: AnyObject) -> [ArrayTest] in + Decoders.addDecoder(clazz: [ArrayTest].self) { (source: AnyObject) -> Decoded<[ArrayTest]> in return Decoders.decode(clazz: [ArrayTest].self, source: source) } // Decoder for ArrayTest - Decoders.addDecoder(clazz: ArrayTest.self) { (source: AnyObject) -> ArrayTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ArrayTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ArrayTest() - instance.arrayOfString = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_of_string"] as AnyObject?) - instance.arrayArrayOfInteger = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_array_of_integer"] as AnyObject?) - instance.arrayArrayOfModel = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_array_of_model"] as AnyObject?) - return instance + let instance = ArrayTest() + switch Decoders.decodeOptional(clazz: [String].self, source: sourceDictionary["array_of_string"] as AnyObject?) { + + case let .success(value): instance.arrayOfString = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [[Int64]].self, source: sourceDictionary["array_array_of_integer"] as AnyObject?) { + + case let .success(value): instance.arrayArrayOfInteger = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [[ReadOnlyFirst]].self, source: sourceDictionary["array_array_of_model"] as AnyObject?) { + + case let .success(value): instance.arrayArrayOfModel = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ArrayTest", actual: "\(source)")) + } } // Decoder for [Cat] - Decoders.addDecoder(clazz: [Cat].self) { (source: AnyObject) -> [Cat] in + Decoders.addDecoder(clazz: [Cat].self) { (source: AnyObject) -> Decoded<[Cat]> in return Decoders.decode(clazz: [Cat].self, source: source) } // Decoder for Cat - Decoders.addDecoder(clazz: Cat.self) { (source: AnyObject) -> Cat in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Cat.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Cat() - instance.className = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) - instance.color = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) - instance.declawed = Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["declawed"] as AnyObject?) - return instance + let instance = Cat() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) { + + case let .success(value): instance.className = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) { + + case let .success(value): instance.color = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["declawed"] as AnyObject?) { + + case let .success(value): instance.declawed = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Cat", actual: "\(source)")) + } } // Decoder for [Category] - Decoders.addDecoder(clazz: [Category].self) { (source: AnyObject) -> [Category] in + Decoders.addDecoder(clazz: [Category].self) { (source: AnyObject) -> Decoded<[Category]> in return Decoders.decode(clazz: [Category].self, source: source) } // Decoder for Category - Decoders.addDecoder(clazz: Category.self) { (source: AnyObject) -> Category in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Category.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Category() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.name = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) - return instance + let instance = Category() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Category", actual: "\(source)")) + } } // Decoder for [ClassModel] - Decoders.addDecoder(clazz: [ClassModel].self) { (source: AnyObject) -> [ClassModel] in + Decoders.addDecoder(clazz: [ClassModel].self) { (source: AnyObject) -> Decoded<[ClassModel]> in return Decoders.decode(clazz: [ClassModel].self, source: source) } // Decoder for ClassModel - Decoders.addDecoder(clazz: ClassModel.self) { (source: AnyObject) -> ClassModel in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ClassModel.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ClassModel() - instance._class = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["_class"] as AnyObject?) - return instance + let instance = ClassModel() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["_class"] as AnyObject?) { + + case let .success(value): instance._class = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ClassModel", actual: "\(source)")) + } } // Decoder for [Client] - Decoders.addDecoder(clazz: [Client].self) { (source: AnyObject) -> [Client] in + Decoders.addDecoder(clazz: [Client].self) { (source: AnyObject) -> Decoded<[Client]> in return Decoders.decode(clazz: [Client].self, source: source) } // Decoder for Client - Decoders.addDecoder(clazz: Client.self) { (source: AnyObject) -> Client in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Client.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Client() - instance.client = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["client"] as AnyObject?) - return instance + let instance = Client() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["client"] as AnyObject?) { + + case let .success(value): instance.client = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Client", actual: "\(source)")) + } } // Decoder for [Dog] - Decoders.addDecoder(clazz: [Dog].self) { (source: AnyObject) -> [Dog] in + Decoders.addDecoder(clazz: [Dog].self) { (source: AnyObject) -> Decoded<[Dog]> in return Decoders.decode(clazz: [Dog].self, source: source) } // Decoder for Dog - Decoders.addDecoder(clazz: Dog.self) { (source: AnyObject) -> Dog in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Dog.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Dog() - instance.className = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) - instance.color = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) - instance.breed = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["breed"] as AnyObject?) - return instance + let instance = Dog() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) { + + case let .success(value): instance.className = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) { + + case let .success(value): instance.color = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["breed"] as AnyObject?) { + + case let .success(value): instance.breed = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Dog", actual: "\(source)")) + } } // Decoder for [EnumArrays] - Decoders.addDecoder(clazz: [EnumArrays].self) { (source: AnyObject) -> [EnumArrays] in + Decoders.addDecoder(clazz: [EnumArrays].self) { (source: AnyObject) -> Decoded<[EnumArrays]> in return Decoders.decode(clazz: [EnumArrays].self, source: source) } // Decoder for EnumArrays - Decoders.addDecoder(clazz: EnumArrays.self) { (source: AnyObject) -> EnumArrays in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: EnumArrays.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = EnumArrays() - if let justSymbol = sourceDictionary["just_symbol"] as? String { - instance.justSymbol = EnumArrays.JustSymbol(rawValue: (justSymbol)) + let instance = EnumArrays() + switch Decoders.decodeOptional(clazz: EnumArrays.JustSymbol.self, source: sourceDictionary["just_symbol"] as AnyObject?) { + + case let .success(value): instance.justSymbol = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_enum"] as AnyObject?) { + + case let .success(value): instance.arrayEnum = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "EnumArrays", actual: "\(source)")) } - - if let arrayEnum = sourceDictionary["array_enum"] as? [String] { - instance.arrayEnum = arrayEnum.map ({ EnumArrays.ArrayEnum(rawValue: $0)! }) - } - - return instance } // Decoder for [EnumClass] - Decoders.addDecoder(clazz: [EnumClass].self) { (source: AnyObject) -> [EnumClass] in + Decoders.addDecoder(clazz: [EnumClass].self) { (source: AnyObject) -> Decoded<[EnumClass]> in return Decoders.decode(clazz: [EnumClass].self, source: source) } // Decoder for EnumClass - Decoders.addDecoder(clazz: EnumClass.self) { (source: AnyObject) -> EnumClass in - if let source = source as? String { - if let result = EnumClass(rawValue: source) { - return result - } - } - fatalError("Source \(source) is not convertible to enum type EnumClass: Maybe swagger file is insufficient") + Decoders.addDecoder(clazz: EnumClass.self) { (source: AnyObject) -> Decoded in + //TODO: I don't think we need this anymore + return Decoders.decode(clazz: EnumClass.self, source: source) } // Decoder for [EnumTest] - Decoders.addDecoder(clazz: [EnumTest].self) { (source: AnyObject) -> [EnumTest] in + Decoders.addDecoder(clazz: [EnumTest].self) { (source: AnyObject) -> Decoded<[EnumTest]> in return Decoders.decode(clazz: [EnumTest].self, source: source) } // Decoder for EnumTest - Decoders.addDecoder(clazz: EnumTest.self) { (source: AnyObject) -> EnumTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: EnumTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = EnumTest() - if let enumString = sourceDictionary["enum_string"] as? String { - instance.enumString = EnumTest.EnumString(rawValue: (enumString)) + let instance = EnumTest() + switch Decoders.decodeOptional(clazz: EnumTest.EnumString.self, source: sourceDictionary["enum_string"] as AnyObject?) { + + case let .success(value): instance.enumString = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: EnumTest.EnumInteger.self, source: sourceDictionary["enum_integer"] as AnyObject?) { + + case let .success(value): instance.enumInteger = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: EnumTest.EnumNumber.self, source: sourceDictionary["enum_number"] as AnyObject?) { + + case let .success(value): instance.enumNumber = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: OuterEnum.self, source: sourceDictionary["outerEnum"] as AnyObject?) { + + case let .success(value): instance.outerEnum = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "EnumTest", actual: "\(source)")) } - - if let enumInteger = sourceDictionary["enum_integer"] as? Int32 { - instance.enumInteger = EnumTest.EnumInteger(rawValue: (enumInteger)) - } - - if let enumNumber = sourceDictionary["enum_number"] as? Double { - instance.enumNumber = EnumTest.EnumNumber(rawValue: (enumNumber)) - } - - instance.outerEnum = Decoders.decodeOptional(clazz: OuterEnum.self, source: sourceDictionary["outerEnum"] as AnyObject?) - return instance } // Decoder for [FormatTest] - Decoders.addDecoder(clazz: [FormatTest].self) { (source: AnyObject) -> [FormatTest] in + Decoders.addDecoder(clazz: [FormatTest].self) { (source: AnyObject) -> Decoded<[FormatTest]> in return Decoders.decode(clazz: [FormatTest].self, source: source) } // Decoder for FormatTest - Decoders.addDecoder(clazz: FormatTest.self) { (source: AnyObject) -> FormatTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: FormatTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = FormatTest() - instance.integer = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["integer"] as AnyObject?) - instance.int32 = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["int32"] as AnyObject?) - instance.int64 = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["int64"] as AnyObject?) - instance.number = Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["number"] as AnyObject?) - instance.float = Decoders.decodeOptional(clazz: Float.self, source: sourceDictionary["float"] as AnyObject?) - instance.double = Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["double"] as AnyObject?) - instance.string = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["string"] as AnyObject?) - instance.byte = Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["byte"] as AnyObject?) - instance.binary = Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["binary"] as AnyObject?) - instance.date = Decoders.decodeOptional(clazz: ISOFullDate.self, source: sourceDictionary["date"] as AnyObject?) - instance.dateTime = Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) - instance.uuid = Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) - instance.password = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) - return instance + let instance = FormatTest() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["integer"] as AnyObject?) { + + case let .success(value): instance.integer = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["int32"] as AnyObject?) { + + case let .success(value): instance.int32 = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["int64"] as AnyObject?) { + + case let .success(value): instance.int64 = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["number"] as AnyObject?) { + + case let .success(value): instance.number = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Float.self, source: sourceDictionary["float"] as AnyObject?) { + + case let .success(value): instance.float = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["double"] as AnyObject?) { + + case let .success(value): instance.double = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["string"] as AnyObject?) { + + case let .success(value): instance.string = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["byte"] as AnyObject?) { + + case let .success(value): instance.byte = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["binary"] as AnyObject?) { + + case let .success(value): instance.binary = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: ISOFullDate.self, source: sourceDictionary["date"] as AnyObject?) { + + case let .success(value): instance.date = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) { + + case let .success(value): instance.dateTime = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) { + + case let .success(value): instance.uuid = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) { + + case let .success(value): instance.password = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "FormatTest", actual: "\(source)")) + } } // Decoder for [HasOnlyReadOnly] - Decoders.addDecoder(clazz: [HasOnlyReadOnly].self) { (source: AnyObject) -> [HasOnlyReadOnly] in + Decoders.addDecoder(clazz: [HasOnlyReadOnly].self) { (source: AnyObject) -> Decoded<[HasOnlyReadOnly]> in return Decoders.decode(clazz: [HasOnlyReadOnly].self, source: source) } // Decoder for HasOnlyReadOnly - Decoders.addDecoder(clazz: HasOnlyReadOnly.self) { (source: AnyObject) -> HasOnlyReadOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: HasOnlyReadOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = HasOnlyReadOnly() - instance.bar = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) - instance.foo = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["foo"] as AnyObject?) - return instance + let instance = HasOnlyReadOnly() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) { + + case let .success(value): instance.bar = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["foo"] as AnyObject?) { + + case let .success(value): instance.foo = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "HasOnlyReadOnly", actual: "\(source)")) + } } // Decoder for [List] - Decoders.addDecoder(clazz: [List].self) { (source: AnyObject) -> [List] in + Decoders.addDecoder(clazz: [List].self) { (source: AnyObject) -> Decoded<[List]> in return Decoders.decode(clazz: [List].self, source: source) } // Decoder for List - Decoders.addDecoder(clazz: List.self) { (source: AnyObject) -> List in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: List.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = List() - instance._123List = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["123-list"] as AnyObject?) - return instance + let instance = List() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["123-list"] as AnyObject?) { + + case let .success(value): instance._123List = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "List", actual: "\(source)")) + } } // Decoder for [MapTest] - Decoders.addDecoder(clazz: [MapTest].self) { (source: AnyObject) -> [MapTest] in + Decoders.addDecoder(clazz: [MapTest].self) { (source: AnyObject) -> Decoded<[MapTest]> in return Decoders.decode(clazz: [MapTest].self, source: source) } // Decoder for MapTest - Decoders.addDecoder(clazz: MapTest.self) { (source: AnyObject) -> MapTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: MapTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = MapTest() - instance.mapMapOfString = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map_map_of_string"] as AnyObject?) - if let mapOfEnumString = sourceDictionary["map_of_enum_string"] as? [String:String] { //TODO: handle enum map scenario + let instance = MapTest() + switch Decoders.decodeOptional(clazz: [String:[String:String]].self, source: sourceDictionary["map_map_of_string"] as AnyObject?) { + + case let .success(value): instance.mapMapOfString = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: MapTest.MapOfEnumString.self, source: sourceDictionary["map_of_enum_string"] as AnyObject?) { + /* + case let .success(value): instance.mapOfEnumString = value + case let .failure(error): return .failure(error) + */ default: break //TODO: handle enum map scenario + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "MapTest", actual: "\(source)")) } - - return instance } // Decoder for [MixedPropertiesAndAdditionalPropertiesClass] - Decoders.addDecoder(clazz: [MixedPropertiesAndAdditionalPropertiesClass].self) { (source: AnyObject) -> [MixedPropertiesAndAdditionalPropertiesClass] in + Decoders.addDecoder(clazz: [MixedPropertiesAndAdditionalPropertiesClass].self) { (source: AnyObject) -> Decoded<[MixedPropertiesAndAdditionalPropertiesClass]> in return Decoders.decode(clazz: [MixedPropertiesAndAdditionalPropertiesClass].self, source: source) } // Decoder for MixedPropertiesAndAdditionalPropertiesClass - Decoders.addDecoder(clazz: MixedPropertiesAndAdditionalPropertiesClass.self) { (source: AnyObject) -> MixedPropertiesAndAdditionalPropertiesClass in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: MixedPropertiesAndAdditionalPropertiesClass.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = MixedPropertiesAndAdditionalPropertiesClass() - instance.uuid = Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) - instance.dateTime = Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) - instance.map = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map"] as AnyObject?) - return instance + let instance = MixedPropertiesAndAdditionalPropertiesClass() + switch Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) { + + case let .success(value): instance.uuid = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) { + + case let .success(value): instance.dateTime = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [String:Animal].self, source: sourceDictionary["map"] as AnyObject?) { + + case let .success(value): instance.map = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "MixedPropertiesAndAdditionalPropertiesClass", actual: "\(source)")) + } } // Decoder for [Model200Response] - Decoders.addDecoder(clazz: [Model200Response].self) { (source: AnyObject) -> [Model200Response] in + Decoders.addDecoder(clazz: [Model200Response].self) { (source: AnyObject) -> Decoded<[Model200Response]> in return Decoders.decode(clazz: [Model200Response].self, source: source) } // Decoder for Model200Response - Decoders.addDecoder(clazz: Model200Response.self) { (source: AnyObject) -> Model200Response in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Model200Response.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Model200Response() - instance.name = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) - instance._class = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["class"] as AnyObject?) - return instance + let instance = Model200Response() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["class"] as AnyObject?) { + + case let .success(value): instance._class = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Model200Response", actual: "\(source)")) + } } // Decoder for [Name] - Decoders.addDecoder(clazz: [Name].self) { (source: AnyObject) -> [Name] in + Decoders.addDecoder(clazz: [Name].self) { (source: AnyObject) -> Decoded<[Name]> in return Decoders.decode(clazz: [Name].self, source: source) } // Decoder for Name - Decoders.addDecoder(clazz: Name.self) { (source: AnyObject) -> Name in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Name.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Name() - instance.name = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) - instance.snakeCase = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["snake_case"] as AnyObject?) - instance.property = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["property"] as AnyObject?) - instance._123Number = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["123Number"] as AnyObject?) - return instance + let instance = Name() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["snake_case"] as AnyObject?) { + + case let .success(value): instance.snakeCase = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["property"] as AnyObject?) { + + case let .success(value): instance.property = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["123Number"] as AnyObject?) { + + case let .success(value): instance._123Number = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Name", actual: "\(source)")) + } } // Decoder for [NumberOnly] - Decoders.addDecoder(clazz: [NumberOnly].self) { (source: AnyObject) -> [NumberOnly] in + Decoders.addDecoder(clazz: [NumberOnly].self) { (source: AnyObject) -> Decoded<[NumberOnly]> in return Decoders.decode(clazz: [NumberOnly].self, source: source) } // Decoder for NumberOnly - Decoders.addDecoder(clazz: NumberOnly.self) { (source: AnyObject) -> NumberOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: NumberOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = NumberOnly() - instance.justNumber = Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["JustNumber"] as AnyObject?) - return instance + let instance = NumberOnly() + switch Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["JustNumber"] as AnyObject?) { + + case let .success(value): instance.justNumber = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "NumberOnly", actual: "\(source)")) + } } // Decoder for [Order] - Decoders.addDecoder(clazz: [Order].self) { (source: AnyObject) -> [Order] in + Decoders.addDecoder(clazz: [Order].self) { (source: AnyObject) -> Decoded<[Order]> in return Decoders.decode(clazz: [Order].self, source: source) } // Decoder for Order - Decoders.addDecoder(clazz: Order.self) { (source: AnyObject) -> Order in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Order.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Order() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.petId = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["petId"] as AnyObject?) - instance.quantity = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["quantity"] as AnyObject?) - instance.shipDate = Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["shipDate"] as AnyObject?) - if let status = sourceDictionary["status"] as? String { - instance.status = Order.Status(rawValue: (status)) + let instance = Order() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["petId"] as AnyObject?) { + + case let .success(value): instance.petId = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["quantity"] as AnyObject?) { + + case let .success(value): instance.quantity = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["shipDate"] as AnyObject?) { + + case let .success(value): instance.shipDate = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Order.Status.self, source: sourceDictionary["status"] as AnyObject?) { + + case let .success(value): instance.status = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["complete"] as AnyObject?) { + + case let .success(value): instance.complete = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Order", actual: "\(source)")) } - - instance.complete = Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["complete"] as AnyObject?) - return instance } // Decoder for [OuterEnum] - Decoders.addDecoder(clazz: [OuterEnum].self) { (source: AnyObject) -> [OuterEnum] in + Decoders.addDecoder(clazz: [OuterEnum].self) { (source: AnyObject) -> Decoded<[OuterEnum]> in return Decoders.decode(clazz: [OuterEnum].self, source: source) } // Decoder for OuterEnum - Decoders.addDecoder(clazz: OuterEnum.self) { (source: AnyObject) -> OuterEnum in - if let source = source as? String { - if let result = OuterEnum(rawValue: source) { - return result - } - } - fatalError("Source \(source) is not convertible to enum type OuterEnum: Maybe swagger file is insufficient") + Decoders.addDecoder(clazz: OuterEnum.self) { (source: AnyObject) -> Decoded in + //TODO: I don't think we need this anymore + return Decoders.decode(clazz: OuterEnum.self, source: source) } // Decoder for [Pet] - Decoders.addDecoder(clazz: [Pet].self) { (source: AnyObject) -> [Pet] in + Decoders.addDecoder(clazz: [Pet].self) { (source: AnyObject) -> Decoded<[Pet]> in return Decoders.decode(clazz: [Pet].self, source: source) } // Decoder for Pet - Decoders.addDecoder(clazz: Pet.self) { (source: AnyObject) -> Pet in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Pet.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Pet() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.category = Decoders.decodeOptional(clazz: Category.self, source: sourceDictionary["category"] as AnyObject?) - instance.name = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) - instance.photoUrls = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["photoUrls"] as AnyObject?) - instance.tags = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["tags"] as AnyObject?) - if let status = sourceDictionary["status"] as? String { - instance.status = Pet.Status(rawValue: (status)) + let instance = Pet() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Category.self, source: sourceDictionary["category"] as AnyObject?) { + + case let .success(value): instance.category = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [String].self, source: sourceDictionary["photoUrls"] as AnyObject?) { + + case let .success(value): instance.photoUrls = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [Tag].self, source: sourceDictionary["tags"] as AnyObject?) { + + case let .success(value): instance.tags = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Pet.Status.self, source: sourceDictionary["status"] as AnyObject?) { + + case let .success(value): instance.status = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Pet", actual: "\(source)")) } - - return instance } // Decoder for [ReadOnlyFirst] - Decoders.addDecoder(clazz: [ReadOnlyFirst].self) { (source: AnyObject) -> [ReadOnlyFirst] in + Decoders.addDecoder(clazz: [ReadOnlyFirst].self) { (source: AnyObject) -> Decoded<[ReadOnlyFirst]> in return Decoders.decode(clazz: [ReadOnlyFirst].self, source: source) } // Decoder for ReadOnlyFirst - Decoders.addDecoder(clazz: ReadOnlyFirst.self) { (source: AnyObject) -> ReadOnlyFirst in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ReadOnlyFirst.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ReadOnlyFirst() - instance.bar = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) - instance.baz = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["baz"] as AnyObject?) - return instance + let instance = ReadOnlyFirst() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) { + + case let .success(value): instance.bar = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["baz"] as AnyObject?) { + + case let .success(value): instance.baz = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ReadOnlyFirst", actual: "\(source)")) + } } // Decoder for [Return] - Decoders.addDecoder(clazz: [Return].self) { (source: AnyObject) -> [Return] in + Decoders.addDecoder(clazz: [Return].self) { (source: AnyObject) -> Decoded<[Return]> in return Decoders.decode(clazz: [Return].self, source: source) } // Decoder for Return - Decoders.addDecoder(clazz: Return.self) { (source: AnyObject) -> Return in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Return.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Return() - instance._return = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["return"] as AnyObject?) - return instance + let instance = Return() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["return"] as AnyObject?) { + + case let .success(value): instance._return = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Return", actual: "\(source)")) + } } // Decoder for [SpecialModelName] - Decoders.addDecoder(clazz: [SpecialModelName].self) { (source: AnyObject) -> [SpecialModelName] in + Decoders.addDecoder(clazz: [SpecialModelName].self) { (source: AnyObject) -> Decoded<[SpecialModelName]> in return Decoders.decode(clazz: [SpecialModelName].self, source: source) } // Decoder for SpecialModelName - Decoders.addDecoder(clazz: SpecialModelName.self) { (source: AnyObject) -> SpecialModelName in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: SpecialModelName.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = SpecialModelName() - instance.specialPropertyName = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["$special[property.name]"] as AnyObject?) - return instance + let instance = SpecialModelName() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["$special[property.name]"] as AnyObject?) { + + case let .success(value): instance.specialPropertyName = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "SpecialModelName", actual: "\(source)")) + } } // Decoder for [Tag] - Decoders.addDecoder(clazz: [Tag].self) { (source: AnyObject) -> [Tag] in + Decoders.addDecoder(clazz: [Tag].self) { (source: AnyObject) -> Decoded<[Tag]> in return Decoders.decode(clazz: [Tag].self, source: source) } // Decoder for Tag - Decoders.addDecoder(clazz: Tag.self) { (source: AnyObject) -> Tag in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Tag.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Tag() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.name = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) - return instance + let instance = Tag() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Tag", actual: "\(source)")) + } } // Decoder for [User] - Decoders.addDecoder(clazz: [User].self) { (source: AnyObject) -> [User] in + Decoders.addDecoder(clazz: [User].self) { (source: AnyObject) -> Decoded<[User]> in return Decoders.decode(clazz: [User].self, source: source) } // Decoder for User - Decoders.addDecoder(clazz: User.self) { (source: AnyObject) -> User in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: User.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = User() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.username = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["username"] as AnyObject?) - instance.firstName = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["firstName"] as AnyObject?) - instance.lastName = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["lastName"] as AnyObject?) - instance.email = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["email"] as AnyObject?) - instance.password = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) - instance.phone = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["phone"] as AnyObject?) - instance.userStatus = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["userStatus"] as AnyObject?) - return instance + let instance = User() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["username"] as AnyObject?) { + + case let .success(value): instance.username = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["firstName"] as AnyObject?) { + + case let .success(value): instance.firstName = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["lastName"] as AnyObject?) { + + case let .success(value): instance.lastName = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["email"] as AnyObject?) { + + case let .success(value): instance.email = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) { + + case let .success(value): instance.password = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["phone"] as AnyObject?) { + + case let .success(value): instance.phone = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["userStatus"] as AnyObject?) { + + case let .success(value): instance.userStatus = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "User", actual: "\(source)")) + } } }() diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Podfile.lock b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Podfile.lock index e89b8cbe18c9..7952db2ffbf6 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Podfile.lock +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Podfile.lock @@ -20,13 +20,13 @@ DEPENDENCIES: EXTERNAL SOURCES: PetstoreClient: - :path: ../ + :path: "../" SPEC CHECKSUMS: Alamofire: fef59f00388f267e52d9b432aa5d93dc97190f14 - PetstoreClient: 7a2e162d0d84c57a8f501833f4b1ebdeb04d8eaf + PetstoreClient: 72554450e28f0a42e0b850bccc4782911197fdfc PromiseKit: ae9e7f97ee758e23f7b9c5e80380a2e78d6338c5 PODFILE CHECKSUM: da9f5a7ad6086f2c7abb73cf2c35cefce04a9a30 -COCOAPODS: 1.0.1 +COCOAPODS: 1.1.1 diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json index 950444cd18a0..b727cf0e0263 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json @@ -10,7 +10,7 @@ "tag": "v1.0.0" }, "authors": "", - "license": "Apache License, Version 2.0", + "license": "Proprietary", "homepage": "https://github.com/swagger-api/swagger-codegen", "summary": "PetstoreClient", "source_files": "PetstoreClient/Classes/Swaggers/**/*.swift", diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Manifest.lock b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Manifest.lock index e89b8cbe18c9..7952db2ffbf6 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Manifest.lock +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Manifest.lock @@ -20,13 +20,13 @@ DEPENDENCIES: EXTERNAL SOURCES: PetstoreClient: - :path: ../ + :path: "../" SPEC CHECKSUMS: Alamofire: fef59f00388f267e52d9b432aa5d93dc97190f14 - PetstoreClient: 7a2e162d0d84c57a8f501833f4b1ebdeb04d8eaf + PetstoreClient: 72554450e28f0a42e0b850bccc4782911197fdfc PromiseKit: ae9e7f97ee758e23f7b9c5e80380a2e78d6338c5 PODFILE CHECKSUM: da9f5a7ad6086f2c7abb73cf2c35cefce04a9a30 -COCOAPODS: 1.0.1 +COCOAPODS: 1.1.1 diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj index 61048fd80235..904a1b518969 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj @@ -7,237 +7,238 @@ objects = { /* Begin PBXBuildFile section */ - 08D109C2E61029035A2B210B864933C9 /* ReadOnlyFirst.swift in Sources */ = {isa = PBXBuildFile; fileRef = C9B2737214A9FBDFAFE4EFE2C5622B27 /* ReadOnlyFirst.swift */; }; - 0C1B4E9FFB8B81E8833A3BAD537B1990 /* Notifications.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2DE0CB8D9EE8A56D63B991586247B70A /* Notifications.swift */; }; - 0E076A043878CFFFC4EFEF562299258C /* UIViewController+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = CFAA60BD6819F52D268E502118C80036 /* UIViewController+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 0EA3F5D435EFB5C62A0A59B56E4CDE29 /* AAA-CocoaPods-Hack.h in Headers */ = {isa = PBXBuildFile; fileRef = 3CC3B804336AF3F3AFF2B07AEECFEAF4 /* AAA-CocoaPods-Hack.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 12118C354EFA36292F82A8D0CFCE45B2 /* Request.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2F0DEFA8B8F894D4BFC00D53E40611EC /* Request.swift */; }; - 189BD4A947E17EBB89C4B2593CCC8BA1 /* State.swift in Sources */ = {isa = PBXBuildFile; fileRef = DE1F85E7E3FAA9A172563E4992201A0E /* State.swift */; }; - 19318D4CF28E2998C92823372146B117 /* Tag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 143E557A35666A5C3FB6A5EC601425AE /* Tag.swift */; }; - 19E1BE3B364E52D4100549402B88A18D /* UIView+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3062847491C8BC5B070E148F4D2EEA44 /* UIView+Promise.swift */; }; - 1A6A963EE0C23D15823BD080D473D080 /* UIViewController+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = 7F579316D9B5DAF5EFCED476D27DEAEA /* UIViewController+AnyPromise.m */; }; - 1C86F7F3A514847EE94459778939FF49 /* Animal.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4B50A816814713052A83AD22ECB8E19D /* Animal.swift */; }; - 2126288484A0E5A2CEFD634F36E086DB /* NSURLSession+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 953E494EB3C1706255C7334E653A731F /* NSURLSession+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 21DD4C8FC69986AAF115D52BD63C5846 /* APIHelper.swift in Sources */ = {isa = PBXBuildFile; fileRef = A73F00E8ED2521B115946B7E20B760AF /* APIHelper.swift */; }; - 229AC1DABEB21311F2084993035BD41C /* NSNotificationCenter+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = 68C177905D87D3E69C40A1723AF56E24 /* NSNotificationCenter+AnyPromise.m */; }; - 26B3D52109733DE07558449315F6ED4A /* afterlife.swift in Sources */ = {isa = PBXBuildFile; fileRef = 224C111794C4D7FFC61F6867FBD791BC /* afterlife.swift */; }; - 2A6AB2C739B286DD643D0AFE4AF36EF1 /* NSURLSession+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3540D424937D0B066D6FA030EB64073A /* NSURLSession+Promise.swift */; }; - 31993649206B579A0755F73DBB037F69 /* hang.m in Sources */ = {isa = PBXBuildFile; fileRef = 672D6F06D216BD1D32C43B453833E8E6 /* hang.m */; }; - 32798E2F23E3555372C9585BA0E0F0DD /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = DA5890350085598E55D46BC00D882BF7 /* Foundation.framework */; }; - 3982B850C43B41BA6D25F440F0412E9B /* Timeline.swift in Sources */ = {isa = PBXBuildFile; fileRef = F738520F03FD7B756BB4DF21CF3DF1DC /* Timeline.swift */; }; - 39EF8DCA0E6683F78D2B43BF86E18BD2 /* Model200Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = 31C953CB2AF9E4E3D884BBA68E728307 /* Model200Response.swift */; }; - 40A26006F98F34399D37008708D0DA4B /* Name.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1C79F2ABDEC68FB086941B1667F653AC /* Name.swift */; }; - 47AA3A9AA52300DAAD67BDA4F9333F51 /* PromiseKit.h in Headers */ = {isa = PBXBuildFile; fileRef = B8CEAF5B3068E8A58462C59E6DCD1BC3 /* PromiseKit.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 4904632EEB974BC9287749464B4D2E01 /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 37CE09CBDF55D26A9D95DD15E7DEA056 /* MixedPropertiesAndAdditionalPropertiesClass.swift */; }; - 4A9C2181FFAC30422328D29E3080F60E /* UserAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 118386CB29E583E2BCF45FFB0C584C22 /* UserAPI.swift */; }; - 4B7290C2737A40D91722707A6C0434EB /* Cat.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4F28DB75084895EF23EDBC499D8B8BAE /* Cat.swift */; }; - 4EF1572083CC50FE30E89237725539EC /* Pet.swift in Sources */ = {isa = PBXBuildFile; fileRef = B1300E3C28C82031FA5C87A7FE3B1EB9 /* Pet.swift */; }; - 4F0B33F0A7D9F1639DC42E32CBBEC050 /* Error.swift in Sources */ = {isa = PBXBuildFile; fileRef = D45A07C99ED32B256577C4542BDC9393 /* Error.swift */; }; - 4F2398096F6FE8DE0CBAB4ABF77BEF47 /* PMKFoundation.h in Headers */ = {isa = PBXBuildFile; fileRef = 8E0CA82D46C01CF9D9040A0B72EFC450 /* PMKFoundation.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 516BA9E7FA392E4095157D2C9FA80501 /* Order.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2364F4EAC509113B38791789DFC9F1E7 /* Order.swift */; }; - 55259C0419C5759C6FA8F6D058A033FE /* UIKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 0201E969990A7EAA391DDC4CBEACA172 /* UIKit.framework */; }; - 56C1B6D2D8E52E49EBE434D89D3BCE75 /* SpecialModelName.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5F939073B0FDC62477A0C4F8E9AB7131 /* SpecialModelName.swift */; }; - 59B5350DBC2FE4B9A6F63106747B0110 /* NSObject+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 35F3AD63395BE11BFBC10A36D828B4BA /* NSObject+Promise.swift */; }; - 5ADD91A0297A38A3BE8A29F6707119BC /* FormatTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 11A9D1B03B658EFF2011FD4ADF5B2C9B /* FormatTest.swift */; }; - 5ED391F6A7FB88FFF03ACFCB194A6B72 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = DA5890350085598E55D46BC00D882BF7 /* Foundation.framework */; }; - 62143065F94E53F437DCE5D7A998D66D /* AFError.swift in Sources */ = {isa = PBXBuildFile; fileRef = F35E3788DA69834B7CF86EC61FEB453C /* AFError.swift */; }; - 687C61A78BD83327B863E10A21F59772 /* after.m in Sources */ = {isa = PBXBuildFile; fileRef = 31C1E6D58B97D8A79ACB24E2A8CF508A /* after.m */; }; - 69E7C906E8A845FC906E72B0EA4706A1 /* PetAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = BC23A659B67F5C77068CA536C88CA9D0 /* PetAPI.swift */; }; - 7106E09928BF938CC40E1762C884F2FA /* Pods-SwaggerClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */; }; - 7475D3D96CBDF5788C340DFA8518BF8B /* Alamofire.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = F53D6FE99858297507D97FCDF5F0F461 /* Alamofire.framework */; }; - 74922C20A1785500E318BA39E7DE2DBC /* join.swift in Sources */ = {isa = PBXBuildFile; fileRef = 600E21CC3F1F60E6D889599C86B4B091 /* join.swift */; }; - 74AF28E265299B5B95EB4CFE7ACF004A /* DispatchQueue+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8355D229C101A785A33241E72FB5858E /* DispatchQueue+Promise.swift */; }; - 765C72F4DA6ABC0CB6AF6CEEBCBDE014 /* HasOnlyReadOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = AC8DF8745F891F2A12590D73550D0490 /* HasOnlyReadOnly.swift */; }; - 76EFB18BB86C83C9CA160E7F7E47352B /* User.swift in Sources */ = {isa = PBXBuildFile; fileRef = F8180325E22D8580EFE2473A67C0EAC0 /* User.swift */; }; - 7CA5A9BA5246FDA8227233E310029392 /* Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = C3DD4689CB744B566DA645A762474D50 /* Alamofire.swift */; }; - 7CA8AA6FD46061991A39BFC9313ADA77 /* PromiseKit-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 67770C53F61B120779C48390416EB044 /* PromiseKit-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 7EDFC9E176247A2768C792D292B0C93A /* Promise+Properties.swift in Sources */ = {isa = PBXBuildFile; fileRef = EEC83C2388465D5E20AC3B7AB1A89598 /* Promise+Properties.swift */; }; - 7EE4CA1BD91699AA1066134FC8E58E58 /* when.m in Sources */ = {isa = PBXBuildFile; fileRef = 1304EED5AC84CF588B123A172ACD0806 /* when.m */; }; - 7FAF85A0E850635A6426DD832C640FA6 /* AnimalFarm.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6097AF9273FDB02C8A4DED04AFF6B4AD /* AnimalFarm.swift */; }; - 842026DF3FC836A491F8FF78F2FA73E5 /* NumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = B4E90BC12F77D66B96AB27E026B2071E /* NumberOnly.swift */; }; - 849D1E002A1D1D80A1AC968EFA00E86B /* NSURLSession+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = A4014E38D44B543E62D949ECD429438E /* NSURLSession+AnyPromise.m */; }; - 8687F72FC483A33911FE3E8EBFC8C781 /* Client.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9928726B622806E400277C57963B354B /* Client.swift */; }; - 86ED08F33B7D357932A9AB743E9D9EA7 /* Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = D5021828D3563560F50658622F55322A /* Response.swift */; }; - 8961CA435CA1285DB0100D2EA3B2D9FF /* AnyPromise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0420A6E98A802B7D0FF739CED8893FD5 /* AnyPromise.swift */; }; - 897283A0B7F5299913327CC8FD6CC997 /* Pods-SwaggerClientTests-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 8BCA5BDFD23F57F9DCF3FD5BBE1D2353 /* ApiResponse.swift in Sources */ = {isa = PBXBuildFile; fileRef = B4CA6814AE828DFEC4A4C2C8C1D6CEA2 /* ApiResponse.swift */; }; - 8CD154CFE5F6F697A5997C90EBA5BBD5 /* List.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3A7FD39D7BA8415D865896B06564C124 /* List.swift */; }; - 8D463A0A4C65C02FDD5211F0F3C6F8B8 /* Alamofire-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = F20826EF67AE5149D903E774F67507DD /* Alamofire-dummy.m */; }; - 8DBEBA7409006676C446790989475526 /* join.m in Sources */ = {isa = PBXBuildFile; fileRef = FFBAD31632AB483A77990C7EDC2BA25F /* join.m */; }; - 8F8B1D75E09870A72E89A7C3C48601F7 /* Zalgo.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8B3F10BF844C95EF5F0B4A460226542F /* Zalgo.swift */; }; - 907AB123FBC8BC9340D5B7350CE828DF /* SessionDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = A4AECF8B352819D57BE253B02387B58E /* SessionDelegate.swift */; }; - 91C09AC2A52ED69A27C8D923139A006F /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = DA5890350085598E55D46BC00D882BF7 /* Foundation.framework */; }; - 934DC6CB1EFDFE5D5317847CC1B20D14 /* dispatch_promise.m in Sources */ = {isa = PBXBuildFile; fileRef = A892DE8D9CD61A4CD6E2F5050BEBB33C /* dispatch_promise.m */; }; - 9469DF81ECB494E84675969B5E13374C /* Alamofire-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 6C7ACDC625BF00A435AF4AB3554CDDF0 /* Alamofire-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 95FCC5C017CDAD58A1019E81F5DFB150 /* AlamofireImplementations.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6292ECC342913CF10F15F320C0D10143 /* AlamofireImplementations.swift */; }; - 99797B88379C5B947755F48529939E39 /* AdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = F328163C591BBCCD1909AFA5B31CE95A /* AdditionalPropertiesClass.swift */; }; - 9E695692792F4873185EDF39968B9487 /* APIs.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6E9F0D4DC6F738F2ECF8D716B7A9A5C7 /* APIs.swift */; }; - 9F75CD62C74B289126F2BFBD4D42B731 /* wrap.swift in Sources */ = {isa = PBXBuildFile; fileRef = B4D62EE8B1462895E942C6BEBA9808F3 /* wrap.swift */; }; - A1AF2FFA702812F06DA28A8FF56E0074 /* Dog.swift in Sources */ = {isa = PBXBuildFile; fileRef = AAB8DD3379CB8E9DB0DC9E6B18356204 /* Dog.swift */; }; - A6561037EE96E150EE0BE54FE1CA9CCD /* ArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4EBAF179E866C1F42E3C9F85162E2792 /* ArrayOfNumberOnly.swift */; }; - A79AC30123B0C2177D67F6ED6A1B3215 /* SessionManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3227553C2F6B960B53F2DADD2091E856 /* SessionManager.swift */; }; - A8E41BEBD94D8BF0587C64A210CAC908 /* MapTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = DFF589887A9AAE06637E527EC61117B0 /* MapTest.swift */; }; - A98D5CA38488935C6956125F73241D3B /* Extensions.swift in Sources */ = {isa = PBXBuildFile; fileRef = E3FF8700849757249B929D7AFF652CD6 /* Extensions.swift */; }; - AA6CEF6CAF867D01C4A2E24E72D37E3B /* when.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5EC4308B7612B198A3DEB3D53BA6C714 /* when.swift */; }; - AE07B2221A9D36CEA957F902EDF210EA /* Pods-SwaggerClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - AF158CAAF4DD319009AFC855DC995D90 /* ParameterEncoding.swift in Sources */ = {isa = PBXBuildFile; fileRef = 51E0E750323BD31207928C6D05DBA443 /* ParameterEncoding.swift */; }; - B5A9D217721A654E7227FE5EB8E3E815 /* PMKAlertController.swift in Sources */ = {isa = PBXBuildFile; fileRef = ECDBBBEA6B1D541E75FAC6009172DE8A /* PMKAlertController.swift */; }; - B7B2D89A3FCCA7DFB621EA0416F78B3C /* PetstoreClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - B8154C96802336E5DDA5CEE97C3180A0 /* ResponseSerialization.swift in Sources */ = {isa = PBXBuildFile; fileRef = 82CFB52B2B1C4E72218F01A4034E11C4 /* ResponseSerialization.swift */; }; - B817B1B673053514C0AF1DBFD8C10859 /* FakeAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = E906A19EC726985BD8493A893CA9DD65 /* FakeAPI.swift */; }; - B97C02F582684A1BA2BBAB00236F8D84 /* CALayer+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = ADD03A6FFC7820FC39EB334B7A876C95 /* CALayer+AnyPromise.m */; }; - BACD097A88699AE96FE37E21B163E805 /* PMKQuartzCore.h in Headers */ = {isa = PBXBuildFile; fileRef = 610353C0BB40AB8E5F156F610B708B48 /* PMKQuartzCore.h */; settings = {ATTRIBUTES = (Public, ); }; }; - BC05E761E9593449AA45E30C99E6C7C1 /* CALayer+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 0B4BA042C159AFFFDEE0C9BCE6ACAD9D /* CALayer+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - BCC2FACE6DAFF9CB1910EE266FA3D998 /* UIView+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = BA41E8232A346AA1E66937BC82A37175 /* UIView+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - BE7EC7C02C035485ED02217BCBACB26E /* Process+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 25BA8DC5966D62A8CA1B3F157C580DCF /* Process+Promise.swift */; }; - BE98AA1FBE19ABE200F75205C1405537 /* NSNotificationCenter+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = E2D5F5CDD000BE501DC7A67000D6E13E /* NSNotificationCenter+Promise.swift */; }; - BEF1D997E1EA6A06B9B71925D780CE51 /* StoreAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = F2E15D74AD528E3350D207603BBA1DF4 /* StoreAPI.swift */; }; - BFFB8EE83CF24EB020B3B2F030C57CB5 /* PetstoreClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */; }; - C0AEA97E7684DDAD56998C0AE198A433 /* ServerTrustPolicy.swift in Sources */ = {isa = PBXBuildFile; fileRef = 19B892C7CE6610E1CA2ADC23C7B1C5B9 /* ServerTrustPolicy.swift */; }; - C546890220177F840E8AFC829D0E3FEB /* Pods-SwaggerClientTests-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */; }; - C56B94174EE98D6F4C207FF020791CC9 /* PromiseKit-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 1102E92E9FED9575EBF7E17B7DC1E96E /* PromiseKit-dummy.m */; }; - C65122D725A395DAF5D7138DF83CF8FF /* EnumClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = D6115C108A2F1445CCA165DCE5321009 /* EnumClass.swift */; }; - C6552061FDFC3ABB78CBA8CB172B993A /* race.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8607C5939D9A3C9A5C67F51A040CDDF7 /* race.swift */; }; - C7A3408350643ADE1018826C766EE356 /* MultipartFormData.swift in Sources */ = {isa = PBXBuildFile; fileRef = CF7474663A857DD4540585C7AABD1E42 /* MultipartFormData.swift */; }; - C9802C6C3ACD8A3316ED45EDFA47A0FF /* PMKUIKit.h in Headers */ = {isa = PBXBuildFile; fileRef = A9C293E5B97634F2AFB5DE9B717FB52D /* PMKUIKit.h */; settings = {ATTRIBUTES = (Public, ); }; }; - CC3CE00E3D5AAD910867467A58243096 /* ArrayTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 21B120C00973CD2A57F3D566E760AF3E /* ArrayTest.swift */; }; - CE51954402C775B399EEA5F25FF6C699 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = DA5890350085598E55D46BC00D882BF7 /* Foundation.framework */; }; - D3187BA93540284FEC828187DA094F72 /* Return.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E1E790656723DC52EAB91FF86121D3D /* Return.swift */; }; - D8AA43FFEE70F481C74561F18017A957 /* QuartzCore.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 4F39F86B95E00A8F5D3151546774474C /* QuartzCore.framework */; }; - DE245055ECA824ADA8E3C8D6A9A0DD30 /* EnumTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 42105B8EAB28DFBC1FD088D5D8C08610 /* EnumTest.swift */; }; - DF1BBF94997A2F4248B42B25EA919EC2 /* Result.swift in Sources */ = {isa = PBXBuildFile; fileRef = 475A72056C770A5978AB453E7DC5B3AE /* Result.swift */; }; - DF34A2B39A585350D96459EC18C2B8A9 /* AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = FFC619626D5ABA213354AD7DA29FAF03 /* AnyPromise.m */; }; - DF64C349CCECBF55751F8CD2E5E2E9FC /* UIView+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = A38EF75758FDC19EA04F1E3B687C0720 /* UIView+AnyPromise.m */; }; - DFD57A0604C82C1DC8D754F93E186FC9 /* AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 7F4116A7A397363D941196320EA84BC1 /* AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - E1F583CB4A68A928CD197250AA752926 /* TaskDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 641D30DAD8B334C67D53DB9FE3E1156F /* TaskDelegate.swift */; }; - E2A1C34237B4E928E5F85C097F4C2551 /* DispatchQueue+Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = F7C414EFC68CF0C5DB0E5D9E33863B44 /* DispatchQueue+Alamofire.swift */; }; - E2C3DEB8D1F5AB89A1AFF6E57691AA7B /* NSNotificationCenter+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = BB3EC60818C52E3F7D6E9AC7C315506E /* NSNotificationCenter+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; - E2DD9FAF8CD1D2BF1D451DD7BB3018BA /* Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 014E5D632F701B5475864F8DA8F346C8 /* Promise.swift */; }; - E42548800F8E191B48EDBEA02FB9CC13 /* Models.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E73416EE991BBE43467BA22F2A155A5 /* Models.swift */; }; - E59BF19C0AFA68B741552319FC478C7B /* NetworkReachabilityManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = 68757F29FA6F6C42DBA6342A3E62044D /* NetworkReachabilityManager.swift */; }; - EAC6632F317AD82344232BE3FF6D222F /* ArrayOfArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 540B42E772FF76C6D4F5E68CCDADA9B3 /* ArrayOfArrayOfNumberOnly.swift */; }; - F0F987C84FFF593E253E16645C6EED46 /* Category.swift in Sources */ = {isa = PBXBuildFile; fileRef = 37E47D71F3FB3E8B7FBEA178972FB52D /* Category.swift */; }; - F13EA2AD9516351A715A983FD51BB05D /* after.swift in Sources */ = {isa = PBXBuildFile; fileRef = F072E2B4C3F979A29DE7EE79A14510D5 /* after.swift */; }; - F1976291F46CABCD587914AA8066C12D /* GlobalState.m in Sources */ = {isa = PBXBuildFile; fileRef = 55C59BF01739AFC4AFBC6C0CA21E1281 /* GlobalState.m */; }; - F206C370F63155D3468E0C188498C5DC /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = DA5890350085598E55D46BC00D882BF7 /* Foundation.framework */; }; - F74213CCFA4FB6A2224EA42E96C7D2D4 /* Promise+AnyPromise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1086C6D02B8209F1576418553B33DD50 /* Promise+AnyPromise.swift */; }; - F8683DBA5D4502A090ACA861517FE33F /* UIViewController+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = C8D1C522E58C644AD02E34E93B98F790 /* UIViewController+Promise.swift */; }; - F99DFC811883057F509846BFBD5F2AE1 /* URLDataPromise.swift in Sources */ = {isa = PBXBuildFile; fileRef = C6B15850C3302E3C81EEB72D7368C648 /* URLDataPromise.swift */; }; - FB239299E105181419D66576C497EF8E /* PromiseKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 31D680492464F6D65F2FAFA3D645CFFC /* PromiseKit.framework */; }; - FEB919F5C651593112D949381F5ED111 /* EnumArrays.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1FCFC11EBD20C97FB1BC4EFAEC6FEB37 /* EnumArrays.swift */; }; - FFFDD494EE6D1B83DDAF5F2721F685A6 /* Validation.swift in Sources */ = {isa = PBXBuildFile; fileRef = 943618599D753D3CF9CEA416875D6417 /* Validation.swift */; }; + 016CCB530D8D12759C216395C34CC341 /* NSNotificationCenter+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = BB3EC60818C52E3F7D6E9AC7C315506E /* NSNotificationCenter+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 0217BB31A8041922F461C627888242FB /* PetstoreClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */; }; + 034A6476296E5F4143DD09A0FF837D52 /* when.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5EC4308B7612B198A3DEB3D53BA6C714 /* when.swift */; }; + 0A07BB1A924209FC6CFB89868DA9F1B1 /* PetAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 46ADFA647DB262579870CDE7A7A9B130 /* PetAPI.swift */; }; + 0DD617F08094BC5B2AECEA4057C7AEAB /* join.swift in Sources */ = {isa = PBXBuildFile; fileRef = 600E21CC3F1F60E6D889599C86B4B091 /* join.swift */; }; + 10EB23E9ECC4B33E16933BB1EA560B6A /* Timeline.swift in Sources */ = {isa = PBXBuildFile; fileRef = F738520F03FD7B756BB4DF21CF3DF1DC /* Timeline.swift */; }; + 12F56EFB40DBC3B29EB99028057CB431 /* Cat.swift in Sources */ = {isa = PBXBuildFile; fileRef = 882D08B71AAD3418842BE142C533D36B /* Cat.swift */; }; + 16074A0BC509413EE3314CC2115CE87F /* List.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8A79C16689E69DE8EF122B5638FFC47D /* List.swift */; }; + 174425917E6E6FDB521743D4E607CECF /* AnyPromise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0420A6E98A802B7D0FF739CED8893FD5 /* AnyPromise.swift */; }; + 1952AA3CAD74EBA27E85EF05B7DD91EE /* ArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6A6FD821125243353793A74C26AF6AB2 /* ArrayOfNumberOnly.swift */; }; + 1A0B6E1CFD92277B3B212D00D5761C7A /* wrap.swift in Sources */ = {isa = PBXBuildFile; fileRef = B4D62EE8B1462895E942C6BEBA9808F3 /* wrap.swift */; }; + 1A9FF6333B54C05A925B5518D6DB8D7E /* ReadOnlyFirst.swift in Sources */ = {isa = PBXBuildFile; fileRef = A20AD60386D12E72B2313A4ED186F1FE /* ReadOnlyFirst.swift */; }; + 1B9EDEDC964E6B08F78920B4F4B9DB84 /* Alamofire-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 6C7ACDC625BF00A435AF4AB3554CDDF0 /* Alamofire-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 1CCDE819869D57707CE8DDE1F314A704 /* AlamofireImplementations.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7827148096A3B614608E8642496DB653 /* AlamofireImplementations.swift */; }; + 1D7BEB2B934AD47E14207F14D7DC40F6 /* EnumClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2B96675384F47A8DB92E2D3370733CC1 /* EnumClass.swift */; }; + 1E74EB678FA33A94A18E19EF2D7A2F81 /* PMKUIKit.h in Headers */ = {isa = PBXBuildFile; fileRef = A9C293E5B97634F2AFB5DE9B717FB52D /* PMKUIKit.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 20E2CC1FD887EC3DA74724A32DDA1132 /* Pods-SwaggerClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 238F6D3DCD64E47F802C387B7E6D447C /* UIKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 2ABF01CA3A8264BCD945D29D45416B97 /* UIKit.framework */; }; + 2613BE6127BC4E9B98B5A92A24592E11 /* PromiseKit-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 1102E92E9FED9575EBF7E17B7DC1E96E /* PromiseKit-dummy.m */; }; + 28E4EE0DEC2DA7339FB375AA358F306E /* AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = FFC619626D5ABA213354AD7DA29FAF03 /* AnyPromise.m */; }; + 2994079CE1E9F4DEEADBADBA9E61801F /* NSURLSession+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3540D424937D0B066D6FA030EB64073A /* NSURLSession+Promise.swift */; }; + 29F46106E192B6E65645EEE729AB03F2 /* UIViewController+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = C8D1C522E58C644AD02E34E93B98F790 /* UIViewController+Promise.swift */; }; + 2DF6CA05A1F41C57DB490B0861BE8EEE /* Return.swift in Sources */ = {isa = PBXBuildFile; fileRef = B9EB90FD68C4C823BA7428D94E80A7B3 /* Return.swift */; }; + 31F8B86E3672D0B828B6352C875649C4 /* Pods-SwaggerClientTests-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 3494B74CA2C8C845A59D72144D3A5E8F /* UIView+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = BA41E8232A346AA1E66937BC82A37175 /* UIView+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 34B642B996629E6D576B57C40FDD2B1E /* Error.swift in Sources */ = {isa = PBXBuildFile; fileRef = D45A07C99ED32B256577C4542BDC9393 /* Error.swift */; }; + 35A64CDCE9E4A4631C74D8BD2DB2C525 /* NSNotificationCenter+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = 68C177905D87D3E69C40A1723AF56E24 /* NSNotificationCenter+AnyPromise.m */; }; + 3626B94094672CB1C9DEA32B9F9502E1 /* TaskDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 641D30DAD8B334C67D53DB9FE3E1156F /* TaskDelegate.swift */; }; + 379CB4DB93AF1BAF9A6DF3A40382FFDA /* Zalgo.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8B3F10BF844C95EF5F0B4A460226542F /* Zalgo.swift */; }; + 3DAF62C78CC1F080DA221C10CD73C0AF /* NSNotificationCenter+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = E2D5F5CDD000BE501DC7A67000D6E13E /* NSNotificationCenter+Promise.swift */; }; + 3DCB804A599159B201AF822C749D7F0D /* OuterEnum.swift in Sources */ = {isa = PBXBuildFile; fileRef = EA68C5328B3080DB6504E903EE8FC138 /* OuterEnum.swift */; }; + 407A2D5859FA795D0EB48ED030325714 /* join.m in Sources */ = {isa = PBXBuildFile; fileRef = FFBAD31632AB483A77990C7EDC2BA25F /* join.m */; }; + 43A1DFE98D9BE94AD5929FA7DF049C06 /* PMKQuartzCore.h in Headers */ = {isa = PBXBuildFile; fileRef = 610353C0BB40AB8E5F156F610B708B48 /* PMKQuartzCore.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 444858F752BEFE58EBDC39DADD8A6833 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = C8F4E041B8F062D0E58498A365070ED8 /* Foundation.framework */; }; + 44E9C5ACBB8D42B2447AD05CC7FE5DA8 /* User.swift in Sources */ = {isa = PBXBuildFile; fileRef = A1CA3CB3CA69090E8097D77974F95F4E /* User.swift */; }; + 4602B805449B94E0E40AC9B5BB728F97 /* hang.m in Sources */ = {isa = PBXBuildFile; fileRef = 672D6F06D216BD1D32C43B453833E8E6 /* hang.m */; }; + 4C438E58557FE28F79C51F1DCBBD040B /* GlobalState.m in Sources */ = {isa = PBXBuildFile; fileRef = 55C59BF01739AFC4AFBC6C0CA21E1281 /* GlobalState.m */; }; + 4C49A53234CC0F75A09950C25105DDD4 /* UIView+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3062847491C8BC5B070E148F4D2EEA44 /* UIView+Promise.swift */; }; + 4D9803182A041E8157B024CFFBD05109 /* FakeAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 46C5EA7F33E59F5A0BAC7ED154EF5189 /* FakeAPI.swift */; }; + 4E18621DC9D771AA63818004D8A26689 /* EnumArrays.swift in Sources */ = {isa = PBXBuildFile; fileRef = 674818A79F12C550C32D5B20F9F2904C /* EnumArrays.swift */; }; + 4F3E2C08428FFF04B39C935B9A1E6CB4 /* afterlife.swift in Sources */ = {isa = PBXBuildFile; fileRef = 224C111794C4D7FFC61F6867FBD791BC /* afterlife.swift */; }; + 5387216E723A3C68E851CA15573CDD71 /* Request.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2F0DEFA8B8F894D4BFC00D53E40611EC /* Request.swift */; }; + 54C43E85F5B8864BD4E697EF4F8E9265 /* ArrayOfArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = B98974498DE6D6290EEA35B2A9E347BB /* ArrayOfArrayOfNumberOnly.swift */; }; + 54D086B77D7278217A58457B173D21BB /* after.swift in Sources */ = {isa = PBXBuildFile; fileRef = F072E2B4C3F979A29DE7EE79A14510D5 /* after.swift */; }; + 5520A67F7DA84FDBD608FD923F95E38C /* NumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 71DB61F02CAB93E7ED7B2ECA67F3CF6C /* NumberOnly.swift */; }; + 555F5BBA13BB757FA0EBB47D604744AD /* CALayer+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 0B4BA042C159AFFFDEE0C9BCE6ACAD9D /* CALayer+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 576CA2043A8FC7035DB3827AA7CCEC47 /* Extensions.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9CFD31C609D01246A22B3FA2FFB24D83 /* Extensions.swift */; }; + 5CF1F4240FFC110ECF54A98390600413 /* QuartzCore.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 2141FBF0CC0A4A8349C016ECD4ABBEE2 /* QuartzCore.framework */; }; + 61200D01A1855D7920CEF835C8BE00B0 /* DispatchQueue+Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = F7C414EFC68CF0C5DB0E5D9E33863B44 /* DispatchQueue+Alamofire.swift */; }; + 62F65AD8DC4F0F9610F4B8B4738EC094 /* ServerTrustPolicy.swift in Sources */ = {isa = PBXBuildFile; fileRef = 19B892C7CE6610E1CA2ADC23C7B1C5B9 /* ServerTrustPolicy.swift */; }; + 6539895454AEBD0B82D93A21242B1E5E /* Alamofire.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = F53D6FE99858297507D97FCDF5F0F461 /* Alamofire.framework */; }; + 67FBC15B23202DB1B017FAB43EA6D9A5 /* StoreAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = A776729DD3FE9677991E54DE267FD577 /* StoreAPI.swift */; }; + 694D5CF84FD88F2C801456E92DA50821 /* Process+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 25BA8DC5966D62A8CA1B3F157C580DCF /* Process+Promise.swift */; }; + 6E4283810690E929011A3B666B83CE34 /* PMKAlertController.swift in Sources */ = {isa = PBXBuildFile; fileRef = ECDBBBEA6B1D541E75FAC6009172DE8A /* PMKAlertController.swift */; }; + 6E4F792D9790C4B5796F6297C4D675B6 /* CALayer+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = ADD03A6FFC7820FC39EB334B7A876C95 /* CALayer+AnyPromise.m */; }; + 71301D7E4EB0C901E8AD2DA1211AB0FC /* Name.swift in Sources */ = {isa = PBXBuildFile; fileRef = 139DB709435F037DC55BE45FDFF8D13D /* Name.swift */; }; + 728A49DE0D49CDD8AD3427FAE2F739BE /* UIViewController+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = 7F579316D9B5DAF5EFCED476D27DEAEA /* UIViewController+AnyPromise.m */; }; + 7998839A6E7F0984C400BE7772BB4DFF /* PromiseKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 31D680492464F6D65F2FAFA3D645CFFC /* PromiseKit.framework */; }; + 7A178481B3348E2F2C3330B15D4B7568 /* FakeclassnametagsAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = DDAFDF0366C6686A7B947426AF20A128 /* FakeclassnametagsAPI.swift */; }; + 7B5B07CEC0093DF25FED57D6A41631BF /* ClassModel.swift in Sources */ = {isa = PBXBuildFile; fileRef = F7D5B61AC90BA0704509CAE6D0F2685B /* ClassModel.swift */; }; + 7B5FE28C7EA4122B0598738E54DBEBD8 /* SessionDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = A4AECF8B352819D57BE253B02387B58E /* SessionDelegate.swift */; }; + 7C9555C9A0399F2991AC5C907432E8FA /* Animal.swift in Sources */ = {isa = PBXBuildFile; fileRef = F3E1EA7F03A8F7699B4A38A0059B6DB6 /* Animal.swift */; }; + 7CCBBA4A05FBA68B65897A6A0AB01845 /* Promise+AnyPromise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1086C6D02B8209F1576418553B33DD50 /* Promise+AnyPromise.swift */; }; + 7CEF2268F85F5166CF06D6689B3941EC /* URLDataPromise.swift in Sources */ = {isa = PBXBuildFile; fileRef = C6B15850C3302E3C81EEB72D7368C648 /* URLDataPromise.swift */; }; + 7D8CC01E8C9EFFF9F4D65406CDE0AB66 /* Result.swift in Sources */ = {isa = PBXBuildFile; fileRef = 475A72056C770A5978AB453E7DC5B3AE /* Result.swift */; }; + 7E7287E77FDE106F950E46A7A0516BCF /* FormatTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = EB3C91F15E6A6CE25AA56BB132BD2282 /* FormatTest.swift */; }; + 813E80611BE433931724E8A6D7F0BF29 /* APIs.swift in Sources */ = {isa = PBXBuildFile; fileRef = 37E5B1C1BA4FC86C3AD6DD6412AD5C3F /* APIs.swift */; }; + 85D73F1B27D20FB886ABBC4780FB8BF7 /* Model200Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3D74E3639B8306BCE21EAC827F2D0F06 /* Model200Response.swift */; }; + 8740BC8B595A54E9C973D7110740D43F /* Pods-SwaggerClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */; }; + 879C9F0C599A8710879CC531CC721BAD /* PromiseKit.h in Headers */ = {isa = PBXBuildFile; fileRef = B8CEAF5B3068E8A58462C59E6DCD1BC3 /* PromiseKit.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 88DD0583FF41B731F57830CD9D2AE074 /* State.swift in Sources */ = {isa = PBXBuildFile; fileRef = DE1F85E7E3FAA9A172563E4992201A0E /* State.swift */; }; + 897985FA042CD12B825C3032898FAB26 /* Pods-SwaggerClientTests-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */; }; + 90E806E01F06D5FACF6BEA57F0262301 /* SpecialModelName.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7DA5C1095D6C6A40025C2D36EE2C810E /* SpecialModelName.swift */; }; + 93DF9A7A48B85E6146B0E55CE878A7FA /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = C779250D7B6267BBEC8FA6A297E951FD /* MixedPropertiesAndAdditionalPropertiesClass.swift */; }; + 96091DF98A1AB825E4C5DA08F3D748CC /* MapTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = DE8B2057191DB8F5E2AE31FB27135B6C /* MapTest.swift */; }; + 99A6776D4F04DBC45F31DFD802B0FD03 /* ApiResponse.swift in Sources */ = {isa = PBXBuildFile; fileRef = 26F0BD741D5BE8D7ECA2569B96E3F60C /* ApiResponse.swift */; }; + 9A5406CBFD1603226C055DCC486689BA /* NSObject+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 35F3AD63395BE11BFBC10A36D828B4BA /* NSObject+Promise.swift */; }; + 9C174FACDB1CB04B68FC9ED10713AC6F /* when.m in Sources */ = {isa = PBXBuildFile; fileRef = 1304EED5AC84CF588B123A172ACD0806 /* when.m */; }; + 9E33B51DA60BE642B599AB5CA55AF3F9 /* PromiseKit-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 67770C53F61B120779C48390416EB044 /* PromiseKit-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 9ED2BB2981896E0A39EFA365503F58CE /* AFError.swift in Sources */ = {isa = PBXBuildFile; fileRef = F35E3788DA69834B7CF86EC61FEB453C /* AFError.swift */; }; + A04BFC558D69E7DBB68023C80A9CFE4E /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = C8F4E041B8F062D0E58498A365070ED8 /* Foundation.framework */; }; + A290970E78898FC5ACA9DDB560450883 /* NSURLSession+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 953E494EB3C1706255C7334E653A731F /* NSURLSession+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + A2A6F71B727312BD45CC7A4AAD7B0AB7 /* NetworkReachabilityManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = 68757F29FA6F6C42DBA6342A3E62044D /* NetworkReachabilityManager.swift */; }; + A38DF57E3A07CD76C1D78528A104D7B1 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = C8F4E041B8F062D0E58498A365070ED8 /* Foundation.framework */; }; + A6DA95128909755BEFCA7ADA673C0D4B /* race.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8607C5939D9A3C9A5C67F51A040CDDF7 /* race.swift */; }; + A9EEEA7477981DEEBC72432DE9990A4B /* Alamofire-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = F20826EF67AE5149D903E774F67507DD /* Alamofire-dummy.m */; }; + AB54FAC1F4972BA640EFFA7D03A8834C /* APIHelper.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2A0F510D3CD5F6FE074AA8A702B78FD4 /* APIHelper.swift */; }; + AE1EF48399533730D0066E04B22CA2D6 /* SessionManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3227553C2F6B960B53F2DADD2091E856 /* SessionManager.swift */; }; + B2C47F13E6DAF5C439C3D63FD1074792 /* UserAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = ACBCE80BA837EB73E5A6E45B40F004B8 /* UserAPI.swift */; }; + B2ED4EA53FA6EEA8665088D311B27A1D /* HasOnlyReadOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = F607471BF9870E491AA86EFB89E5ACF9 /* HasOnlyReadOnly.swift */; }; + B5C487D6715E37E2F5209BBA0A846E27 /* UIView+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = A38EF75758FDC19EA04F1E3B687C0720 /* UIView+AnyPromise.m */; }; + B65FCF589DA398C3EFE0128064E510EC /* MultipartFormData.swift in Sources */ = {isa = PBXBuildFile; fileRef = CF7474663A857DD4540585C7AABD1E42 /* MultipartFormData.swift */; }; + BA168A34D14E190735A5D9BD0AD96492 /* after.m in Sources */ = {isa = PBXBuildFile; fileRef = 31C1E6D58B97D8A79ACB24E2A8CF508A /* after.m */; }; + BBEFE2F9CEB73DC7BD97FFA66A0D9D4F /* Validation.swift in Sources */ = {isa = PBXBuildFile; fileRef = 943618599D753D3CF9CEA416875D6417 /* Validation.swift */; }; + BC2F31FECC65A5A0F00E8ADB0CD33140 /* dispatch_promise.m in Sources */ = {isa = PBXBuildFile; fileRef = A892DE8D9CD61A4CD6E2F5050BEBB33C /* dispatch_promise.m */; }; + BE5C67A07E289FE1F9BE27335B159997 /* ParameterEncoding.swift in Sources */ = {isa = PBXBuildFile; fileRef = 51E0E750323BD31207928C6D05DBA443 /* ParameterEncoding.swift */; }; + C0A14F57601D0B06937638DB5105B8D4 /* UIViewController+AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = CFAA60BD6819F52D268E502118C80036 /* UIViewController+AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + C0C4450B687C7F4706A5E8ADD7826A85 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = C8F4E041B8F062D0E58498A365070ED8 /* Foundation.framework */; }; + C3C2198939C9FA783794475B2A72162C /* AdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6E742DEDE04FF6FAEC9F376ED9E6AE2C /* AdditionalPropertiesClass.swift */; }; + C71F329EA64B5CCDD4358FE2860260D3 /* Client.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0FE6ECDC7B7878E609AEE401961BF14E /* Client.swift */; }; + CA0BAD37EE79E0113DAC66493C12DE2E /* Fake_classname_tags123API.swift in Sources */ = {isa = PBXBuildFile; fileRef = DB59A7DB4A9B911E525ECC513D74D00D /* Fake_classname_tags123API.swift */; }; + CA3327D880590908FE18C7E5FFE2E0C1 /* EnumTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4D623BDE9C79D43A58D9951169D5DCE8 /* EnumTest.swift */; }; + CA87D81F61F12E996E2A4D377A0ABE19 /* DispatchQueue+Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8355D229C101A785A33241E72FB5858E /* DispatchQueue+Promise.swift */; }; + CB6D60925223897FFA2662667DF83E8A /* Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = D5021828D3563560F50658622F55322A /* Response.swift */; }; + CC2D13B8541C422C2B755A36D1D660E3 /* AnyPromise.h in Headers */ = {isa = PBXBuildFile; fileRef = 7F4116A7A397363D941196320EA84BC1 /* AnyPromise.h */; settings = {ATTRIBUTES = (Public, ); }; }; + D18AF4C9B1E7DC7BA829C30E0311627B /* Promise.swift in Sources */ = {isa = PBXBuildFile; fileRef = 014E5D632F701B5475864F8DA8F346C8 /* Promise.swift */; }; + D32130A2C8AC5B1FF21AF43BCC2B5217 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = C8F4E041B8F062D0E58498A365070ED8 /* Foundation.framework */; }; + D5FDBDBDA793719EB003ED56E530AEE2 /* Pet.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7AAF332E1A7441FB724BBDE4A2D5FCDC /* Pet.swift */; }; + D6A7A18C454BE94EC381ACF62A5C0395 /* Promise+Properties.swift in Sources */ = {isa = PBXBuildFile; fileRef = EEC83C2388465D5E20AC3B7AB1A89598 /* Promise+Properties.swift */; }; + D6D6DA0925C9ED78AD69A2FDFB932637 /* ArrayTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 943AD326EA457918AA6124DF2D2A8AE5 /* ArrayTest.swift */; }; + DEDC903B7D25B4A1EC5DD0121AC4A061 /* Models.swift in Sources */ = {isa = PBXBuildFile; fileRef = EF4F0123552CEF7C9700A7F1DA9C2C73 /* Models.swift */; }; + E21AA237A1F3722BD5C665CB849FA3A9 /* AAA-CocoaPods-Hack.h in Headers */ = {isa = PBXBuildFile; fileRef = 3CC3B804336AF3F3AFF2B07AEECFEAF4 /* AAA-CocoaPods-Hack.h */; settings = {ATTRIBUTES = (Public, ); }; }; + E3F3D7CEB7236B02ECD9890375AEB6BD /* PMKFoundation.h in Headers */ = {isa = PBXBuildFile; fileRef = 8E0CA82D46C01CF9D9040A0B72EFC450 /* PMKFoundation.h */; settings = {ATTRIBUTES = (Public, ); }; }; + E40B6072F20607FFEC6F5D87DFCE2F1C /* Tag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 03A35854A2FF642B3B732D763DB0D0BD /* Tag.swift */; }; + EB965ACFDB00E961D1838A12316EA8B2 /* Dog.swift in Sources */ = {isa = PBXBuildFile; fileRef = EE24724902D07CDE0116B09FAFD21D57 /* Dog.swift */; }; + ECBEEDF59D8CE3B0B21F7F9C838F3FE8 /* PetstoreClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + EFD264FC408EBF3BA2528E70B08DDD94 /* Notifications.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2DE0CB8D9EE8A56D63B991586247B70A /* Notifications.swift */; }; + F52E70237451B2FB79A893A6966D823A /* NSURLSession+AnyPromise.m in Sources */ = {isa = PBXBuildFile; fileRef = A4014E38D44B543E62D949ECD429438E /* NSURLSession+AnyPromise.m */; }; + F6BECD98B97CBFEBE2C96F0E9E72A6C0 /* ResponseSerialization.swift in Sources */ = {isa = PBXBuildFile; fileRef = 82CFB52B2B1C4E72218F01A4034E11C4 /* ResponseSerialization.swift */; }; + F89B0413DFFEA450680338F7C246B41E /* Category.swift in Sources */ = {isa = PBXBuildFile; fileRef = A6E566ACDC2E2B9BD209C52F6FC3F038 /* Category.swift */; }; + F8B3D3092ED0417E8CDF32033F6122F5 /* Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = C3DD4689CB744B566DA645A762474D50 /* Alamofire.swift */; }; + FB4E9A4F7DCA11CFBB9A9E2FAC5F9CB2 /* Order.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0B517EAE75FC00740AEAA0C504C4B2C6 /* Order.swift */; }; + FD92028F6C830960E11FDE46CF037F74 /* AnimalFarm.swift in Sources */ = {isa = PBXBuildFile; fileRef = CFDD5568A22EED27D7570975E4B81B6B /* AnimalFarm.swift */; }; /* End PBXBuildFile section */ /* Begin PBXContainerItemProxy section */ - 3A3DE0D56298596A286332E1E6D759CF /* PBXContainerItemProxy */ = { + 2A6BC2BDF85DEE32D24F55450358C9B6 /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = 6E8FAB7D987FEA0DEA627C2BB5F75BC2; - remoteInfo = PetstoreClient; - }; - 42F5F8A25A7C8263A4E2783C391B3DC0 /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; - proxyType = 1; - remoteGlobalIDString = 79C040AFDDCE1BCBF6D8B5EB0B85887F; - remoteInfo = Alamofire; - }; - 5A5356C471BF8A0170A96E2CF165500B /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; - proxyType = 1; - remoteGlobalIDString = 79C040AFDDCE1BCBF6D8B5EB0B85887F; - remoteInfo = Alamofire; - }; - 7452F89479EB205BF28367D7943B9D6C /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; - proxyType = 1; - remoteGlobalIDString = 7C90C46E53F3D9FC09423420081FA283; + remoteGlobalIDString = 2F07725F48E73C43A46FE59759601BEF; remoteInfo = PromiseKit; }; - 9A7176B33ED02D51A6ACA4FE4B6ABF4C /* PBXContainerItemProxy */ = { + 9BA61370DC98B1CD175F001198ECC9BF /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = 7C90C46E53F3D9FC09423420081FA283; + remoteGlobalIDString = 88E9EC28B8B46C3631E6B242B50F4442; + remoteInfo = Alamofire; + }; + B173CFF2A1174933D7851E8CE1CA77AB /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; + proxyType = 1; + remoteGlobalIDString = A4C2C7D22F40AC539C7650EAEA13AB08; + remoteInfo = PetstoreClient; + }; + BBE116AAF20C2D98E0CC5B0D86765D22 /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; + proxyType = 1; + remoteGlobalIDString = 88E9EC28B8B46C3631E6B242B50F4442; + remoteInfo = Alamofire; + }; + F4F5C9A84714BE23040A5FB7588DA6BD /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; + proxyType = 1; + remoteGlobalIDString = 2F07725F48E73C43A46FE59759601BEF; remoteInfo = PromiseKit; }; /* End PBXContainerItemProxy section */ /* Begin PBXFileReference section */ - 00ACB4396DD1B4E4539E4E81C1D7A14E /* Pods-SwaggerClientTests.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = "Pods-SwaggerClientTests.modulemap"; sourceTree = ""; }; + 00ACB4396DD1B4E4539E4E81C1D7A14E /* Pods-SwaggerClientTests.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = "Pods-SwaggerClientTests.modulemap"; sourceTree = ""; }; 014E5D632F701B5475864F8DA8F346C8 /* Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Promise.swift; path = Sources/Promise.swift; sourceTree = ""; }; - 0201E969990A7EAA391DDC4CBEACA172 /* UIKit.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = UIKit.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS9.3.sdk/System/Library/Frameworks/UIKit.framework; sourceTree = DEVELOPER_DIR; }; 02F28E719AA874BE9213D6CF8CE7E36B /* Pods-SwaggerClientTests-acknowledgements.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = "Pods-SwaggerClientTests-acknowledgements.plist"; sourceTree = ""; }; + 03A35854A2FF642B3B732D763DB0D0BD /* Tag.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Tag.swift; sourceTree = ""; }; 0420A6E98A802B7D0FF739CED8893FD5 /* AnyPromise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AnyPromise.swift; path = Sources/AnyPromise.swift; sourceTree = ""; }; 0A0A7AF3E4D82A790BC8A16BB4972FA7 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; - 0B4A4A4EB2DBD6F56B1383E53763FD1B /* PetstoreClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = PetstoreClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 0B4A4A4EB2DBD6F56B1383E53763FD1B /* PetstoreClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = PetstoreClient.framework; path = PetstoreClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; 0B4BA042C159AFFFDEE0C9BCE6ACAD9D /* CALayer+AnyPromise.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = "CALayer+AnyPromise.h"; path = "Extensions/QuartzCore/Sources/CALayer+AnyPromise.h"; sourceTree = ""; }; + 0B517EAE75FC00740AEAA0C504C4B2C6 /* Order.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Order.swift; sourceTree = ""; }; + 0FE6ECDC7B7878E609AEE401961BF14E /* Client.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Client.swift; sourceTree = ""; }; 1086C6D02B8209F1576418553B33DD50 /* Promise+AnyPromise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Promise+AnyPromise.swift"; path = "Sources/Promise+AnyPromise.swift"; sourceTree = ""; }; 1102E92E9FED9575EBF7E17B7DC1E96E /* PromiseKit-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "PromiseKit-dummy.m"; sourceTree = ""; }; - 118386CB29E583E2BCF45FFB0C584C22 /* UserAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = UserAPI.swift; sourceTree = ""; }; - 11A9D1B03B658EFF2011FD4ADF5B2C9B /* FormatTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FormatTest.swift; sourceTree = ""; }; 1304EED5AC84CF588B123A172ACD0806 /* when.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = when.m; path = Sources/when.m; sourceTree = ""; }; - 143E557A35666A5C3FB6A5EC601425AE /* Tag.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Tag.swift; sourceTree = ""; }; + 139DB709435F037DC55BE45FDFF8D13D /* Name.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Name.swift; sourceTree = ""; }; 19B892C7CE6610E1CA2ADC23C7B1C5B9 /* ServerTrustPolicy.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ServerTrustPolicy.swift; path = Source/ServerTrustPolicy.swift; sourceTree = ""; }; - 1C79F2ABDEC68FB086941B1667F653AC /* Name.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Name.swift; sourceTree = ""; }; - 1FCFC11EBD20C97FB1BC4EFAEC6FEB37 /* EnumArrays.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumArrays.swift; sourceTree = ""; }; - 21B120C00973CD2A57F3D566E760AF3E /* ArrayTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayTest.swift; sourceTree = ""; }; + 2141FBF0CC0A4A8349C016ECD4ABBEE2 /* QuartzCore.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = QuartzCore.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS10.0.sdk/System/Library/Frameworks/QuartzCore.framework; sourceTree = DEVELOPER_DIR; }; 224C111794C4D7FFC61F6867FBD791BC /* afterlife.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = afterlife.swift; path = Extensions/Foundation/Sources/afterlife.swift; sourceTree = ""; }; - 2364F4EAC509113B38791789DFC9F1E7 /* Order.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Order.swift; sourceTree = ""; }; 25BA8DC5966D62A8CA1B3F157C580DCF /* Process+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Process+Promise.swift"; path = "Extensions/Foundation/Sources/Process+Promise.swift"; sourceTree = ""; }; + 26F0BD741D5BE8D7ECA2569B96E3F60C /* ApiResponse.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ApiResponse.swift; sourceTree = ""; }; 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Pods-SwaggerClient-dummy.m"; sourceTree = ""; }; + 2A0F510D3CD5F6FE074AA8A702B78FD4 /* APIHelper.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIHelper.swift; sourceTree = ""; }; + 2ABF01CA3A8264BCD945D29D45416B97 /* UIKit.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = UIKit.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS10.0.sdk/System/Library/Frameworks/UIKit.framework; sourceTree = DEVELOPER_DIR; }; + 2B96675384F47A8DB92E2D3370733CC1 /* EnumClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumClass.swift; sourceTree = ""; }; 2DE0CB8D9EE8A56D63B991586247B70A /* Notifications.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Notifications.swift; path = Source/Notifications.swift; sourceTree = ""; }; - 2E1E790656723DC52EAB91FF86121D3D /* Return.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Return.swift; sourceTree = ""; }; - 2E73416EE991BBE43467BA22F2A155A5 /* Models.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Models.swift; sourceTree = ""; }; 2F0DEFA8B8F894D4BFC00D53E40611EC /* Request.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Request.swift; path = Source/Request.swift; sourceTree = ""; }; 2FF17440CCD2E1A69791A4AA23325AD5 /* Pods-SwaggerClient-acknowledgements.markdown */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text; path = "Pods-SwaggerClient-acknowledgements.markdown"; sourceTree = ""; }; 3062847491C8BC5B070E148F4D2EEA44 /* UIView+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "UIView+Promise.swift"; path = "Extensions/UIKit/Sources/UIView+Promise.swift"; sourceTree = ""; }; 31C1E6D58B97D8A79ACB24E2A8CF508A /* after.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = after.m; path = Sources/after.m; sourceTree = ""; }; - 31C953CB2AF9E4E3D884BBA68E728307 /* Model200Response.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Model200Response.swift; sourceTree = ""; }; 31D680492464F6D65F2FAFA3D645CFFC /* PromiseKit.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = PromiseKit.framework; sourceTree = BUILT_PRODUCTS_DIR; }; 3227553C2F6B960B53F2DADD2091E856 /* SessionManager.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SessionManager.swift; path = Source/SessionManager.swift; sourceTree = ""; }; 3540D424937D0B066D6FA030EB64073A /* NSURLSession+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "NSURLSession+Promise.swift"; path = "Extensions/Foundation/Sources/NSURLSession+Promise.swift"; sourceTree = ""; }; 35F3AD63395BE11BFBC10A36D828B4BA /* NSObject+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "NSObject+Promise.swift"; path = "Extensions/Foundation/Sources/NSObject+Promise.swift"; sourceTree = ""; }; - 37CE09CBDF55D26A9D95DD15E7DEA056 /* MixedPropertiesAndAdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MixedPropertiesAndAdditionalPropertiesClass.swift; sourceTree = ""; }; - 37E47D71F3FB3E8B7FBEA178972FB52D /* Category.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Category.swift; sourceTree = ""; }; - 3A7FD39D7BA8415D865896B06564C124 /* List.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = List.swift; sourceTree = ""; }; + 37E5B1C1BA4FC86C3AD6DD6412AD5C3F /* APIs.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIs.swift; sourceTree = ""; }; 3CC3B804336AF3F3AFF2B07AEECFEAF4 /* AAA-CocoaPods-Hack.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = "AAA-CocoaPods-Hack.h"; path = "Sources/AAA-CocoaPods-Hack.h"; sourceTree = ""; }; + 3D74E3639B8306BCE21EAC827F2D0F06 /* Model200Response.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Model200Response.swift; sourceTree = ""; }; 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Pods-SwaggerClient-umbrella.h"; sourceTree = ""; }; 3F16B43ABD2C8CD4A311AA1AB3B6C02F /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; - 42105B8EAB28DFBC1FD088D5D8C08610 /* EnumTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumTest.swift; sourceTree = ""; }; 43FC49AA70D3E2A84CAED9C37BE9C4B5 /* Pods-SwaggerClientTests-frameworks.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClientTests-frameworks.sh"; sourceTree = ""; }; - 46A00B403166BEF9EE215F6CB59BE9A6 /* Pods_SwaggerClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_SwaggerClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 46A00B403166BEF9EE215F6CB59BE9A6 /* Pods_SwaggerClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Pods_SwaggerClient.framework; path = "Pods-SwaggerClient.framework"; sourceTree = BUILT_PRODUCTS_DIR; }; 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "PetstoreClient-dummy.m"; sourceTree = ""; }; + 46ADFA647DB262579870CDE7A7A9B130 /* PetAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = PetAPI.swift; sourceTree = ""; }; + 46C5EA7F33E59F5A0BAC7ED154EF5189 /* FakeAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FakeAPI.swift; sourceTree = ""; }; 475A72056C770A5978AB453E7DC5B3AE /* Result.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Result.swift; path = Source/Result.swift; sourceTree = ""; }; - 4B50A816814713052A83AD22ECB8E19D /* Animal.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Animal.swift; sourceTree = ""; }; 4C1356040CC9A1CCCED79A1A510AF74E /* Alamofire-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Alamofire-prefix.pch"; sourceTree = ""; }; - 4EBAF179E866C1F42E3C9F85162E2792 /* ArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfNumberOnly.swift; sourceTree = ""; }; - 4F28DB75084895EF23EDBC499D8B8BAE /* Cat.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Cat.swift; sourceTree = ""; }; - 4F39F86B95E00A8F5D3151546774474C /* QuartzCore.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = QuartzCore.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS9.3.sdk/System/Library/Frameworks/QuartzCore.framework; sourceTree = DEVELOPER_DIR; }; + 4D623BDE9C79D43A58D9951169D5DCE8 /* EnumTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumTest.swift; sourceTree = ""; }; 51E0E750323BD31207928C6D05DBA443 /* ParameterEncoding.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ParameterEncoding.swift; path = Source/ParameterEncoding.swift; sourceTree = ""; }; - 540B42E772FF76C6D4F5E68CCDADA9B3 /* ArrayOfArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfArrayOfNumberOnly.swift; sourceTree = ""; }; 549C6527D10094289B101749047807C5 /* Pods-SwaggerClient.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClient.debug.xcconfig"; sourceTree = ""; }; 55C59BF01739AFC4AFBC6C0CA21E1281 /* GlobalState.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = GlobalState.m; path = Sources/GlobalState.m; sourceTree = ""; }; 5EC4308B7612B198A3DEB3D53BA6C714 /* when.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = when.swift; path = Sources/when.swift; sourceTree = ""; }; - 5F939073B0FDC62477A0C4F8E9AB7131 /* SpecialModelName.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = SpecialModelName.swift; sourceTree = ""; }; 600E21CC3F1F60E6D889599C86B4B091 /* join.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = join.swift; path = Sources/join.swift; sourceTree = ""; }; - 6097AF9273FDB02C8A4DED04AFF6B4AD /* AnimalFarm.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AnimalFarm.swift; sourceTree = ""; }; 610353C0BB40AB8E5F156F610B708B48 /* PMKQuartzCore.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = PMKQuartzCore.h; path = Extensions/QuartzCore/Sources/PMKQuartzCore.h; sourceTree = ""; }; - 6292ECC342913CF10F15F320C0D10143 /* AlamofireImplementations.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AlamofireImplementations.swift; sourceTree = ""; }; 641D30DAD8B334C67D53DB9FE3E1156F /* TaskDelegate.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = TaskDelegate.swift; path = Source/TaskDelegate.swift; sourceTree = ""; }; 650FB90BA05FD8D3E51FE82393B780C8 /* Alamofire.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = Alamofire.xcconfig; sourceTree = ""; }; 672D6F06D216BD1D32C43B453833E8E6 /* hang.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = hang.m; path = Sources/hang.m; sourceTree = ""; }; + 674818A79F12C550C32D5B20F9F2904C /* EnumArrays.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumArrays.swift; sourceTree = ""; }; 67770C53F61B120779C48390416EB044 /* PromiseKit-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PromiseKit-umbrella.h"; sourceTree = ""; }; 68757F29FA6F6C42DBA6342A3E62044D /* NetworkReachabilityManager.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = NetworkReachabilityManager.swift; path = Source/NetworkReachabilityManager.swift; sourceTree = ""; }; 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Pods-SwaggerClientTests-dummy.m"; sourceTree = ""; }; 68C177905D87D3E69C40A1723AF56E24 /* NSNotificationCenter+AnyPromise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = "NSNotificationCenter+AnyPromise.m"; path = "Extensions/Foundation/Sources/NSNotificationCenter+AnyPromise.m"; sourceTree = ""; }; + 6A6FD821125243353793A74C26AF6AB2 /* ArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfNumberOnly.swift; sourceTree = ""; }; 6C7ACDC625BF00A435AF4AB3554CDDF0 /* Alamofire-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Alamofire-umbrella.h"; sourceTree = ""; }; - 6E9F0D4DC6F738F2ECF8D716B7A9A5C7 /* APIs.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIs.swift; sourceTree = ""; }; + 6E742DEDE04FF6FAEC9F376ED9E6AE2C /* AdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AdditionalPropertiesClass.swift; sourceTree = ""; }; + 71DB61F02CAB93E7ED7B2ECA67F3CF6C /* NumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = NumberOnly.swift; sourceTree = ""; }; 72A2A6E3FD9EFC2CFA02AC9C17BA3508 /* PromiseKit.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = PromiseKit.xcconfig; sourceTree = ""; }; + 7827148096A3B614608E8642496DB653 /* AlamofireImplementations.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AlamofireImplementations.swift; sourceTree = ""; }; + 7AAF332E1A7441FB724BBDE4A2D5FCDC /* Pet.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Pet.swift; sourceTree = ""; }; 7C8E63660D346FD8ED2A97242E74EA09 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; + 7DA5C1095D6C6A40025C2D36EE2C810E /* SpecialModelName.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = SpecialModelName.swift; sourceTree = ""; }; 7F4116A7A397363D941196320EA84BC1 /* AnyPromise.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = AnyPromise.h; path = Sources/AnyPromise.h; sourceTree = ""; }; 7F579316D9B5DAF5EFCED476D27DEAEA /* UIViewController+AnyPromise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = "UIViewController+AnyPromise.m"; path = "Extensions/UIKit/Sources/UIViewController+AnyPromise.m"; sourceTree = ""; }; 82CFB52B2B1C4E72218F01A4034E11C4 /* ResponseSerialization.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ResponseSerialization.swift; path = Source/ResponseSerialization.swift; sourceTree = ""; }; @@ -245,73 +246,80 @@ 849FECBC6CC67F2B6800F982927E3A9E /* Pods-SwaggerClientTests.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClientTests.release.xcconfig"; sourceTree = ""; }; 8607C5939D9A3C9A5C67F51A040CDDF7 /* race.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = race.swift; path = Sources/race.swift; sourceTree = ""; }; 86B1DDCB9E27DF43C2C35D9E7B2E84DA /* Pods-SwaggerClient.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClient.release.xcconfig"; sourceTree = ""; }; + 882D08B71AAD3418842BE142C533D36B /* Cat.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Cat.swift; sourceTree = ""; }; + 8A79C16689E69DE8EF122B5638FFC47D /* List.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = List.swift; sourceTree = ""; }; 8B3F10BF844C95EF5F0B4A460226542F /* Zalgo.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Zalgo.swift; path = Sources/Zalgo.swift; sourceTree = ""; }; - 8BBF3490280C4ED53738743F84C890BC /* Pods_SwaggerClientTests.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_SwaggerClientTests.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 8BBF3490280C4ED53738743F84C890BC /* Pods_SwaggerClientTests.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Pods_SwaggerClientTests.framework; path = "Pods-SwaggerClientTests.framework"; sourceTree = BUILT_PRODUCTS_DIR; }; 8E0CA82D46C01CF9D9040A0B72EFC450 /* PMKFoundation.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = PMKFoundation.h; path = Extensions/Foundation/Sources/PMKFoundation.h; sourceTree = ""; }; - 93A4A3777CF96A4AAC1D13BA6DCCEA73 /* Podfile */ = {isa = PBXFileReference; explicitFileType = text.script.ruby; includeInIndex = 1; name = Podfile; path = ../Podfile; sourceTree = SOURCE_ROOT; xcLanguageSpecificationIdentifier = xcode.lang.ruby; }; + 93A4A3777CF96A4AAC1D13BA6DCCEA73 /* Podfile */ = {isa = PBXFileReference; explicitFileType = text.script.ruby; includeInIndex = 1; lastKnownFileType = text; name = Podfile; path = ../Podfile; sourceTree = SOURCE_ROOT; xcLanguageSpecificationIdentifier = xcode.lang.ruby; }; 943618599D753D3CF9CEA416875D6417 /* Validation.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Validation.swift; path = Source/Validation.swift; sourceTree = ""; }; + 943AD326EA457918AA6124DF2D2A8AE5 /* ArrayTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayTest.swift; sourceTree = ""; }; 953E494EB3C1706255C7334E653A731F /* NSURLSession+AnyPromise.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = "NSURLSession+AnyPromise.h"; path = "Extensions/Foundation/Sources/NSURLSession+AnyPromise.h"; sourceTree = ""; }; 969C2AF48F4307163B301A92E78AFCF2 /* Pods-SwaggerClientTests.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClientTests.debug.xcconfig"; sourceTree = ""; }; - 9928726B622806E400277C57963B354B /* Client.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Client.swift; sourceTree = ""; }; + 9CFD31C609D01246A22B3FA2FFB24D83 /* Extensions.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Extensions.swift; sourceTree = ""; }; 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PetstoreClient-umbrella.h"; sourceTree = ""; }; + A1CA3CB3CA69090E8097D77974F95F4E /* User.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = User.swift; sourceTree = ""; }; + A20AD60386D12E72B2313A4ED186F1FE /* ReadOnlyFirst.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ReadOnlyFirst.swift; sourceTree = ""; }; A38EF75758FDC19EA04F1E3B687C0720 /* UIView+AnyPromise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = "UIView+AnyPromise.m"; path = "Extensions/UIKit/Sources/UIView+AnyPromise.m"; sourceTree = ""; }; A4014E38D44B543E62D949ECD429438E /* NSURLSession+AnyPromise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = "NSURLSession+AnyPromise.m"; path = "Extensions/Foundation/Sources/NSURLSession+AnyPromise.m"; sourceTree = ""; }; A4AECF8B352819D57BE253B02387B58E /* SessionDelegate.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SessionDelegate.swift; path = Source/SessionDelegate.swift; sourceTree = ""; }; - A73F00E8ED2521B115946B7E20B760AF /* APIHelper.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIHelper.swift; sourceTree = ""; }; + A6E566ACDC2E2B9BD209C52F6FC3F038 /* Category.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Category.swift; sourceTree = ""; }; + A776729DD3FE9677991E54DE267FD577 /* StoreAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = StoreAPI.swift; sourceTree = ""; }; A7BDFD0DF37B5486E551586F9BE6461A /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; A892DE8D9CD61A4CD6E2F5050BEBB33C /* dispatch_promise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = dispatch_promise.m; path = Sources/dispatch_promise.m; sourceTree = ""; }; A9C293E5B97634F2AFB5DE9B717FB52D /* PMKUIKit.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = PMKUIKit.h; path = Extensions/UIKit/Sources/PMKUIKit.h; sourceTree = ""; }; - AAB8DD3379CB8E9DB0DC9E6B18356204 /* Dog.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Dog.swift; sourceTree = ""; }; - AC8DF8745F891F2A12590D73550D0490 /* HasOnlyReadOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = HasOnlyReadOnly.swift; sourceTree = ""; }; - AD3B511F5C43568AAFBA2714468F9FD5 /* PromiseKit.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = PromiseKit.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + ACBCE80BA837EB73E5A6E45B40F004B8 /* UserAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = UserAPI.swift; sourceTree = ""; }; + AD3B511F5C43568AAFBA2714468F9FD5 /* PromiseKit.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = PromiseKit.framework; path = PromiseKit.framework; sourceTree = BUILT_PRODUCTS_DIR; }; ADD03A6FFC7820FC39EB334B7A876C95 /* CALayer+AnyPromise.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = "CALayer+AnyPromise.m"; path = "Extensions/QuartzCore/Sources/CALayer+AnyPromise.m"; sourceTree = ""; }; - B1300E3C28C82031FA5C87A7FE3B1EB9 /* Pet.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Pet.swift; sourceTree = ""; }; B3A144887C8B13FD888B76AB096B0CA1 /* PetstoreClient-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PetstoreClient-prefix.pch"; sourceTree = ""; }; - B4CA6814AE828DFEC4A4C2C8C1D6CEA2 /* ApiResponse.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ApiResponse.swift; sourceTree = ""; }; B4D62EE8B1462895E942C6BEBA9808F3 /* wrap.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = wrap.swift; path = Sources/wrap.swift; sourceTree = ""; }; - B4E90BC12F77D66B96AB27E026B2071E /* NumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = NumberOnly.swift; sourceTree = ""; }; B8CEAF5B3068E8A58462C59E6DCD1BC3 /* PromiseKit.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = PromiseKit.h; path = Sources/PromiseKit.h; sourceTree = ""; }; + B98974498DE6D6290EEA35B2A9E347BB /* ArrayOfArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfArrayOfNumberOnly.swift; sourceTree = ""; }; + B9EB90FD68C4C823BA7428D94E80A7B3 /* Return.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Return.swift; sourceTree = ""; }; BA41E8232A346AA1E66937BC82A37175 /* UIView+AnyPromise.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = "UIView+AnyPromise.h"; path = "Extensions/UIKit/Sources/UIView+AnyPromise.h"; sourceTree = ""; }; BB3EC60818C52E3F7D6E9AC7C315506E /* NSNotificationCenter+AnyPromise.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = "NSNotificationCenter+AnyPromise.h"; path = "Extensions/Foundation/Sources/NSNotificationCenter+AnyPromise.h"; sourceTree = ""; }; - BC23A659B67F5C77068CA536C88CA9D0 /* PetAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = PetAPI.swift; sourceTree = ""; }; BCF2D4DFF08D2A18E8C8FE4C4B4633FB /* Pods-SwaggerClient-frameworks.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClient-frameworks.sh"; sourceTree = ""; }; - C0C4B8ED879AE799525B69F4E8C51B1E /* Alamofire.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = Alamofire.modulemap; sourceTree = ""; }; + C0C4B8ED879AE799525B69F4E8C51B1E /* Alamofire.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = Alamofire.modulemap; sourceTree = ""; }; C3DD4689CB744B566DA645A762474D50 /* Alamofire.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Alamofire.swift; path = Source/Alamofire.swift; sourceTree = ""; }; C6B15850C3302E3C81EEB72D7368C648 /* URLDataPromise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = URLDataPromise.swift; path = Extensions/Foundation/Sources/URLDataPromise.swift; sourceTree = ""; }; + C779250D7B6267BBEC8FA6A297E951FD /* MixedPropertiesAndAdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MixedPropertiesAndAdditionalPropertiesClass.swift; sourceTree = ""; }; C8D1C522E58C644AD02E34E93B98F790 /* UIViewController+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "UIViewController+Promise.swift"; path = "Extensions/UIKit/Sources/UIViewController+Promise.swift"; sourceTree = ""; }; - C9B2737214A9FBDFAFE4EFE2C5622B27 /* ReadOnlyFirst.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ReadOnlyFirst.swift; sourceTree = ""; }; + C8F4E041B8F062D0E58498A365070ED8 /* Foundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS10.0.sdk/System/Library/Frameworks/Foundation.framework; sourceTree = DEVELOPER_DIR; }; CF7474663A857DD4540585C7AABD1E42 /* MultipartFormData.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = MultipartFormData.swift; path = Source/MultipartFormData.swift; sourceTree = ""; }; CFAA60BD6819F52D268E502118C80036 /* UIViewController+AnyPromise.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; name = "UIViewController+AnyPromise.h"; path = "Extensions/UIKit/Sources/UIViewController+AnyPromise.h"; sourceTree = ""; }; - D11474778F047568D70A058D0CC9908C /* PromiseKit.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = PromiseKit.modulemap; sourceTree = ""; }; + CFDD5568A22EED27D7570975E4B81B6B /* AnimalFarm.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AnimalFarm.swift; sourceTree = ""; }; + D11474778F047568D70A058D0CC9908C /* PromiseKit.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = PromiseKit.modulemap; sourceTree = ""; }; D2841E5E2183846280B97F6E660DA26C /* Pods-SwaggerClient-resources.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClient-resources.sh"; sourceTree = ""; }; D45A07C99ED32B256577C4542BDC9393 /* Error.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Error.swift; path = Sources/Error.swift; sourceTree = ""; }; D5021828D3563560F50658622F55322A /* Response.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Response.swift; path = Source/Response.swift; sourceTree = ""; }; - D6115C108A2F1445CCA165DCE5321009 /* EnumClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumClass.swift; sourceTree = ""; }; - DA5890350085598E55D46BC00D882BF7 /* Foundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS9.3.sdk/System/Library/Frameworks/Foundation.framework; sourceTree = DEVELOPER_DIR; }; DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = PetstoreClient.xcconfig; sourceTree = ""; }; - DE164497A94DD3215ED4D1AE0D4703B1 /* Pods-SwaggerClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = "Pods-SwaggerClient.modulemap"; sourceTree = ""; }; + DB59A7DB4A9B911E525ECC513D74D00D /* Fake_classname_tags123API.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Fake_classname_tags123API.swift; sourceTree = ""; }; + DDAFDF0366C6686A7B947426AF20A128 /* FakeclassnametagsAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FakeclassnametagsAPI.swift; sourceTree = ""; }; + DE164497A94DD3215ED4D1AE0D4703B1 /* Pods-SwaggerClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = "Pods-SwaggerClient.modulemap"; sourceTree = ""; }; DE1F85E7E3FAA9A172563E4992201A0E /* State.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = State.swift; path = Sources/State.swift; sourceTree = ""; }; - DFF589887A9AAE06637E527EC61117B0 /* MapTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MapTest.swift; sourceTree = ""; }; + DE8B2057191DB8F5E2AE31FB27135B6C /* MapTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MapTest.swift; sourceTree = ""; }; E1E4BCB344D3C100253B24B79421F00A /* Pods-SwaggerClient-acknowledgements.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = "Pods-SwaggerClient-acknowledgements.plist"; sourceTree = ""; }; E2D5F5CDD000BE501DC7A67000D6E13E /* NSNotificationCenter+Promise.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "NSNotificationCenter+Promise.swift"; path = "Extensions/Foundation/Sources/NSNotificationCenter+Promise.swift"; sourceTree = ""; }; - E3D1141B63DF38660CD6F3AC588A782B /* PetstoreClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = PetstoreClient.modulemap; sourceTree = ""; }; - E3FF8700849757249B929D7AFF652CD6 /* Extensions.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Extensions.swift; sourceTree = ""; }; + E3D1141B63DF38660CD6F3AC588A782B /* PetstoreClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = PetstoreClient.modulemap; sourceTree = ""; }; E4E6F4A58FE7868CA2177D3AC79AD2FA /* Pods-SwaggerClientTests-resources.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClientTests-resources.sh"; sourceTree = ""; }; - E80A16C989615AAE419866DB4FD10185 /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; - E906A19EC726985BD8493A893CA9DD65 /* FakeAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FakeAPI.swift; sourceTree = ""; }; + E80A16C989615AAE419866DB4FD10185 /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Alamofire.framework; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + EA68C5328B3080DB6504E903EE8FC138 /* OuterEnum.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = OuterEnum.swift; sourceTree = ""; }; + EB3C91F15E6A6CE25AA56BB132BD2282 /* FormatTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FormatTest.swift; sourceTree = ""; }; ECDBBBEA6B1D541E75FAC6009172DE8A /* PMKAlertController.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = PMKAlertController.swift; path = Extensions/UIKit/Sources/PMKAlertController.swift; sourceTree = ""; }; + EE24724902D07CDE0116B09FAFD21D57 /* Dog.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Dog.swift; sourceTree = ""; }; EEC83C2388465D5E20AC3B7AB1A89598 /* Promise+Properties.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Promise+Properties.swift"; path = "Sources/Promise+Properties.swift"; sourceTree = ""; }; + EF4F0123552CEF7C9700A7F1DA9C2C73 /* Models.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Models.swift; sourceTree = ""; }; F072E2B4C3F979A29DE7EE79A14510D5 /* after.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = after.swift; path = Sources/after.swift; sourceTree = ""; }; F0D4E00A8974E74325E9E53D456F9AD4 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; F20826EF67AE5149D903E774F67507DD /* Alamofire-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Alamofire-dummy.m"; sourceTree = ""; }; F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Pods-SwaggerClientTests-umbrella.h"; sourceTree = ""; }; - F2E15D74AD528E3350D207603BBA1DF4 /* StoreAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = StoreAPI.swift; sourceTree = ""; }; - F328163C591BBCCD1909AFA5B31CE95A /* AdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AdditionalPropertiesClass.swift; sourceTree = ""; }; F35E3788DA69834B7CF86EC61FEB453C /* AFError.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AFError.swift; path = Source/AFError.swift; sourceTree = ""; }; + F3E1EA7F03A8F7699B4A38A0059B6DB6 /* Animal.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Animal.swift; sourceTree = ""; }; F53D6FE99858297507D97FCDF5F0F461 /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + F607471BF9870E491AA86EFB89E5ACF9 /* HasOnlyReadOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = HasOnlyReadOnly.swift; sourceTree = ""; }; F738520F03FD7B756BB4DF21CF3DF1DC /* Timeline.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Timeline.swift; path = Source/Timeline.swift; sourceTree = ""; }; F7C414EFC68CF0C5DB0E5D9E33863B44 /* DispatchQueue+Alamofire.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "DispatchQueue+Alamofire.swift"; path = "Source/DispatchQueue+Alamofire.swift"; sourceTree = ""; }; - F8180325E22D8580EFE2473A67C0EAC0 /* User.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = User.swift; sourceTree = ""; }; + F7D5B61AC90BA0704509CAE6D0F2685B /* ClassModel.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ClassModel.swift; sourceTree = ""; }; FB170EFD14935F121CDE3211DB4C5CA3 /* Pods-SwaggerClientTests-acknowledgements.markdown */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text; path = "Pods-SwaggerClientTests-acknowledgements.markdown"; sourceTree = ""; }; FF245AC2EC1DA36EB272725113315E6E /* PromiseKit-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PromiseKit-prefix.pch"; sourceTree = ""; }; FFBAD31632AB483A77990C7EDC2BA25F /* join.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; name = join.m; path = Sources/join.m; sourceTree = ""; }; @@ -319,47 +327,47 @@ /* End PBXFileReference section */ /* Begin PBXFrameworksBuildPhase section */ - 39E591169CA4720B3FCA0DF003B45D52 /* Frameworks */ = { + 1D8C8B25D2467630E50174D221B39B90 /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 5ED391F6A7FB88FFF03ACFCB194A6B72 /* Foundation.framework in Frameworks */, + C0C4450B687C7F4706A5E8ADD7826A85 /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - 664599F87AB8204DDDC3985F405491C2 /* Frameworks */ = { + 87AF7EC7404199AC8C5D22375A6059BF /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - CE51954402C775B399EEA5F25FF6C699 /* Foundation.framework in Frameworks */, - D8AA43FFEE70F481C74561F18017A957 /* QuartzCore.framework in Frameworks */, - 55259C0419C5759C6FA8F6D058A033FE /* UIKit.framework in Frameworks */, + D32130A2C8AC5B1FF21AF43BCC2B5217 /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - A86D0C7C3137E2D7043B1E1FC0F33619 /* Frameworks */ = { + 892B54EBB2F5D5F31E1D7645456F72C5 /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 7475D3D96CBDF5788C340DFA8518BF8B /* Alamofire.framework in Frameworks */, - 32798E2F23E3555372C9585BA0E0F0DD /* Foundation.framework in Frameworks */, - FB239299E105181419D66576C497EF8E /* PromiseKit.framework in Frameworks */, + 6539895454AEBD0B82D93A21242B1E5E /* Alamofire.framework in Frameworks */, + A38DF57E3A07CD76C1D78528A104D7B1 /* Foundation.framework in Frameworks */, + 7998839A6E7F0984C400BE7772BB4DFF /* PromiseKit.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - B1729F851F648EC60EE93CDB3C8BAEAD /* Frameworks */ = { + 99195E4207764744AEC07ECCBCD550EB /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 91C09AC2A52ED69A27C8D923139A006F /* Foundation.framework in Frameworks */, + A04BFC558D69E7DBB68023C80A9CFE4E /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - FE8FC779CF4B0CFCC594E81C0FF86C7E /* Frameworks */ = { + FB125815E9673AE44BE146A623C06A12 /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - F206C370F63155D3468E0C188498C5DC /* Foundation.framework in Frameworks */, + 444858F752BEFE58EBDC39DADD8A6833 /* Foundation.framework in Frameworks */, + 5CF1F4240FFC110ECF54A98390600413 /* QuartzCore.framework in Frameworks */, + 238F6D3DCD64E47F802C387B7E6D447C /* UIKit.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; @@ -388,14 +396,57 @@ path = "../Target Support Files/Alamofire"; sourceTree = ""; }; - 5514544ED55E96399A7D6C79579A893A /* iOS */ = { + 49183FCAF0F17F400CC0C62EA451806A /* Models */ = { isa = PBXGroup; children = ( - DA5890350085598E55D46BC00D882BF7 /* Foundation.framework */, - 4F39F86B95E00A8F5D3151546774474C /* QuartzCore.framework */, - 0201E969990A7EAA391DDC4CBEACA172 /* UIKit.framework */, + 6E742DEDE04FF6FAEC9F376ED9E6AE2C /* AdditionalPropertiesClass.swift */, + F3E1EA7F03A8F7699B4A38A0059B6DB6 /* Animal.swift */, + CFDD5568A22EED27D7570975E4B81B6B /* AnimalFarm.swift */, + 26F0BD741D5BE8D7ECA2569B96E3F60C /* ApiResponse.swift */, + B98974498DE6D6290EEA35B2A9E347BB /* ArrayOfArrayOfNumberOnly.swift */, + 6A6FD821125243353793A74C26AF6AB2 /* ArrayOfNumberOnly.swift */, + 943AD326EA457918AA6124DF2D2A8AE5 /* ArrayTest.swift */, + 882D08B71AAD3418842BE142C533D36B /* Cat.swift */, + A6E566ACDC2E2B9BD209C52F6FC3F038 /* Category.swift */, + F7D5B61AC90BA0704509CAE6D0F2685B /* ClassModel.swift */, + 0FE6ECDC7B7878E609AEE401961BF14E /* Client.swift */, + EE24724902D07CDE0116B09FAFD21D57 /* Dog.swift */, + 674818A79F12C550C32D5B20F9F2904C /* EnumArrays.swift */, + 2B96675384F47A8DB92E2D3370733CC1 /* EnumClass.swift */, + 4D623BDE9C79D43A58D9951169D5DCE8 /* EnumTest.swift */, + EB3C91F15E6A6CE25AA56BB132BD2282 /* FormatTest.swift */, + F607471BF9870E491AA86EFB89E5ACF9 /* HasOnlyReadOnly.swift */, + 8A79C16689E69DE8EF122B5638FFC47D /* List.swift */, + DE8B2057191DB8F5E2AE31FB27135B6C /* MapTest.swift */, + C779250D7B6267BBEC8FA6A297E951FD /* MixedPropertiesAndAdditionalPropertiesClass.swift */, + 3D74E3639B8306BCE21EAC827F2D0F06 /* Model200Response.swift */, + 139DB709435F037DC55BE45FDFF8D13D /* Name.swift */, + 71DB61F02CAB93E7ED7B2ECA67F3CF6C /* NumberOnly.swift */, + 0B517EAE75FC00740AEAA0C504C4B2C6 /* Order.swift */, + EA68C5328B3080DB6504E903EE8FC138 /* OuterEnum.swift */, + 7AAF332E1A7441FB724BBDE4A2D5FCDC /* Pet.swift */, + A20AD60386D12E72B2313A4ED186F1FE /* ReadOnlyFirst.swift */, + B9EB90FD68C4C823BA7428D94E80A7B3 /* Return.swift */, + 7DA5C1095D6C6A40025C2D36EE2C810E /* SpecialModelName.swift */, + 03A35854A2FF642B3B732D763DB0D0BD /* Tag.swift */, + A1CA3CB3CA69090E8097D77974F95F4E /* User.swift */, ); - name = iOS; + name = Models; + path = Models; + sourceTree = ""; + }; + 5057832E4BF5A63A3D14138D4DC02A76 /* APIs */ = { + isa = PBXGroup; + children = ( + DB59A7DB4A9B911E525ECC513D74D00D /* Fake_classname_tags123API.swift */, + 46C5EA7F33E59F5A0BAC7ED154EF5189 /* FakeAPI.swift */, + DDAFDF0366C6686A7B947426AF20A128 /* FakeclassnametagsAPI.swift */, + 46ADFA647DB262579870CDE7A7A9B130 /* PetAPI.swift */, + A776729DD3FE9677991E54DE267FD577 /* StoreAPI.swift */, + ACBCE80BA837EB73E5A6E45B40F004B8 /* UserAPI.swift */, + ); + name = APIs; + path = APIs; sourceTree = ""; }; 718049C6C874B1945A7D3E08DB545919 /* Support Files */ = { @@ -454,17 +505,6 @@ ); sourceTree = ""; }; - 88ACCBA930FB2930A6EB5386B54BB6AC /* APIs */ = { - isa = PBXGroup; - children = ( - E906A19EC726985BD8493A893CA9DD65 /* FakeAPI.swift */, - BC23A659B67F5C77068CA536C88CA9D0 /* PetAPI.swift */, - F2E15D74AD528E3350D207603BBA1DF4 /* StoreAPI.swift */, - 118386CB29E583E2BCF45FFB0C584C22 /* UserAPI.swift */, - ); - path = APIs; - sourceTree = ""; - }; 88CE2B3F08C34DDB098AD8A5DCC1DF1E /* Pods-SwaggerClient */ = { isa = PBXGroup; children = ( @@ -483,40 +523,14 @@ path = "Target Support Files/Pods-SwaggerClient"; sourceTree = ""; }; - 8C92F4FC4122BA0949B5E0332BC5DA9A /* Models */ = { + 8D4D0246A623990315CCCFC95C6D7152 /* iOS */ = { isa = PBXGroup; children = ( - F328163C591BBCCD1909AFA5B31CE95A /* AdditionalPropertiesClass.swift */, - 4B50A816814713052A83AD22ECB8E19D /* Animal.swift */, - 6097AF9273FDB02C8A4DED04AFF6B4AD /* AnimalFarm.swift */, - B4CA6814AE828DFEC4A4C2C8C1D6CEA2 /* ApiResponse.swift */, - 540B42E772FF76C6D4F5E68CCDADA9B3 /* ArrayOfArrayOfNumberOnly.swift */, - 4EBAF179E866C1F42E3C9F85162E2792 /* ArrayOfNumberOnly.swift */, - 21B120C00973CD2A57F3D566E760AF3E /* ArrayTest.swift */, - 4F28DB75084895EF23EDBC499D8B8BAE /* Cat.swift */, - 37E47D71F3FB3E8B7FBEA178972FB52D /* Category.swift */, - 9928726B622806E400277C57963B354B /* Client.swift */, - AAB8DD3379CB8E9DB0DC9E6B18356204 /* Dog.swift */, - 1FCFC11EBD20C97FB1BC4EFAEC6FEB37 /* EnumArrays.swift */, - D6115C108A2F1445CCA165DCE5321009 /* EnumClass.swift */, - 42105B8EAB28DFBC1FD088D5D8C08610 /* EnumTest.swift */, - 11A9D1B03B658EFF2011FD4ADF5B2C9B /* FormatTest.swift */, - AC8DF8745F891F2A12590D73550D0490 /* HasOnlyReadOnly.swift */, - 3A7FD39D7BA8415D865896B06564C124 /* List.swift */, - DFF589887A9AAE06637E527EC61117B0 /* MapTest.swift */, - 37CE09CBDF55D26A9D95DD15E7DEA056 /* MixedPropertiesAndAdditionalPropertiesClass.swift */, - 31C953CB2AF9E4E3D884BBA68E728307 /* Model200Response.swift */, - 1C79F2ABDEC68FB086941B1667F653AC /* Name.swift */, - B4E90BC12F77D66B96AB27E026B2071E /* NumberOnly.swift */, - 2364F4EAC509113B38791789DFC9F1E7 /* Order.swift */, - B1300E3C28C82031FA5C87A7FE3B1EB9 /* Pet.swift */, - C9B2737214A9FBDFAFE4EFE2C5622B27 /* ReadOnlyFirst.swift */, - 2E1E790656723DC52EAB91FF86121D3D /* Return.swift */, - 5F939073B0FDC62477A0C4F8E9AB7131 /* SpecialModelName.swift */, - 143E557A35666A5C3FB6A5EC601425AE /* Tag.swift */, - F8180325E22D8580EFE2473A67C0EAC0 /* User.swift */, + C8F4E041B8F062D0E58498A365070ED8 /* Foundation.framework */, + 2141FBF0CC0A4A8349C016ECD4ABBEE2 /* QuartzCore.framework */, + 2ABF01CA3A8264BCD945D29D45416B97 /* UIKit.framework */, ); - path = Models; + name = iOS; sourceTree = ""; }; 8F6D133867EE63820DFB7E83F4C51252 /* Support Files */ = { @@ -536,25 +550,12 @@ AD94092456F8ABCB18F74CAC75AD85DE /* Classes */ = { isa = PBXGroup; children = ( - BD3FA7FC606B6CEBD6392587B3661483 /* Swaggers */, + ECF20498E2F38FF69AC5DDAE5C5C6A8F /* Swaggers */, ); + name = Classes; path = Classes; sourceTree = ""; }; - BD3FA7FC606B6CEBD6392587B3661483 /* Swaggers */ = { - isa = PBXGroup; - children = ( - 6292ECC342913CF10F15F320C0D10143 /* AlamofireImplementations.swift */, - A73F00E8ED2521B115946B7E20B760AF /* APIHelper.swift */, - 6E9F0D4DC6F738F2ECF8D716B7A9A5C7 /* APIs.swift */, - E3FF8700849757249B929D7AFF652CD6 /* Extensions.swift */, - 2E73416EE991BBE43467BA22F2A155A5 /* Models.swift */, - 88ACCBA930FB2930A6EB5386B54BB6AC /* APIs */, - 8C92F4FC4122BA0949B5E0332BC5DA9A /* Models */, - ); - path = Swaggers; - sourceTree = ""; - }; C1A60D10CED0E61146591438999C7502 /* Targets Support Files */ = { isa = PBXGroup; children = ( @@ -598,6 +599,7 @@ 943618599D753D3CF9CEA416875D6417 /* Validation.swift */, 470B2EC4B502506F1DCAE0EE7E194226 /* Support Files */, ); + name = Alamofire; path = Alamofire; sourceTree = ""; }; @@ -624,7 +626,7 @@ children = ( F53D6FE99858297507D97FCDF5F0F461 /* Alamofire.framework */, 31D680492464F6D65F2FAFA3D645CFFC /* PromiseKit.framework */, - 5514544ED55E96399A7D6C79579A893A /* iOS */, + 8D4D0246A623990315CCCFC95C6D7152 /* iOS */, ); name = Frameworks; sourceTree = ""; @@ -658,6 +660,7 @@ children = ( AD94092456F8ABCB18F74CAC75AD85DE /* Classes */, ); + name = PetstoreClient; path = PetstoreClient; sourceTree = ""; }; @@ -689,6 +692,21 @@ path = ../..; sourceTree = ""; }; + ECF20498E2F38FF69AC5DDAE5C5C6A8F /* Swaggers */ = { + isa = PBXGroup; + children = ( + 7827148096A3B614608E8642496DB653 /* AlamofireImplementations.swift */, + 2A0F510D3CD5F6FE074AA8A702B78FD4 /* APIHelper.swift */, + 37E5B1C1BA4FC86C3AD6DD6412AD5C3F /* APIs.swift */, + 9CFD31C609D01246A22B3FA2FFB24D83 /* Extensions.swift */, + EF4F0123552CEF7C9700A7F1DA9C2C73 /* Models.swift */, + 5057832E4BF5A63A3D14138D4DC02A76 /* APIs */, + 49183FCAF0F17F400CC0C62EA451806A /* Models */, + ); + name = Swaggers; + path = Swaggers; + sourceTree = ""; + }; ED105DFFC0EAFF20AA94B6275E53FB7D /* QuartzCore */ = { isa = PBXGroup; children = ( @@ -708,126 +726,74 @@ 718049C6C874B1945A7D3E08DB545919 /* Support Files */, E6164E3B76A7AD3A414ED291503C7FAE /* UIKit */, ); + name = PromiseKit; path = PromiseKit; sourceTree = ""; }; /* End PBXGroup section */ /* Begin PBXHeadersBuildPhase section */ - 2F34E29E5EC7EC0265AC5CAA67AE2D25 /* Headers */ = { + 1353AC7A6419F876B294A55E5550D1E4 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 0EA3F5D435EFB5C62A0A59B56E4CDE29 /* AAA-CocoaPods-Hack.h in Headers */, - DFD57A0604C82C1DC8D754F93E186FC9 /* AnyPromise.h in Headers */, - BC05E761E9593449AA45E30C99E6C7C1 /* CALayer+AnyPromise.h in Headers */, - E2C3DEB8D1F5AB89A1AFF6E57691AA7B /* NSNotificationCenter+AnyPromise.h in Headers */, - 2126288484A0E5A2CEFD634F36E086DB /* NSURLSession+AnyPromise.h in Headers */, - 4F2398096F6FE8DE0CBAB4ABF77BEF47 /* PMKFoundation.h in Headers */, - BACD097A88699AE96FE37E21B163E805 /* PMKQuartzCore.h in Headers */, - C9802C6C3ACD8A3316ED45EDFA47A0FF /* PMKUIKit.h in Headers */, - 7CA8AA6FD46061991A39BFC9313ADA77 /* PromiseKit-umbrella.h in Headers */, - 47AA3A9AA52300DAAD67BDA4F9333F51 /* PromiseKit.h in Headers */, - BCC2FACE6DAFF9CB1910EE266FA3D998 /* UIView+AnyPromise.h in Headers */, - 0E076A043878CFFFC4EFEF562299258C /* UIViewController+AnyPromise.h in Headers */, + 31F8B86E3672D0B828B6352C875649C4 /* Pods-SwaggerClientTests-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - 3A62BE0674E71FC26832C7132386AB0E /* Headers */ = { + 2540C940BB49E4F548C2CCBC4EF79237 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - B7B2D89A3FCCA7DFB621EA0416F78B3C /* PetstoreClient-umbrella.h in Headers */, + ECBEEDF59D8CE3B0B21F7F9C838F3FE8 /* PetstoreClient-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - CCFB817EF6FE56A30D038277762D3D78 /* Headers */ = { + AEF06A413F97A6E5233398FAC3F25335 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - AE07B2221A9D36CEA957F902EDF210EA /* Pods-SwaggerClient-umbrella.h in Headers */, + 20E2CC1FD887EC3DA74724A32DDA1132 /* Pods-SwaggerClient-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - EFDF3B631BBB965A372347705CA14854 /* Headers */ = { + B4002B6E97835FDCCAA5963EFE09A3E0 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 9469DF81ECB494E84675969B5E13374C /* Alamofire-umbrella.h in Headers */, + 1B9EDEDC964E6B08F78920B4F4B9DB84 /* Alamofire-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - FF84DA06E91FBBAA756A7832375803CE /* Headers */ = { + B533FA5B3CBFB3133EACD49A558EB92E /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 897283A0B7F5299913327CC8FD6CC997 /* Pods-SwaggerClientTests-umbrella.h in Headers */, + E21AA237A1F3722BD5C665CB849FA3A9 /* AAA-CocoaPods-Hack.h in Headers */, + CC2D13B8541C422C2B755A36D1D660E3 /* AnyPromise.h in Headers */, + 555F5BBA13BB757FA0EBB47D604744AD /* CALayer+AnyPromise.h in Headers */, + 016CCB530D8D12759C216395C34CC341 /* NSNotificationCenter+AnyPromise.h in Headers */, + A290970E78898FC5ACA9DDB560450883 /* NSURLSession+AnyPromise.h in Headers */, + E3F3D7CEB7236B02ECD9890375AEB6BD /* PMKFoundation.h in Headers */, + 43A1DFE98D9BE94AD5929FA7DF049C06 /* PMKQuartzCore.h in Headers */, + 1E74EB678FA33A94A18E19EF2D7A2F81 /* PMKUIKit.h in Headers */, + 9E33B51DA60BE642B599AB5CA55AF3F9 /* PromiseKit-umbrella.h in Headers */, + 879C9F0C599A8710879CC531CC721BAD /* PromiseKit.h in Headers */, + 3494B74CA2C8C845A59D72144D3A5E8F /* UIView+AnyPromise.h in Headers */, + C0A14F57601D0B06937638DB5105B8D4 /* UIViewController+AnyPromise.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXHeadersBuildPhase section */ /* Begin PBXNativeTarget section */ - 462B200BD111D7F438E47B7C42B6772F /* Pods-SwaggerClientTests */ = { + 2F07725F48E73C43A46FE59759601BEF /* PromiseKit */ = { isa = PBXNativeTarget; - buildConfigurationList = 245A935A321D16F418F4D34C5D17D2B6 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */; + buildConfigurationList = 3FA9082B24513F8DEEF8DE8B303EBAF9 /* Build configuration list for PBXNativeTarget "PromiseKit" */; buildPhases = ( - 0529825EC79AED06C77091DC0F061854 /* Sources */, - FE8FC779CF4B0CFCC594E81C0FF86C7E /* Frameworks */, - FF84DA06E91FBBAA756A7832375803CE /* Headers */, - ); - buildRules = ( - ); - dependencies = ( - ); - name = "Pods-SwaggerClientTests"; - productName = "Pods-SwaggerClientTests"; - productReference = 8BBF3490280C4ED53738743F84C890BC /* Pods_SwaggerClientTests.framework */; - productType = "com.apple.product-type.framework"; - }; - 6E8FAB7D987FEA0DEA627C2BB5F75BC2 /* PetstoreClient */ = { - isa = PBXNativeTarget; - buildConfigurationList = 48F358B1BFB66F561EA8B7D89F0F5883 /* Build configuration list for PBXNativeTarget "PetstoreClient" */; - buildPhases = ( - F5F90421398F1EC3EFADF61933953F9E /* Sources */, - A86D0C7C3137E2D7043B1E1FC0F33619 /* Frameworks */, - 3A62BE0674E71FC26832C7132386AB0E /* Headers */, - ); - buildRules = ( - ); - dependencies = ( - 2C0C1BFEB8E8D5FB8056BBB90A399D44 /* PBXTargetDependency */, - 3E1FA6F73B0CDB4C3C84B4AF98AE210B /* PBXTargetDependency */, - ); - name = PetstoreClient; - productName = PetstoreClient; - productReference = 0B4A4A4EB2DBD6F56B1383E53763FD1B /* PetstoreClient.framework */; - productType = "com.apple.product-type.framework"; - }; - 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */ = { - isa = PBXNativeTarget; - buildConfigurationList = 3CFB42910790CF0BDBCCEBAACD6B9367 /* Build configuration list for PBXNativeTarget "Alamofire" */; - buildPhases = ( - 120C4E824DDCCA024C170A491FF221A5 /* Sources */, - B1729F851F648EC60EE93CDB3C8BAEAD /* Frameworks */, - EFDF3B631BBB965A372347705CA14854 /* Headers */, - ); - buildRules = ( - ); - dependencies = ( - ); - name = Alamofire; - productName = Alamofire; - productReference = E80A16C989615AAE419866DB4FD10185 /* Alamofire.framework */; - productType = "com.apple.product-type.framework"; - }; - 7C90C46E53F3D9FC09423420081FA283 /* PromiseKit */ = { - isa = PBXNativeTarget; - buildConfigurationList = 6AAA729B202AF08D177BCE2944A3485F /* Build configuration list for PBXNativeTarget "PromiseKit" */; - buildPhases = ( - FBA70E7B0DAF35B32B1A384FA148D6BD /* Sources */, - 664599F87AB8204DDDC3985F405491C2 /* Frameworks */, - 2F34E29E5EC7EC0265AC5CAA67AE2D25 /* Headers */, + E103E86EDBBFF5115549C09DA2DD0BFA /* Sources */, + FB125815E9673AE44BE146A623C06A12 /* Frameworks */, + B533FA5B3CBFB3133EACD49A558EB92E /* Headers */, ); buildRules = ( ); @@ -838,26 +804,79 @@ productReference = AD3B511F5C43568AAFBA2714468F9FD5 /* PromiseKit.framework */; productType = "com.apple.product-type.framework"; }; - 9A800B1B11FA6DA06D799A642EE19532 /* Pods-SwaggerClient */ = { + 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */ = { isa = PBXNativeTarget; - buildConfigurationList = 4F394B03037054D629709050A54EEC69 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */; + buildConfigurationList = 419E5D95491847CD79841B971A8A3277 /* Build configuration list for PBXNativeTarget "Alamofire" */; buildPhases = ( - DCDE790F7AD2104F8763ECD5E1F4D8AD /* Sources */, - 39E591169CA4720B3FCA0DF003B45D52 /* Frameworks */, - CCFB817EF6FE56A30D038277762D3D78 /* Headers */, + 32B9974868188C4803318E36329C87FE /* Sources */, + 99195E4207764744AEC07ECCBCD550EB /* Frameworks */, + B4002B6E97835FDCCAA5963EFE09A3E0 /* Headers */, ); buildRules = ( ); dependencies = ( - EEEC23CCDC42C5BB00D577BA7C141272 /* PBXTargetDependency */, - 98BE7C97C24B80B263AACAD1D3DD9E67 /* PBXTargetDependency */, - AA56F683AA7302AD316C1D406EDC45E9 /* PBXTargetDependency */, + ); + name = Alamofire; + productName = Alamofire; + productReference = E80A16C989615AAE419866DB4FD10185 /* Alamofire.framework */; + productType = "com.apple.product-type.framework"; + }; + A4C2C7D22F40AC539C7650EAEA13AB08 /* PetstoreClient */ = { + isa = PBXNativeTarget; + buildConfigurationList = A240218C5C53F5BB111DB13F2CD0358A /* Build configuration list for PBXNativeTarget "PetstoreClient" */; + buildPhases = ( + F444573C2D880CACDCA90C0B6F5F734A /* Sources */, + 892B54EBB2F5D5F31E1D7645456F72C5 /* Frameworks */, + 2540C940BB49E4F548C2CCBC4EF79237 /* Headers */, + ); + buildRules = ( + ); + dependencies = ( + E3274DBB603A8C0BA9E2CEE55A6CCA25 /* PBXTargetDependency */, + D4B5CF62DBE6B8E773B1D529B68385C5 /* PBXTargetDependency */, + ); + name = PetstoreClient; + productName = PetstoreClient; + productReference = 0B4A4A4EB2DBD6F56B1383E53763FD1B /* PetstoreClient.framework */; + productType = "com.apple.product-type.framework"; + }; + E5B96E99C219DDBC57BC27EE9DF5EC22 /* Pods-SwaggerClient */ = { + isa = PBXNativeTarget; + buildConfigurationList = 607382BCFF2B60BA932C95EC3C22A69F /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */; + buildPhases = ( + FA262994DA85648A45EB39519AF3D0E3 /* Sources */, + 1D8C8B25D2467630E50174D221B39B90 /* Frameworks */, + AEF06A413F97A6E5233398FAC3F25335 /* Headers */, + ); + buildRules = ( + ); + dependencies = ( + 1C76F9E08AAB9400CF7937D3DBF4E272 /* PBXTargetDependency */, + 405120CD9D9120CBBC452E54C91FA485 /* PBXTargetDependency */, + 328C6C7DF03199CFF8F5B47C39DEE2BC /* PBXTargetDependency */, ); name = "Pods-SwaggerClient"; productName = "Pods-SwaggerClient"; productReference = 46A00B403166BEF9EE215F6CB59BE9A6 /* Pods_SwaggerClient.framework */; productType = "com.apple.product-type.framework"; }; + F3DF8DD6DBDCB07B04D7B1CC8A462562 /* Pods-SwaggerClientTests */ = { + isa = PBXNativeTarget; + buildConfigurationList = B462F7329881FF6565EF44016BE2B959 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */; + buildPhases = ( + BDFDEE831A91E115AA482B4E9E9B5CC8 /* Sources */, + 87AF7EC7404199AC8C5D22375A6059BF /* Frameworks */, + 1353AC7A6419F876B294A55E5550D1E4 /* Headers */, + ); + buildRules = ( + ); + dependencies = ( + ); + name = "Pods-SwaggerClientTests"; + productName = "Pods-SwaggerClientTests"; + productReference = 8BBF3490280C4ED53738743F84C890BC /* Pods_SwaggerClientTests.framework */; + productType = "com.apple.product-type.framework"; + }; /* End PBXNativeTarget section */ /* Begin PBXProject section */ @@ -879,186 +898,354 @@ projectDirPath = ""; projectRoot = ""; targets = ( - 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */, - 6E8FAB7D987FEA0DEA627C2BB5F75BC2 /* PetstoreClient */, - 9A800B1B11FA6DA06D799A642EE19532 /* Pods-SwaggerClient */, - 462B200BD111D7F438E47B7C42B6772F /* Pods-SwaggerClientTests */, - 7C90C46E53F3D9FC09423420081FA283 /* PromiseKit */, + 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */, + A4C2C7D22F40AC539C7650EAEA13AB08 /* PetstoreClient */, + E5B96E99C219DDBC57BC27EE9DF5EC22 /* Pods-SwaggerClient */, + F3DF8DD6DBDCB07B04D7B1CC8A462562 /* Pods-SwaggerClientTests */, + 2F07725F48E73C43A46FE59759601BEF /* PromiseKit */, ); }; /* End PBXProject section */ /* Begin PBXSourcesBuildPhase section */ - 0529825EC79AED06C77091DC0F061854 /* Sources */ = { + 32B9974868188C4803318E36329C87FE /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - C546890220177F840E8AFC829D0E3FEB /* Pods-SwaggerClientTests-dummy.m in Sources */, + 9ED2BB2981896E0A39EFA365503F58CE /* AFError.swift in Sources */, + A9EEEA7477981DEEBC72432DE9990A4B /* Alamofire-dummy.m in Sources */, + F8B3D3092ED0417E8CDF32033F6122F5 /* Alamofire.swift in Sources */, + 61200D01A1855D7920CEF835C8BE00B0 /* DispatchQueue+Alamofire.swift in Sources */, + B65FCF589DA398C3EFE0128064E510EC /* MultipartFormData.swift in Sources */, + A2A6F71B727312BD45CC7A4AAD7B0AB7 /* NetworkReachabilityManager.swift in Sources */, + EFD264FC408EBF3BA2528E70B08DDD94 /* Notifications.swift in Sources */, + BE5C67A07E289FE1F9BE27335B159997 /* ParameterEncoding.swift in Sources */, + 5387216E723A3C68E851CA15573CDD71 /* Request.swift in Sources */, + CB6D60925223897FFA2662667DF83E8A /* Response.swift in Sources */, + F6BECD98B97CBFEBE2C96F0E9E72A6C0 /* ResponseSerialization.swift in Sources */, + 7D8CC01E8C9EFFF9F4D65406CDE0AB66 /* Result.swift in Sources */, + 62F65AD8DC4F0F9610F4B8B4738EC094 /* ServerTrustPolicy.swift in Sources */, + 7B5FE28C7EA4122B0598738E54DBEBD8 /* SessionDelegate.swift in Sources */, + AE1EF48399533730D0066E04B22CA2D6 /* SessionManager.swift in Sources */, + 3626B94094672CB1C9DEA32B9F9502E1 /* TaskDelegate.swift in Sources */, + 10EB23E9ECC4B33E16933BB1EA560B6A /* Timeline.swift in Sources */, + BBEFE2F9CEB73DC7BD97FFA66A0D9D4F /* Validation.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - 120C4E824DDCCA024C170A491FF221A5 /* Sources */ = { + BDFDEE831A91E115AA482B4E9E9B5CC8 /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 62143065F94E53F437DCE5D7A998D66D /* AFError.swift in Sources */, - 8D463A0A4C65C02FDD5211F0F3C6F8B8 /* Alamofire-dummy.m in Sources */, - 7CA5A9BA5246FDA8227233E310029392 /* Alamofire.swift in Sources */, - E2A1C34237B4E928E5F85C097F4C2551 /* DispatchQueue+Alamofire.swift in Sources */, - C7A3408350643ADE1018826C766EE356 /* MultipartFormData.swift in Sources */, - E59BF19C0AFA68B741552319FC478C7B /* NetworkReachabilityManager.swift in Sources */, - 0C1B4E9FFB8B81E8833A3BAD537B1990 /* Notifications.swift in Sources */, - AF158CAAF4DD319009AFC855DC995D90 /* ParameterEncoding.swift in Sources */, - 12118C354EFA36292F82A8D0CFCE45B2 /* Request.swift in Sources */, - 86ED08F33B7D357932A9AB743E9D9EA7 /* Response.swift in Sources */, - B8154C96802336E5DDA5CEE97C3180A0 /* ResponseSerialization.swift in Sources */, - DF1BBF94997A2F4248B42B25EA919EC2 /* Result.swift in Sources */, - C0AEA97E7684DDAD56998C0AE198A433 /* ServerTrustPolicy.swift in Sources */, - 907AB123FBC8BC9340D5B7350CE828DF /* SessionDelegate.swift in Sources */, - A79AC30123B0C2177D67F6ED6A1B3215 /* SessionManager.swift in Sources */, - E1F583CB4A68A928CD197250AA752926 /* TaskDelegate.swift in Sources */, - 3982B850C43B41BA6D25F440F0412E9B /* Timeline.swift in Sources */, - FFFDD494EE6D1B83DDAF5F2721F685A6 /* Validation.swift in Sources */, + 897985FA042CD12B825C3032898FAB26 /* Pods-SwaggerClientTests-dummy.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - DCDE790F7AD2104F8763ECD5E1F4D8AD /* Sources */ = { + E103E86EDBBFF5115549C09DA2DD0BFA /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 7106E09928BF938CC40E1762C884F2FA /* Pods-SwaggerClient-dummy.m in Sources */, + BA168A34D14E190735A5D9BD0AD96492 /* after.m in Sources */, + 54D086B77D7278217A58457B173D21BB /* after.swift in Sources */, + 4F3E2C08428FFF04B39C935B9A1E6CB4 /* afterlife.swift in Sources */, + 28E4EE0DEC2DA7339FB375AA358F306E /* AnyPromise.m in Sources */, + 174425917E6E6FDB521743D4E607CECF /* AnyPromise.swift in Sources */, + 6E4F792D9790C4B5796F6297C4D675B6 /* CALayer+AnyPromise.m in Sources */, + BC2F31FECC65A5A0F00E8ADB0CD33140 /* dispatch_promise.m in Sources */, + CA87D81F61F12E996E2A4D377A0ABE19 /* DispatchQueue+Promise.swift in Sources */, + 34B642B996629E6D576B57C40FDD2B1E /* Error.swift in Sources */, + 4C438E58557FE28F79C51F1DCBBD040B /* GlobalState.m in Sources */, + 4602B805449B94E0E40AC9B5BB728F97 /* hang.m in Sources */, + 407A2D5859FA795D0EB48ED030325714 /* join.m in Sources */, + 0DD617F08094BC5B2AECEA4057C7AEAB /* join.swift in Sources */, + 35A64CDCE9E4A4631C74D8BD2DB2C525 /* NSNotificationCenter+AnyPromise.m in Sources */, + 3DAF62C78CC1F080DA221C10CD73C0AF /* NSNotificationCenter+Promise.swift in Sources */, + 9A5406CBFD1603226C055DCC486689BA /* NSObject+Promise.swift in Sources */, + F52E70237451B2FB79A893A6966D823A /* NSURLSession+AnyPromise.m in Sources */, + 2994079CE1E9F4DEEADBADBA9E61801F /* NSURLSession+Promise.swift in Sources */, + 6E4283810690E929011A3B666B83CE34 /* PMKAlertController.swift in Sources */, + 694D5CF84FD88F2C801456E92DA50821 /* Process+Promise.swift in Sources */, + 7CCBBA4A05FBA68B65897A6A0AB01845 /* Promise+AnyPromise.swift in Sources */, + D6A7A18C454BE94EC381ACF62A5C0395 /* Promise+Properties.swift in Sources */, + D18AF4C9B1E7DC7BA829C30E0311627B /* Promise.swift in Sources */, + 2613BE6127BC4E9B98B5A92A24592E11 /* PromiseKit-dummy.m in Sources */, + A6DA95128909755BEFCA7ADA673C0D4B /* race.swift in Sources */, + 88DD0583FF41B731F57830CD9D2AE074 /* State.swift in Sources */, + B5C487D6715E37E2F5209BBA0A846E27 /* UIView+AnyPromise.m in Sources */, + 4C49A53234CC0F75A09950C25105DDD4 /* UIView+Promise.swift in Sources */, + 728A49DE0D49CDD8AD3427FAE2F739BE /* UIViewController+AnyPromise.m in Sources */, + 29F46106E192B6E65645EEE729AB03F2 /* UIViewController+Promise.swift in Sources */, + 7CEF2268F85F5166CF06D6689B3941EC /* URLDataPromise.swift in Sources */, + 9C174FACDB1CB04B68FC9ED10713AC6F /* when.m in Sources */, + 034A6476296E5F4143DD09A0FF837D52 /* when.swift in Sources */, + 1A0B6E1CFD92277B3B212D00D5761C7A /* wrap.swift in Sources */, + 379CB4DB93AF1BAF9A6DF3A40382FFDA /* Zalgo.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - F5F90421398F1EC3EFADF61933953F9E /* Sources */ = { + F444573C2D880CACDCA90C0B6F5F734A /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 99797B88379C5B947755F48529939E39 /* AdditionalPropertiesClass.swift in Sources */, - 95FCC5C017CDAD58A1019E81F5DFB150 /* AlamofireImplementations.swift in Sources */, - 1C86F7F3A514847EE94459778939FF49 /* Animal.swift in Sources */, - 7FAF85A0E850635A6426DD832C640FA6 /* AnimalFarm.swift in Sources */, - 21DD4C8FC69986AAF115D52BD63C5846 /* APIHelper.swift in Sources */, - 8BCA5BDFD23F57F9DCF3FD5BBE1D2353 /* ApiResponse.swift in Sources */, - 9E695692792F4873185EDF39968B9487 /* APIs.swift in Sources */, - EAC6632F317AD82344232BE3FF6D222F /* ArrayOfArrayOfNumberOnly.swift in Sources */, - A6561037EE96E150EE0BE54FE1CA9CCD /* ArrayOfNumberOnly.swift in Sources */, - CC3CE00E3D5AAD910867467A58243096 /* ArrayTest.swift in Sources */, - 4B7290C2737A40D91722707A6C0434EB /* Cat.swift in Sources */, - F0F987C84FFF593E253E16645C6EED46 /* Category.swift in Sources */, - 8687F72FC483A33911FE3E8EBFC8C781 /* Client.swift in Sources */, - A1AF2FFA702812F06DA28A8FF56E0074 /* Dog.swift in Sources */, - FEB919F5C651593112D949381F5ED111 /* EnumArrays.swift in Sources */, - C65122D725A395DAF5D7138DF83CF8FF /* EnumClass.swift in Sources */, - DE245055ECA824ADA8E3C8D6A9A0DD30 /* EnumTest.swift in Sources */, - A98D5CA38488935C6956125F73241D3B /* Extensions.swift in Sources */, - B817B1B673053514C0AF1DBFD8C10859 /* FakeAPI.swift in Sources */, - 5ADD91A0297A38A3BE8A29F6707119BC /* FormatTest.swift in Sources */, - 765C72F4DA6ABC0CB6AF6CEEBCBDE014 /* HasOnlyReadOnly.swift in Sources */, - 8CD154CFE5F6F697A5997C90EBA5BBD5 /* List.swift in Sources */, - A8E41BEBD94D8BF0587C64A210CAC908 /* MapTest.swift in Sources */, - 4904632EEB974BC9287749464B4D2E01 /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */, - 39EF8DCA0E6683F78D2B43BF86E18BD2 /* Model200Response.swift in Sources */, - E42548800F8E191B48EDBEA02FB9CC13 /* Models.swift in Sources */, - 40A26006F98F34399D37008708D0DA4B /* Name.swift in Sources */, - 842026DF3FC836A491F8FF78F2FA73E5 /* NumberOnly.swift in Sources */, - 516BA9E7FA392E4095157D2C9FA80501 /* Order.swift in Sources */, - 4EF1572083CC50FE30E89237725539EC /* Pet.swift in Sources */, - 69E7C906E8A845FC906E72B0EA4706A1 /* PetAPI.swift in Sources */, - BFFB8EE83CF24EB020B3B2F030C57CB5 /* PetstoreClient-dummy.m in Sources */, - 08D109C2E61029035A2B210B864933C9 /* ReadOnlyFirst.swift in Sources */, - D3187BA93540284FEC828187DA094F72 /* Return.swift in Sources */, - 56C1B6D2D8E52E49EBE434D89D3BCE75 /* SpecialModelName.swift in Sources */, - BEF1D997E1EA6A06B9B71925D780CE51 /* StoreAPI.swift in Sources */, - 19318D4CF28E2998C92823372146B117 /* Tag.swift in Sources */, - 76EFB18BB86C83C9CA160E7F7E47352B /* User.swift in Sources */, - 4A9C2181FFAC30422328D29E3080F60E /* UserAPI.swift in Sources */, + C3C2198939C9FA783794475B2A72162C /* AdditionalPropertiesClass.swift in Sources */, + 1CCDE819869D57707CE8DDE1F314A704 /* AlamofireImplementations.swift in Sources */, + 7C9555C9A0399F2991AC5C907432E8FA /* Animal.swift in Sources */, + FD92028F6C830960E11FDE46CF037F74 /* AnimalFarm.swift in Sources */, + AB54FAC1F4972BA640EFFA7D03A8834C /* APIHelper.swift in Sources */, + 99A6776D4F04DBC45F31DFD802B0FD03 /* ApiResponse.swift in Sources */, + 813E80611BE433931724E8A6D7F0BF29 /* APIs.swift in Sources */, + 54C43E85F5B8864BD4E697EF4F8E9265 /* ArrayOfArrayOfNumberOnly.swift in Sources */, + 1952AA3CAD74EBA27E85EF05B7DD91EE /* ArrayOfNumberOnly.swift in Sources */, + D6D6DA0925C9ED78AD69A2FDFB932637 /* ArrayTest.swift in Sources */, + 12F56EFB40DBC3B29EB99028057CB431 /* Cat.swift in Sources */, + F89B0413DFFEA450680338F7C246B41E /* Category.swift in Sources */, + 7B5B07CEC0093DF25FED57D6A41631BF /* ClassModel.swift in Sources */, + C71F329EA64B5CCDD4358FE2860260D3 /* Client.swift in Sources */, + EB965ACFDB00E961D1838A12316EA8B2 /* Dog.swift in Sources */, + 4E18621DC9D771AA63818004D8A26689 /* EnumArrays.swift in Sources */, + 1D7BEB2B934AD47E14207F14D7DC40F6 /* EnumClass.swift in Sources */, + CA3327D880590908FE18C7E5FFE2E0C1 /* EnumTest.swift in Sources */, + 576CA2043A8FC7035DB3827AA7CCEC47 /* Extensions.swift in Sources */, + CA0BAD37EE79E0113DAC66493C12DE2E /* Fake_classname_tags123API.swift in Sources */, + 4D9803182A041E8157B024CFFBD05109 /* FakeAPI.swift in Sources */, + 7A178481B3348E2F2C3330B15D4B7568 /* FakeclassnametagsAPI.swift in Sources */, + 7E7287E77FDE106F950E46A7A0516BCF /* FormatTest.swift in Sources */, + B2ED4EA53FA6EEA8665088D311B27A1D /* HasOnlyReadOnly.swift in Sources */, + 16074A0BC509413EE3314CC2115CE87F /* List.swift in Sources */, + 96091DF98A1AB825E4C5DA08F3D748CC /* MapTest.swift in Sources */, + 93DF9A7A48B85E6146B0E55CE878A7FA /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */, + 85D73F1B27D20FB886ABBC4780FB8BF7 /* Model200Response.swift in Sources */, + DEDC903B7D25B4A1EC5DD0121AC4A061 /* Models.swift in Sources */, + 71301D7E4EB0C901E8AD2DA1211AB0FC /* Name.swift in Sources */, + 5520A67F7DA84FDBD608FD923F95E38C /* NumberOnly.swift in Sources */, + FB4E9A4F7DCA11CFBB9A9E2FAC5F9CB2 /* Order.swift in Sources */, + 3DCB804A599159B201AF822C749D7F0D /* OuterEnum.swift in Sources */, + D5FDBDBDA793719EB003ED56E530AEE2 /* Pet.swift in Sources */, + 0A07BB1A924209FC6CFB89868DA9F1B1 /* PetAPI.swift in Sources */, + 0217BB31A8041922F461C627888242FB /* PetstoreClient-dummy.m in Sources */, + 1A9FF6333B54C05A925B5518D6DB8D7E /* ReadOnlyFirst.swift in Sources */, + 2DF6CA05A1F41C57DB490B0861BE8EEE /* Return.swift in Sources */, + 90E806E01F06D5FACF6BEA57F0262301 /* SpecialModelName.swift in Sources */, + 67FBC15B23202DB1B017FAB43EA6D9A5 /* StoreAPI.swift in Sources */, + E40B6072F20607FFEC6F5D87DFCE2F1C /* Tag.swift in Sources */, + 44E9C5ACBB8D42B2447AD05CC7FE5DA8 /* User.swift in Sources */, + B2C47F13E6DAF5C439C3D63FD1074792 /* UserAPI.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - FBA70E7B0DAF35B32B1A384FA148D6BD /* Sources */ = { + FA262994DA85648A45EB39519AF3D0E3 /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 687C61A78BD83327B863E10A21F59772 /* after.m in Sources */, - F13EA2AD9516351A715A983FD51BB05D /* after.swift in Sources */, - 26B3D52109733DE07558449315F6ED4A /* afterlife.swift in Sources */, - DF34A2B39A585350D96459EC18C2B8A9 /* AnyPromise.m in Sources */, - 8961CA435CA1285DB0100D2EA3B2D9FF /* AnyPromise.swift in Sources */, - B97C02F582684A1BA2BBAB00236F8D84 /* CALayer+AnyPromise.m in Sources */, - 934DC6CB1EFDFE5D5317847CC1B20D14 /* dispatch_promise.m in Sources */, - 74AF28E265299B5B95EB4CFE7ACF004A /* DispatchQueue+Promise.swift in Sources */, - 4F0B33F0A7D9F1639DC42E32CBBEC050 /* Error.swift in Sources */, - F1976291F46CABCD587914AA8066C12D /* GlobalState.m in Sources */, - 31993649206B579A0755F73DBB037F69 /* hang.m in Sources */, - 8DBEBA7409006676C446790989475526 /* join.m in Sources */, - 74922C20A1785500E318BA39E7DE2DBC /* join.swift in Sources */, - 229AC1DABEB21311F2084993035BD41C /* NSNotificationCenter+AnyPromise.m in Sources */, - BE98AA1FBE19ABE200F75205C1405537 /* NSNotificationCenter+Promise.swift in Sources */, - 59B5350DBC2FE4B9A6F63106747B0110 /* NSObject+Promise.swift in Sources */, - 849D1E002A1D1D80A1AC968EFA00E86B /* NSURLSession+AnyPromise.m in Sources */, - 2A6AB2C739B286DD643D0AFE4AF36EF1 /* NSURLSession+Promise.swift in Sources */, - B5A9D217721A654E7227FE5EB8E3E815 /* PMKAlertController.swift in Sources */, - BE7EC7C02C035485ED02217BCBACB26E /* Process+Promise.swift in Sources */, - F74213CCFA4FB6A2224EA42E96C7D2D4 /* Promise+AnyPromise.swift in Sources */, - 7EDFC9E176247A2768C792D292B0C93A /* Promise+Properties.swift in Sources */, - E2DD9FAF8CD1D2BF1D451DD7BB3018BA /* Promise.swift in Sources */, - C56B94174EE98D6F4C207FF020791CC9 /* PromiseKit-dummy.m in Sources */, - C6552061FDFC3ABB78CBA8CB172B993A /* race.swift in Sources */, - 189BD4A947E17EBB89C4B2593CCC8BA1 /* State.swift in Sources */, - DF64C349CCECBF55751F8CD2E5E2E9FC /* UIView+AnyPromise.m in Sources */, - 19E1BE3B364E52D4100549402B88A18D /* UIView+Promise.swift in Sources */, - 1A6A963EE0C23D15823BD080D473D080 /* UIViewController+AnyPromise.m in Sources */, - F8683DBA5D4502A090ACA861517FE33F /* UIViewController+Promise.swift in Sources */, - F99DFC811883057F509846BFBD5F2AE1 /* URLDataPromise.swift in Sources */, - 7EE4CA1BD91699AA1066134FC8E58E58 /* when.m in Sources */, - AA6CEF6CAF867D01C4A2E24E72D37E3B /* when.swift in Sources */, - 9F75CD62C74B289126F2BFBD4D42B731 /* wrap.swift in Sources */, - 8F8B1D75E09870A72E89A7C3C48601F7 /* Zalgo.swift in Sources */, + 8740BC8B595A54E9C973D7110740D43F /* Pods-SwaggerClient-dummy.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXSourcesBuildPhase section */ /* Begin PBXTargetDependency section */ - 2C0C1BFEB8E8D5FB8056BBB90A399D44 /* PBXTargetDependency */ = { + 1C76F9E08AAB9400CF7937D3DBF4E272 /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = Alamofire; - target = 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */; - targetProxy = 42F5F8A25A7C8263A4E2783C391B3DC0 /* PBXContainerItemProxy */; + target = 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */; + targetProxy = BBE116AAF20C2D98E0CC5B0D86765D22 /* PBXContainerItemProxy */; }; - 3E1FA6F73B0CDB4C3C84B4AF98AE210B /* PBXTargetDependency */ = { + 328C6C7DF03199CFF8F5B47C39DEE2BC /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = PromiseKit; - target = 7C90C46E53F3D9FC09423420081FA283 /* PromiseKit */; - targetProxy = 7452F89479EB205BF28367D7943B9D6C /* PBXContainerItemProxy */; + target = 2F07725F48E73C43A46FE59759601BEF /* PromiseKit */; + targetProxy = F4F5C9A84714BE23040A5FB7588DA6BD /* PBXContainerItemProxy */; }; - 98BE7C97C24B80B263AACAD1D3DD9E67 /* PBXTargetDependency */ = { + 405120CD9D9120CBBC452E54C91FA485 /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = PetstoreClient; - target = 6E8FAB7D987FEA0DEA627C2BB5F75BC2 /* PetstoreClient */; - targetProxy = 3A3DE0D56298596A286332E1E6D759CF /* PBXContainerItemProxy */; + target = A4C2C7D22F40AC539C7650EAEA13AB08 /* PetstoreClient */; + targetProxy = B173CFF2A1174933D7851E8CE1CA77AB /* PBXContainerItemProxy */; }; - AA56F683AA7302AD316C1D406EDC45E9 /* PBXTargetDependency */ = { + D4B5CF62DBE6B8E773B1D529B68385C5 /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = PromiseKit; - target = 7C90C46E53F3D9FC09423420081FA283 /* PromiseKit */; - targetProxy = 9A7176B33ED02D51A6ACA4FE4B6ABF4C /* PBXContainerItemProxy */; + target = 2F07725F48E73C43A46FE59759601BEF /* PromiseKit */; + targetProxy = 2A6BC2BDF85DEE32D24F55450358C9B6 /* PBXContainerItemProxy */; }; - EEEC23CCDC42C5BB00D577BA7C141272 /* PBXTargetDependency */ = { + E3274DBB603A8C0BA9E2CEE55A6CCA25 /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = Alamofire; - target = 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */; - targetProxy = 5A5356C471BF8A0170A96E2CF165500B /* PBXContainerItemProxy */; + target = 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */; + targetProxy = 9BA61370DC98B1CD175F001198ECC9BF /* PBXContainerItemProxy */; }; /* End PBXTargetDependency section */ /* Begin XCBuildConfiguration section */ - 08217EFF5AE225FB3D3816849CCDF66F /* Debug */ = { + 062FEED97343F134C51D97C90DAE4D71 /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/PetstoreClient/PetstoreClient-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/PetstoreClient/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/PetstoreClient/PetstoreClient.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + PRODUCT_NAME = PetstoreClient; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Release; + }; + 3FEE143DE9CE0E07F0A0AA729249420E /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 72A2A6E3FD9EFC2CFA02AC9C17BA3508 /* PromiseKit.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/PromiseKit/PromiseKit-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/PromiseKit/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 8.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/PromiseKit/PromiseKit.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + PRODUCT_NAME = PromiseKit; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Release; + }; + 5DBE11821C875B2160ED846509FD826A /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 72A2A6E3FD9EFC2CFA02AC9C17BA3508 /* PromiseKit.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/PromiseKit/PromiseKit-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/PromiseKit/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 8.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/PromiseKit/PromiseKit.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + PRODUCT_NAME = PromiseKit; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + 621A10F5C0A994B466277661C1B2C19F /* Release */ = { isa = XCBuildConfiguration; baseConfigurationReference = 650FB90BA05FD8D3E51FE82393B780C8 /* Alamofire.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + PRODUCT_NAME = Alamofire; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Release; + }; + 71C4EFD9D2D4F1F6F6828DC1B6EC7FCE /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/PetstoreClient/PetstoreClient-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/PetstoreClient/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/PetstoreClient/PetstoreClient.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + PRODUCT_NAME = PetstoreClient; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + 8C48CCCB862EC56A4174F6E1715688C9 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 650FB90BA05FD8D3E51FE82393B780C8 /* Alamofire.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = dwarf; DEFINES_MODULE = YES; @@ -1085,11 +1272,86 @@ }; name = Debug; }; - 326C889ACE1CB85DED534764B7EE9D67 /* Release */ = { + 91B7FF0075884FD652BE3D081577D6B0 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 549C6527D10094289B101749047807C5 /* Pods-SwaggerClient.debug.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClient/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.2; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MACH_O_TYPE = staticlib; + MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + OTHER_LDFLAGS = ""; + OTHER_LIBTOOLFLAGS = ""; + PODS_ROOT = "$(SRCROOT)"; + PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; + PRODUCT_NAME = Pods_SwaggerClient; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + A658260C69CC5FE8D2D4A6E6D37E820A /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 849FECBC6CC67F2B6800F982927E3A9E /* Pods-SwaggerClientTests.release.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClientTests/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.2; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MACH_O_TYPE = staticlib; + MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + OTHER_LDFLAGS = ""; + OTHER_LIBTOOLFLAGS = ""; + PODS_ROOT = "$(SRCROOT)"; + PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; + PRODUCT_NAME = Pods_SwaggerClientTests; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Release; + }; + AA6E8122A0F8D71757B2807B2041E880 /* Release */ = { isa = XCBuildConfiguration; baseConfigurationReference = 86B1DDCB9E27DF43C2C35D9E7B2E84DA /* Pods-SwaggerClient.release.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; DEFINES_MODULE = YES; @@ -1119,68 +1381,7 @@ }; name = Release; }; - 784D45BD01B6A4A066ED5EC84115205A /* Release */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 650FB90BA05FD8D3E51FE82393B780C8 /* Alamofire.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; - PRODUCT_NAME = Alamofire; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Release; - }; - 83152A71E74E448D28F45AAFABA2874E /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 72A2A6E3FD9EFC2CFA02AC9C17BA3508 /* PromiseKit.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/PromiseKit/PromiseKit-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/PromiseKit/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 8.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/PromiseKit/PromiseKit.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - PRODUCT_NAME = PromiseKit; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_OPTIMIZATION_LEVEL = "-Onone"; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - 84FD87D359382A37B07149A12641B965 /* Debug */ = { + AADB9822762AD81BBAE83335B2AB1EB0 /* Release */ = { isa = XCBuildConfiguration; buildSettings = { ALWAYS_SEARCH_USER_PATHS = NO; @@ -1198,6 +1399,47 @@ CLANG_WARN_OBJC_ROOT_CLASS = YES; CLANG_WARN_UNREACHABLE_CODE = YES; CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + CODE_SIGNING_REQUIRED = NO; + COPY_PHASE_STRIP = YES; + ENABLE_NS_ASSERTIONS = NO; + GCC_C_LANGUAGE_STANDARD = gnu99; + GCC_PREPROCESSOR_DEFINITIONS = ( + "POD_CONFIGURATION_RELEASE=1", + "$(inherited)", + ); + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES; + GCC_WARN_UNDECLARED_SELECTOR = YES; + GCC_WARN_UNINITIALIZED_AUTOS = YES; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + IPHONEOS_DEPLOYMENT_TARGET = 9.2; + PROVISIONING_PROFILE_SPECIFIER = NO_SIGNING/; + STRIP_INSTALLED_PRODUCT = NO; + SYMROOT = "${SRCROOT}/../build"; + VALIDATE_PRODUCT = YES; + }; + name = Release; + }; + B1B5EB0850F98CB5AECDB015B690777F /* Debug */ = { + isa = XCBuildConfiguration; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES; + CLANG_WARN_UNREACHABLE_CODE = YES; + CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + CODE_SIGNING_REQUIRED = NO; COPY_PHASE_STRIP = NO; ENABLE_TESTABILITY = YES; GCC_C_LANGUAGE_STANDARD = gnu99; @@ -1217,80 +1459,19 @@ GCC_WARN_UNUSED_VARIABLE = YES; IPHONEOS_DEPLOYMENT_TARGET = 9.2; ONLY_ACTIVE_ARCH = YES; + PROVISIONING_PROFILE_SPECIFIER = NO_SIGNING/; STRIP_INSTALLED_PRODUCT = NO; SYMROOT = "${SRCROOT}/../build"; }; name = Debug; }; - 926EFA525135A112DFCF44C65F9F563E /* Release */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 72A2A6E3FD9EFC2CFA02AC9C17BA3508 /* PromiseKit.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/PromiseKit/PromiseKit-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/PromiseKit/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 8.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/PromiseKit/PromiseKit.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; - PRODUCT_NAME = PromiseKit; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Release; - }; - 99064127142A5DB1486ADFDCF5E23212 /* Release */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 849FECBC6CC67F2B6800F982927E3A9E /* Pods-SwaggerClientTests.release.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClientTests/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.2; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MACH_O_TYPE = staticlib; - MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; - OTHER_LDFLAGS = ""; - OTHER_LIBTOOLFLAGS = ""; - PODS_ROOT = "$(SRCROOT)"; - PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; - PRODUCT_NAME = Pods_SwaggerClientTests; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Release; - }; - A5192F795717DBFBB3C9BA9482C76842 /* Debug */ = { + EFA70F2EAB610CE73EB4B75FFD679D69 /* Debug */ = { isa = XCBuildConfiguration; baseConfigurationReference = 969C2AF48F4307163B301A92E78AFCF2 /* Pods-SwaggerClientTests.debug.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = dwarf; DEFINES_MODULE = YES; @@ -1320,193 +1501,59 @@ }; name = Debug; }; - A691BEC86BAF16755A24655CDF03C7EF /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/PetstoreClient/PetstoreClient-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/PetstoreClient/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/PetstoreClient/PetstoreClient.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - PRODUCT_NAME = PetstoreClient; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_OPTIMIZATION_LEVEL = "-Onone"; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - D39FAA468B64C9DDA0E8CCD553728A96 /* Release */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/PetstoreClient/PetstoreClient-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/PetstoreClient/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/PetstoreClient/PetstoreClient.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; - PRODUCT_NAME = PetstoreClient; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Release; - }; - E9E03A7FDE85F4E4ABC0A53C4EEECD70 /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 549C6527D10094289B101749047807C5 /* Pods-SwaggerClient.debug.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClient/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.2; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MACH_O_TYPE = staticlib; - MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - OTHER_LDFLAGS = ""; - OTHER_LIBTOOLFLAGS = ""; - PODS_ROOT = "$(SRCROOT)"; - PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; - PRODUCT_NAME = Pods_SwaggerClient; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_OPTIMIZATION_LEVEL = "-Onone"; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - F594C655D48020EC34B00AA63E001773 /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - ALWAYS_SEARCH_USER_PATHS = NO; - CLANG_ANALYZER_NONNULL = YES; - CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; - CLANG_CXX_LIBRARY = "libc++"; - CLANG_ENABLE_MODULES = YES; - CLANG_ENABLE_OBJC_ARC = YES; - CLANG_WARN_BOOL_CONVERSION = YES; - CLANG_WARN_CONSTANT_CONVERSION = YES; - CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES; - CLANG_WARN_EMPTY_BODY = YES; - CLANG_WARN_ENUM_CONVERSION = YES; - CLANG_WARN_INT_CONVERSION = YES; - CLANG_WARN_OBJC_ROOT_CLASS = YES; - CLANG_WARN_UNREACHABLE_CODE = YES; - CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; - COPY_PHASE_STRIP = YES; - ENABLE_NS_ASSERTIONS = NO; - GCC_C_LANGUAGE_STANDARD = gnu99; - GCC_PREPROCESSOR_DEFINITIONS = ( - "POD_CONFIGURATION_RELEASE=1", - "$(inherited)", - ); - GCC_WARN_64_TO_32_BIT_CONVERSION = YES; - GCC_WARN_ABOUT_RETURN_TYPE = YES; - GCC_WARN_UNDECLARED_SELECTOR = YES; - GCC_WARN_UNINITIALIZED_AUTOS = YES; - GCC_WARN_UNUSED_FUNCTION = YES; - GCC_WARN_UNUSED_VARIABLE = YES; - IPHONEOS_DEPLOYMENT_TARGET = 9.2; - STRIP_INSTALLED_PRODUCT = NO; - SYMROOT = "${SRCROOT}/../build"; - VALIDATE_PRODUCT = YES; - }; - name = Release; - }; /* End XCBuildConfiguration section */ /* Begin XCConfigurationList section */ - 245A935A321D16F418F4D34C5D17D2B6 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - A5192F795717DBFBB3C9BA9482C76842 /* Debug */, - 99064127142A5DB1486ADFDCF5E23212 /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; 2D8E8EC45A3A1A1D94AE762CB5028504 /* Build configuration list for PBXProject "Pods" */ = { isa = XCConfigurationList; buildConfigurations = ( - 84FD87D359382A37B07149A12641B965 /* Debug */, - F594C655D48020EC34B00AA63E001773 /* Release */, + B1B5EB0850F98CB5AECDB015B690777F /* Debug */, + AADB9822762AD81BBAE83335B2AB1EB0 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - 3CFB42910790CF0BDBCCEBAACD6B9367 /* Build configuration list for PBXNativeTarget "Alamofire" */ = { + 3FA9082B24513F8DEEF8DE8B303EBAF9 /* Build configuration list for PBXNativeTarget "PromiseKit" */ = { isa = XCConfigurationList; buildConfigurations = ( - 08217EFF5AE225FB3D3816849CCDF66F /* Debug */, - 784D45BD01B6A4A066ED5EC84115205A /* Release */, + 5DBE11821C875B2160ED846509FD826A /* Debug */, + 3FEE143DE9CE0E07F0A0AA729249420E /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - 48F358B1BFB66F561EA8B7D89F0F5883 /* Build configuration list for PBXNativeTarget "PetstoreClient" */ = { + 419E5D95491847CD79841B971A8A3277 /* Build configuration list for PBXNativeTarget "Alamofire" */ = { isa = XCConfigurationList; buildConfigurations = ( - A691BEC86BAF16755A24655CDF03C7EF /* Debug */, - D39FAA468B64C9DDA0E8CCD553728A96 /* Release */, + 8C48CCCB862EC56A4174F6E1715688C9 /* Debug */, + 621A10F5C0A994B466277661C1B2C19F /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - 4F394B03037054D629709050A54EEC69 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */ = { + 607382BCFF2B60BA932C95EC3C22A69F /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */ = { isa = XCConfigurationList; buildConfigurations = ( - E9E03A7FDE85F4E4ABC0A53C4EEECD70 /* Debug */, - 326C889ACE1CB85DED534764B7EE9D67 /* Release */, + 91B7FF0075884FD652BE3D081577D6B0 /* Debug */, + AA6E8122A0F8D71757B2807B2041E880 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - 6AAA729B202AF08D177BCE2944A3485F /* Build configuration list for PBXNativeTarget "PromiseKit" */ = { + A240218C5C53F5BB111DB13F2CD0358A /* Build configuration list for PBXNativeTarget "PetstoreClient" */ = { isa = XCConfigurationList; buildConfigurations = ( - 83152A71E74E448D28F45AAFABA2874E /* Debug */, - 926EFA525135A112DFCF44C65F9F563E /* Release */, + 71C4EFD9D2D4F1F6F6828DC1B6EC7FCE /* Debug */, + 062FEED97343F134C51D97C90DAE4D71 /* Release */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + B462F7329881FF6565EF44016BE2B959 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + EFA70F2EAB610CE73EB4B75FFD679D69 /* Debug */, + A658260C69CC5FE8D2D4A6E6D37E820A /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h index 6b71676a9bd4..02327b85e884 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double AlamofireVersionNumber; diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h index 75c63f7c53e0..435b682a1068 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double PetstoreClientVersionNumber; diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown index 7ba73e9320a6..102af7538517 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown @@ -1,255 +1,3 @@ # Acknowledgements This application makes use of the following third party libraries: - -## Alamofire - -Copyright (c) 2014-2016 Alamofire Software Foundation (http://alamofire.org/) - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. - - -## PetstoreClient - - Apache License - Version 2.0, January 2004 - http://www.apache.org/licenses/ - - TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION - - 1. Definitions. - - "License" shall mean the terms and conditions for use, reproduction, - and distribution as defined by Sections 1 through 9 of this document. - - "Licensor" shall mean the copyright owner or entity authorized by - the copyright owner that is granting the License. - - "Legal Entity" shall mean the union of the acting entity and all - other entities that control, are controlled by, or are under common - control with that entity. For the purposes of this definition, - "control" means (i) the power, direct or indirect, to cause the - direction or management of such entity, whether by contract or - otherwise, or (ii) ownership of fifty percent (50%) or more of the - outstanding shares, or (iii) beneficial ownership of such entity. - - "You" (or "Your") shall mean an individual or Legal Entity - exercising permissions granted by this License. - - "Source" form shall mean the preferred form for making modifications, - including but not limited to software source code, documentation - source, and configuration files. - - "Object" form shall mean any form resulting from mechanical - transformation or translation of a Source form, including but - not limited to compiled object code, generated documentation, - and conversions to other media types. - - "Work" shall mean the work of authorship, whether in Source or - Object form, made available under the License, as indicated by a - copyright notice that is included in or attached to the work - (an example is provided in the Appendix below). - - "Derivative Works" shall mean any work, whether in Source or Object - form, that is based on (or derived from) the Work and for which the - editorial revisions, annotations, elaborations, or other modifications - represent, as a whole, an original work of authorship. For the purposes - of this License, Derivative Works shall not include works that remain - separable from, or merely link (or bind by name) to the interfaces of, - the Work and Derivative Works thereof. - - "Contribution" shall mean any work of authorship, including - the original version of the Work and any modifications or additions - to that Work or Derivative Works thereof, that is intentionally - submitted to Licensor for inclusion in the Work by the copyright owner - or by an individual or Legal Entity authorized to submit on behalf of - the copyright owner. For the purposes of this definition, "submitted" - means any form of electronic, verbal, or written communication sent - to the Licensor or its representatives, including but not limited to - communication on electronic mailing lists, source code control systems, - and issue tracking systems that are managed by, or on behalf of, the - Licensor for the purpose of discussing and improving the Work, but - excluding communication that is conspicuously marked or otherwise - designated in writing by the copyright owner as "Not a Contribution." - - "Contributor" shall mean Licensor and any individual or Legal Entity - on behalf of whom a Contribution has been received by Licensor and - subsequently incorporated within the Work. - - 2. Grant of Copyright License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - copyright license to reproduce, prepare Derivative Works of, - publicly display, publicly perform, sublicense, and distribute the - Work and such Derivative Works in Source or Object form. - - 3. Grant of Patent License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - (except as stated in this section) patent license to make, have made, - use, offer to sell, sell, import, and otherwise transfer the Work, - where such license applies only to those patent claims licensable - by such Contributor that are necessarily infringed by their - Contribution(s) alone or by combination of their Contribution(s) - with the Work to which such Contribution(s) was submitted. If You - institute patent litigation against any entity (including a - cross-claim or counterclaim in a lawsuit) alleging that the Work - or a Contribution incorporated within the Work constitutes direct - or contributory patent infringement, then any patent licenses - granted to You under this License for that Work shall terminate - as of the date such litigation is filed. - - 4. Redistribution. You may reproduce and distribute copies of the - Work or Derivative Works thereof in any medium, with or without - modifications, and in Source or Object form, provided that You - meet the following conditions: - - (a) You must give any other recipients of the Work or - Derivative Works a copy of this License; and - - (b) You must cause any modified files to carry prominent notices - stating that You changed the files; and - - (c) You must retain, in the Source form of any Derivative Works - that You distribute, all copyright, patent, trademark, and - attribution notices from the Source form of the Work, - excluding those notices that do not pertain to any part of - the Derivative Works; and - - (d) If the Work includes a "NOTICE" text file as part of its - distribution, then any Derivative Works that You distribute must - include a readable copy of the attribution notices contained - within such NOTICE file, excluding those notices that do not - pertain to any part of the Derivative Works, in at least one - of the following places: within a NOTICE text file distributed - as part of the Derivative Works; within the Source form or - documentation, if provided along with the Derivative Works; or, - within a display generated by the Derivative Works, if and - wherever such third-party notices normally appear. The contents - of the NOTICE file are for informational purposes only and - do not modify the License. You may add Your own attribution - notices within Derivative Works that You distribute, alongside - or as an addendum to the NOTICE text from the Work, provided - that such additional attribution notices cannot be construed - as modifying the License. - - You may add Your own copyright statement to Your modifications and - may provide additional or different license terms and conditions - for use, reproduction, or distribution of Your modifications, or - for any such Derivative Works as a whole, provided Your use, - reproduction, and distribution of the Work otherwise complies with - the conditions stated in this License. - - 5. Submission of Contributions. Unless You explicitly state otherwise, - any Contribution intentionally submitted for inclusion in the Work - by You to the Licensor shall be under the terms and conditions of - this License, without any additional terms or conditions. - Notwithstanding the above, nothing herein shall supersede or modify - the terms of any separate license agreement you may have executed - with Licensor regarding such Contributions. - - 6. Trademarks. This License does not grant permission to use the trade - names, trademarks, service marks, or product names of the Licensor, - except as required for reasonable and customary use in describing the - origin of the Work and reproducing the content of the NOTICE file. - - 7. Disclaimer of Warranty. Unless required by applicable law or - agreed to in writing, Licensor provides the Work (and each - Contributor provides its Contributions) on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or - implied, including, without limitation, any warranties or conditions - of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A - PARTICULAR PURPOSE. You are solely responsible for determining the - appropriateness of using or redistributing the Work and assume any - risks associated with Your exercise of permissions under this License. - - 8. Limitation of Liability. In no event and under no legal theory, - whether in tort (including negligence), contract, or otherwise, - unless required by applicable law (such as deliberate and grossly - negligent acts) or agreed to in writing, shall any Contributor be - liable to You for damages, including any direct, indirect, special, - incidental, or consequential damages of any character arising as a - result of this License or out of the use or inability to use the - Work (including but not limited to damages for loss of goodwill, - work stoppage, computer failure or malfunction, or any and all - other commercial damages or losses), even if such Contributor - has been advised of the possibility of such damages. - - 9. Accepting Warranty or Additional Liability. While redistributing - the Work or Derivative Works thereof, You may choose to offer, - and charge a fee for, acceptance of support, warranty, indemnity, - or other liability obligations and/or rights consistent with this - License. However, in accepting such obligations, You may act only - on Your own behalf and on Your sole responsibility, not on behalf - of any other Contributor, and only if You agree to indemnify, - defend, and hold each Contributor harmless for any liability - incurred by, or claims asserted against, such Contributor by reason - of your accepting any such warranty or additional liability. - - END OF TERMS AND CONDITIONS - - APPENDIX: How to apply the Apache License to your work. - - To apply the Apache License to your work, attach the following - boilerplate notice, with the fields enclosed by brackets "{}" - replaced with your own identifying information. (Don't include - the brackets!) The text should be enclosed in the appropriate - comment syntax for the file format. We also recommend that a - file or class name and description of purpose be included on the - same "printed page" as the copyright notice for easier - identification within third-party archives. - - Copyright {yyyy} {name of copyright owner} - - Licensed under the Apache License, Version 2.0 (the "License"); - you may not use this file except in compliance with the License. - You may obtain a copy of the License at - - http://www.apache.org/licenses/LICENSE-2.0 - - Unless required by applicable law or agreed to in writing, software - distributed under the License is distributed on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - See the License for the specific language governing permissions and - limitations under the License. - - -## PromiseKit - -Copyright 2016, Max Howell; mxcl@me.com - -Permission is hereby granted, free of charge, to any person obtaining a -copy of this software and associated documentation files (the -"Software"), to deal in the Software without restriction, including -without limitation the rights to use, copy, modify, merge, publish, -distribute, sublicense, and/or sell copies of the Software, and to -permit persons to whom the Software is furnished to do so, subject to -the following conditions: - -The above copyright notice and this permission notice shall be included -in all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS -OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF -MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. -IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY -CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, -TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE -SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. - Generated by CocoaPods - https://cocoapods.org diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist index 63a05360580b..7acbad1eabbf 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist @@ -12,270 +12,6 @@ Type PSGroupSpecifier - - FooterText - Copyright (c) 2014-2016 Alamofire Software Foundation (http://alamofire.org/) - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. - - Title - Alamofire - Type - PSGroupSpecifier - - - FooterText - Apache License - Version 2.0, January 2004 - http://www.apache.org/licenses/ - - TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION - - 1. Definitions. - - "License" shall mean the terms and conditions for use, reproduction, - and distribution as defined by Sections 1 through 9 of this document. - - "Licensor" shall mean the copyright owner or entity authorized by - the copyright owner that is granting the License. - - "Legal Entity" shall mean the union of the acting entity and all - other entities that control, are controlled by, or are under common - control with that entity. For the purposes of this definition, - "control" means (i) the power, direct or indirect, to cause the - direction or management of such entity, whether by contract or - otherwise, or (ii) ownership of fifty percent (50%) or more of the - outstanding shares, or (iii) beneficial ownership of such entity. - - "You" (or "Your") shall mean an individual or Legal Entity - exercising permissions granted by this License. - - "Source" form shall mean the preferred form for making modifications, - including but not limited to software source code, documentation - source, and configuration files. - - "Object" form shall mean any form resulting from mechanical - transformation or translation of a Source form, including but - not limited to compiled object code, generated documentation, - and conversions to other media types. - - "Work" shall mean the work of authorship, whether in Source or - Object form, made available under the License, as indicated by a - copyright notice that is included in or attached to the work - (an example is provided in the Appendix below). - - "Derivative Works" shall mean any work, whether in Source or Object - form, that is based on (or derived from) the Work and for which the - editorial revisions, annotations, elaborations, or other modifications - represent, as a whole, an original work of authorship. For the purposes - of this License, Derivative Works shall not include works that remain - separable from, or merely link (or bind by name) to the interfaces of, - the Work and Derivative Works thereof. - - "Contribution" shall mean any work of authorship, including - the original version of the Work and any modifications or additions - to that Work or Derivative Works thereof, that is intentionally - submitted to Licensor for inclusion in the Work by the copyright owner - or by an individual or Legal Entity authorized to submit on behalf of - the copyright owner. For the purposes of this definition, "submitted" - means any form of electronic, verbal, or written communication sent - to the Licensor or its representatives, including but not limited to - communication on electronic mailing lists, source code control systems, - and issue tracking systems that are managed by, or on behalf of, the - Licensor for the purpose of discussing and improving the Work, but - excluding communication that is conspicuously marked or otherwise - designated in writing by the copyright owner as "Not a Contribution." - - "Contributor" shall mean Licensor and any individual or Legal Entity - on behalf of whom a Contribution has been received by Licensor and - subsequently incorporated within the Work. - - 2. Grant of Copyright License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - copyright license to reproduce, prepare Derivative Works of, - publicly display, publicly perform, sublicense, and distribute the - Work and such Derivative Works in Source or Object form. - - 3. Grant of Patent License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - (except as stated in this section) patent license to make, have made, - use, offer to sell, sell, import, and otherwise transfer the Work, - where such license applies only to those patent claims licensable - by such Contributor that are necessarily infringed by their - Contribution(s) alone or by combination of their Contribution(s) - with the Work to which such Contribution(s) was submitted. If You - institute patent litigation against any entity (including a - cross-claim or counterclaim in a lawsuit) alleging that the Work - or a Contribution incorporated within the Work constitutes direct - or contributory patent infringement, then any patent licenses - granted to You under this License for that Work shall terminate - as of the date such litigation is filed. - - 4. Redistribution. You may reproduce and distribute copies of the - Work or Derivative Works thereof in any medium, with or without - modifications, and in Source or Object form, provided that You - meet the following conditions: - - (a) You must give any other recipients of the Work or - Derivative Works a copy of this License; and - - (b) You must cause any modified files to carry prominent notices - stating that You changed the files; and - - (c) You must retain, in the Source form of any Derivative Works - that You distribute, all copyright, patent, trademark, and - attribution notices from the Source form of the Work, - excluding those notices that do not pertain to any part of - the Derivative Works; and - - (d) If the Work includes a "NOTICE" text file as part of its - distribution, then any Derivative Works that You distribute must - include a readable copy of the attribution notices contained - within such NOTICE file, excluding those notices that do not - pertain to any part of the Derivative Works, in at least one - of the following places: within a NOTICE text file distributed - as part of the Derivative Works; within the Source form or - documentation, if provided along with the Derivative Works; or, - within a display generated by the Derivative Works, if and - wherever such third-party notices normally appear. The contents - of the NOTICE file are for informational purposes only and - do not modify the License. You may add Your own attribution - notices within Derivative Works that You distribute, alongside - or as an addendum to the NOTICE text from the Work, provided - that such additional attribution notices cannot be construed - as modifying the License. - - You may add Your own copyright statement to Your modifications and - may provide additional or different license terms and conditions - for use, reproduction, or distribution of Your modifications, or - for any such Derivative Works as a whole, provided Your use, - reproduction, and distribution of the Work otherwise complies with - the conditions stated in this License. - - 5. Submission of Contributions. Unless You explicitly state otherwise, - any Contribution intentionally submitted for inclusion in the Work - by You to the Licensor shall be under the terms and conditions of - this License, without any additional terms or conditions. - Notwithstanding the above, nothing herein shall supersede or modify - the terms of any separate license agreement you may have executed - with Licensor regarding such Contributions. - - 6. Trademarks. This License does not grant permission to use the trade - names, trademarks, service marks, or product names of the Licensor, - except as required for reasonable and customary use in describing the - origin of the Work and reproducing the content of the NOTICE file. - - 7. Disclaimer of Warranty. Unless required by applicable law or - agreed to in writing, Licensor provides the Work (and each - Contributor provides its Contributions) on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or - implied, including, without limitation, any warranties or conditions - of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A - PARTICULAR PURPOSE. You are solely responsible for determining the - appropriateness of using or redistributing the Work and assume any - risks associated with Your exercise of permissions under this License. - - 8. Limitation of Liability. In no event and under no legal theory, - whether in tort (including negligence), contract, or otherwise, - unless required by applicable law (such as deliberate and grossly - negligent acts) or agreed to in writing, shall any Contributor be - liable to You for damages, including any direct, indirect, special, - incidental, or consequential damages of any character arising as a - result of this License or out of the use or inability to use the - Work (including but not limited to damages for loss of goodwill, - work stoppage, computer failure or malfunction, or any and all - other commercial damages or losses), even if such Contributor - has been advised of the possibility of such damages. - - 9. Accepting Warranty or Additional Liability. While redistributing - the Work or Derivative Works thereof, You may choose to offer, - and charge a fee for, acceptance of support, warranty, indemnity, - or other liability obligations and/or rights consistent with this - License. However, in accepting such obligations, You may act only - on Your own behalf and on Your sole responsibility, not on behalf - of any other Contributor, and only if You agree to indemnify, - defend, and hold each Contributor harmless for any liability - incurred by, or claims asserted against, such Contributor by reason - of your accepting any such warranty or additional liability. - - END OF TERMS AND CONDITIONS - - APPENDIX: How to apply the Apache License to your work. - - To apply the Apache License to your work, attach the following - boilerplate notice, with the fields enclosed by brackets "{}" - replaced with your own identifying information. (Don't include - the brackets!) The text should be enclosed in the appropriate - comment syntax for the file format. We also recommend that a - file or class name and description of purpose be included on the - same "printed page" as the copyright notice for easier - identification within third-party archives. - - Copyright {yyyy} {name of copyright owner} - - Licensed under the Apache License, Version 2.0 (the "License"); - you may not use this file except in compliance with the License. - You may obtain a copy of the License at - - http://www.apache.org/licenses/LICENSE-2.0 - - Unless required by applicable law or agreed to in writing, software - distributed under the License is distributed on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - See the License for the specific language governing permissions and - limitations under the License. - - Title - PetstoreClient - Type - PSGroupSpecifier - - - FooterText - Copyright 2016, Max Howell; mxcl@me.com - -Permission is hereby granted, free of charge, to any person obtaining a -copy of this software and associated documentation files (the -"Software"), to deal in the Software without restriction, including -without limitation the rights to use, copy, modify, merge, publish, -distribute, sublicense, and/or sell copies of the Software, and to -permit persons to whom the Software is furnished to do so, subject to -the following conditions: - -The above copyright notice and this permission notice shall be included -in all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS -OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF -MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. -IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY -CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, -TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE -SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. - - Title - PromiseKit - Type - PSGroupSpecifier - FooterText Generated by CocoaPods - https://cocoapods.org diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh index 0a1561528cb9..25e9d37757fc 100755 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh @@ -23,12 +23,6 @@ case "${TARGETED_DEVICE_FAMILY}" in ;; esac -realpath() { - DIRECTORY="$(cd "${1%/*}" && pwd)" - FILENAME="${1##*/}" - echo "$DIRECTORY/$FILENAME" -} - install_resource() { if [[ "$1" = /* ]] ; then @@ -70,7 +64,7 @@ EOM xcrun mapc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcmappingmodel`.cdm" ;; *.xcassets) - ABSOLUTE_XCASSET_FILE=$(realpath "$RESOURCE_PATH") + ABSOLUTE_XCASSET_FILE="$RESOURCE_PATH" XCASSET_FILES+=("$ABSOLUTE_XCASSET_FILE") ;; *) @@ -93,7 +87,7 @@ then # Find all other xcassets (this unfortunately includes those of path pods and other targets). OTHER_XCASSETS=$(find "$PWD" -iname "*.xcassets" -type d) while read line; do - if [[ $line != "`realpath $PODS_ROOT`*" ]]; then + if [[ $line != "${PODS_ROOT}*" ]]; then XCASSET_FILES+=("$line") fi done <<<"$OTHER_XCASSETS" diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h index b68fbb9611fa..2bdb03cd9399 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double Pods_SwaggerClientVersionNumber; diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig index 532f5a00dadd..609a649dd141 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = YES EMBEDDED_CONTENT_CONTAINS_SWIFT = YES FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/PromiseKit" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig index 532f5a00dadd..609a649dd141 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = YES EMBEDDED_CONTENT_CONTAINS_SWIFT = YES FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/PromiseKit" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh index 0a1561528cb9..25e9d37757fc 100755 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh @@ -23,12 +23,6 @@ case "${TARGETED_DEVICE_FAMILY}" in ;; esac -realpath() { - DIRECTORY="$(cd "${1%/*}" && pwd)" - FILENAME="${1##*/}" - echo "$DIRECTORY/$FILENAME" -} - install_resource() { if [[ "$1" = /* ]] ; then @@ -70,7 +64,7 @@ EOM xcrun mapc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcmappingmodel`.cdm" ;; *.xcassets) - ABSOLUTE_XCASSET_FILE=$(realpath "$RESOURCE_PATH") + ABSOLUTE_XCASSET_FILE="$RESOURCE_PATH" XCASSET_FILES+=("$ABSOLUTE_XCASSET_FILE") ;; *) @@ -93,7 +87,7 @@ then # Find all other xcassets (this unfortunately includes those of path pods and other targets). OTHER_XCASSETS=$(find "$PWD" -iname "*.xcassets" -type d) while read line; do - if [[ $line != "`realpath $PODS_ROOT`*" ]]; then + if [[ $line != "${PODS_ROOT}*" ]]; then XCASSET_FILES+=("$line") fi done <<<"$OTHER_XCASSETS" diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h index fb4cae0c0fdc..950bb19ca7a1 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double Pods_SwaggerClientTestsVersionNumber; diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig index 770b09ec1d1d..a85571177514 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/PromiseKit" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 LD_RUNPATH_SEARCH_PATHS = $(inherited) '@executable_path/Frameworks' '@loader_path/Frameworks' diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig index 770b09ec1d1d..a85571177514 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/PromiseKit" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 LD_RUNPATH_SEARCH_PATHS = $(inherited) '@executable_path/Frameworks' '@loader_path/Frameworks' diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/PromiseKit/PromiseKit-umbrella.h b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/PromiseKit/PromiseKit-umbrella.h index 5a84473fb3bb..c8f1fafdd5b4 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/PromiseKit/PromiseKit-umbrella.h +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/Pods/Target Support Files/PromiseKit/PromiseKit-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif #import "AAA-CocoaPods-Hack.h" #import "AnyPromise.h" diff --git a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj index cd7a1eb17967..67337de03e5d 100644 --- a/samples/client/petstore/swift3/promisekit/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj +++ b/samples/client/petstore/swift3/promisekit/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj @@ -268,7 +268,7 @@ ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; - shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [[ $? != 0 ]] ; then\n cat << EOM\nerror: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\nEOM\n exit 1\nfi\n"; + shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n"; showEnvVarsInLog = 0; }; 4485A75250058E2D5BBDF63F /* [CP] Embed Pods Frameworks */ = { @@ -313,7 +313,7 @@ ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; - shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [[ $? != 0 ]] ; then\n cat << EOM\nerror: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\nEOM\n exit 1\nfi\n"; + shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n"; showEnvVarsInLog = 0; }; 808CE4A0CE801CAC5ABF5B08 /* [CP] Copy Pods Resources */ = { diff --git a/samples/client/petstore/swift3/rxswift/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift b/samples/client/petstore/swift3/rxswift/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift index d0c9e24bd5d5..d8e2004302d3 100644 --- a/samples/client/petstore/swift3/rxswift/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift +++ b/samples/client/petstore/swift3/rxswift/PetstoreClient/Classes/Swaggers/AlamofireImplementations.swift @@ -92,7 +92,7 @@ open class AlamofireRequestBuilder: RequestBuilder { } self.processRequest(request: upload, managerId, completion) case .failure(let encodingError): - completion(nil, ErrorResponse(statusCode: 415, data: nil, error: encodingError)) + completion(nil, ErrorResponse.HttpError(statusCode: 415, data: nil, error: encodingError)) } }) } else { @@ -124,7 +124,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if stringResponse.result.isFailure { completion( nil, - ErrorResponse(statusCode: stringResponse.response?.statusCode ?? 500, data: stringResponse.data, error: stringResponse.result.error as Error!) + ErrorResponse.HttpError(statusCode: stringResponse.response?.statusCode ?? 500, data: stringResponse.data, error: stringResponse.result.error as Error!) ) return } @@ -144,7 +144,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if voidResponse.result.isFailure { completion( nil, - ErrorResponse(statusCode: voidResponse.response?.statusCode ?? 500, data: voidResponse.data, error: voidResponse.result.error!) + ErrorResponse.HttpError(statusCode: voidResponse.response?.statusCode ?? 500, data: voidResponse.data, error: voidResponse.result.error!) ) return } @@ -163,7 +163,7 @@ open class AlamofireRequestBuilder: RequestBuilder { if (dataResponse.result.isFailure) { completion( nil, - ErrorResponse(statusCode: dataResponse.response?.statusCode ?? 500, data: dataResponse.data, error: dataResponse.result.error!) + ErrorResponse.HttpError(statusCode: dataResponse.response?.statusCode ?? 500, data: dataResponse.data, error: dataResponse.result.error!) ) return } @@ -181,7 +181,7 @@ open class AlamofireRequestBuilder: RequestBuilder { cleanupRequest() if response.result.isFailure { - completion(nil, ErrorResponse(statusCode: response.response?.statusCode ?? 500, data: response.data, error: response.result.error!)) + completion(nil, ErrorResponse.HttpError(statusCode: response.response?.statusCode ?? 500, data: response.data, error: response.result.error!)) return } @@ -197,8 +197,11 @@ open class AlamofireRequestBuilder: RequestBuilder { return } if let json: Any = response.result.value { - let body = Decoders.decode(clazz: T.self, source: json as AnyObject) - completion(Response(response: response.response!, body: body), nil) + let decoded = Decoders.decode(clazz: T.self, source: json as AnyObject) + switch decoded { + case let .success(object): completion(Response(response: response.response!, body: object), nil) + case let .failure(error): completion(nil, ErrorResponse.DecodeError(response: response.data, decodeError: error)) + } return } else if "" is T { // swagger-parser currently doesn't support void, which will be fixed in future swagger-parser release @@ -207,7 +210,7 @@ open class AlamofireRequestBuilder: RequestBuilder { return } - completion(nil, ErrorResponse(statusCode: 500, data: nil, error: NSError(domain: "localhost", code: 500, userInfo: ["reason": "unreacheable code"]))) + completion(nil, ErrorResponse.HttpError(statusCode: 500, data: nil, error: NSError(domain: "localhost", code: 500, userInfo: ["reason": "unreacheable code"]))) } } } diff --git a/samples/client/petstore/swift3/rxswift/PetstoreClient/Classes/Swaggers/Models.swift b/samples/client/petstore/swift3/rxswift/PetstoreClient/Classes/Swaggers/Models.swift index 4d66c81be2f3..559a2e8a5e17 100644 --- a/samples/client/petstore/swift3/rxswift/PetstoreClient/Classes/Swaggers/Models.swift +++ b/samples/client/petstore/swift3/rxswift/PetstoreClient/Classes/Swaggers/Models.swift @@ -10,10 +10,9 @@ protocol JSONEncodable { func encodeToJSON() -> Any } -public struct ErrorResponse : Error { - public let statusCode: Int - public let data: Data? - public let error: Error +public enum ErrorResponse : Error { + case HttpError(statusCode: Int, data: Data?, error: Error) + case DecodeError(response: Data?, decodeError: DecodeError) } open class Response { @@ -37,90 +36,182 @@ open class Response { } } +public enum Decoded { + case success(ValueType) + case failure(DecodeError) +} + +public extension Decoded { + var value: ValueType? { + switch self { + case let .success(value): + return value + break + case .failure: + return nil + break + } + } +} + +public enum DecodeError { + case typeMismatch(expected: String, actual: String) + case missingKey(key: String) + case parseError(message: String) +} + private var once = Int() class Decoders { static fileprivate var decoders = Dictionary AnyObject)>() - static func addDecoder(clazz: T.Type, decoder: @escaping ((AnyObject) -> T)) { + + static func addDecoder(clazz: T.Type, decoder: @escaping ((AnyObject) -> Decoded)) { let key = "\(T.self)" decoders[key] = { decoder($0) as AnyObject } } - static func decode(clazz: T.Type, discriminator: String, source: AnyObject) -> T { + static func decode(clazz: T.Type, discriminator: String, source: AnyObject) -> Decoded { let key = discriminator; - if let decoder = decoders[key] { - return decoder(source) as! T + if let decoder = decoders[key], let value = decoder(source) as? Decoded { + return value } else { - fatalError("Source \(source) is not convertible to type \(clazz): Maybe swagger file is insufficient") + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } } - static func decode(clazz: [T].Type, source: AnyObject) -> [T] { - let array = source as! [AnyObject] - return array.map { Decoders.decode(clazz: T.self, source: $0) } - } - - static func decode(clazz: [Key:T].Type, source: AnyObject) -> [Key:T] { - let sourceDictionary = source as! [Key: AnyObject] - var dictionary = [Key:T]() - for (key, value) in sourceDictionary { - dictionary[key] = Decoders.decode(clazz: T.self, source: value) + static func decode(clazz: [T].Type, source: AnyObject) -> Decoded<[T]> { + if let sourceArray = source as? [AnyObject] { + var values = [T]() + for sourceValue in sourceArray { + switch Decoders.decode(clazz: T.self, source: sourceValue) { + case let .success(value): + values.append(value) + case let .failure(error): + return .failure(error) + break + } + } + return .success(values) + } else { + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } - return dictionary } - static func decode(clazz: T.Type, source: AnyObject) -> T { + static func decode(clazz: [Key:T].Type, source: AnyObject) -> Decoded<[Key:T]> { + if let sourceDictionary = source as? [Key: AnyObject] { + var dictionary = [Key:T]() + for (key, value) in sourceDictionary { + switch Decoders.decode(clazz: T.self, source: value) { + case let .success(value): + dictionary[key] = value + break + case let .failure(error): + return .failure(error) + } + } + return .success(dictionary) + } else { + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) + } + } + + static func decodeOptional(clazz: T.Type, source: AnyObject?) -> Decoded { + if let value = source as? T.RawValue { + if let enumValue = T.init(rawValue: value) { + return .success(enumValue) + } else { + return .failure(.typeMismatch(expected: "A value from the enumeration \(T.self)", actual: "\(value)")) + } + } else { + return .failure(.typeMismatch(expected: "\(T.RawValue.self) matching a case from the enumeration \(T.self)", actual: String(describing: type(of: source)))) + } + } + + static func decode(clazz: T.Type, source: AnyObject) -> Decoded { initialize() - if T.self is Int32.Type && source is NSNumber { - return source.int32Value as! T; + if let value = source.int32Value as? T, source is NSNumber, T.self is Int32.Type { + return .success(value) } - if T.self is Int64.Type && source is NSNumber { - return source.int64Value as! T; + if let value = source.int32Value as? T, source is NSNumber, T.self is Int64.Type { + return .success(value) } - if T.self is UUID.Type && source is String { - return UUID(uuidString: source as! String) as! T + if let intermediate = source as? String, let value = UUID(uuidString: intermediate) as? T, source is String, T.self is UUID.Type { + return .success(value) } - if source is T { - return source as! T + if let value = source as? T { + return .success(value) } - if T.self is Data.Type && source is String { - return Data(base64Encoded: source as! String) as! T + //The last two expressions in this condition must be unnecessary, but it would be good to test this. + if let intermediate = source as? String, let value = Data(base64Encoded: intermediate) as? T, T.self is Data.Type, source is String { + return .success(value) } let key = "\(T.self)" - if let decoder = decoders[key] { - return decoder(source) as! T + if let decoder = decoders[key], let value = decoder(source) as? Decoded { + return value } else { - fatalError("Source \(source) is not convertible to type \(clazz): Maybe swagger file is insufficient") + return .failure(.typeMismatch(expected: String(describing: clazz), actual: String(describing: source))) } } - static func decodeOptional(clazz: T.Type, source: AnyObject?) -> T? { - if source is NSNull { - return nil - } - return source.map { (source: AnyObject) -> T in - Decoders.decode(clazz: clazz, source: source) + //Convert a Decoded so that its value is optional. DO WE STILL NEED THIS? + static func toOptional(decoded: Decoded) -> Decoded { + return .success(decoded.value) + } + + static func decodeOptional(clazz: T.Type, source: AnyObject?) -> Decoded { + if let source = source, !(source is NSNull) { + switch Decoders.decode(clazz: clazz, source: source) { + case let .success(value): return .success(value) + case let .failure(error): return .failure(error) + } + } else { + return .success(nil) } } - static func decodeOptional(clazz: [T].Type, source: AnyObject?) -> [T]? { - if source is NSNull { - return nil - } - return source.map { (someSource: AnyObject) -> [T] in - Decoders.decode(clazz: clazz, source: someSource) + static func decodeOptional(clazz: [T].Type, source: AnyObject?) -> Decoded<[T]?> { + if let source = source as? [AnyObject] { + var values = [T]() + for sourceValue in source { + switch Decoders.decode(clazz: T.self, source: sourceValue) { + case let .success(value): values.append(value) + case let .failure(error): return .failure(error) + } + } + return .success(values) + } else { + return .success(nil) } } - static func decodeOptional(clazz: [Key:T].Type, source: AnyObject?) -> [Key:T]? { - if source is NSNull { - return nil - } - return source.map { (someSource: AnyObject) -> [Key:T] in - Decoders.decode(clazz: clazz, source: someSource) + static func decodeOptional(clazz: [Key:T].Type, source: AnyObject?) -> Decoded<[Key:T]?> { + if let sourceDictionary = source as? [Key: AnyObject] { + var dictionary = [Key:T]() + for (key, value) in sourceDictionary { + switch Decoders.decode(clazz: T.self, source: value) { + case let .success(value): dictionary[key] = value + case let .failure(error): return .failure(error) + } + } + return .success(dictionary) + } else { + return .success(nil) } } + + static func decodeOptional(clazz: T, source: AnyObject) -> Decoded { + if let value = source as? U { + if let enumValue = T.init(rawValue: value) { + return .success(enumValue) + } else { + return .failure(.typeMismatch(expected: "A value from the enumeration \(T.self)", actual: "\(value)")) + } + } else { + return .failure(.typeMismatch(expected: "String", actual: String(describing: type(of: source)))) + } + } + private static var __once: () = { let formatters = [ @@ -136,541 +227,1055 @@ class Decoders { return formatter } // Decoder for Date - Decoders.addDecoder(clazz: Date.self) { (source: AnyObject) -> Date in + Decoders.addDecoder(clazz: Date.self) { (source: AnyObject) -> Decoded in if let sourceString = source as? String { for formatter in formatters { if let date = formatter.date(from: sourceString) { - return date + return .success(date) } } } - if let sourceInt = source as? Int64 { + if let sourceInt = source as? Int { // treat as a java date - return Date(timeIntervalSince1970: Double(sourceInt / 1000) ) + return .success(Date(timeIntervalSince1970: Double(sourceInt / 1000) )) + } + if source is String || source is Int { + return .failure(.parseError(message: "Could not decode date")) + } else { + return .failure(.typeMismatch(expected: "String or Int", actual: "\(source)")) } - fatalError("formatter failed to parse \(source)") } - + // Decoder for ISOFullDate - Decoders.addDecoder(clazz: ISOFullDate.self) { (source: AnyObject) -> ISOFullDate in + Decoders.addDecoder(clazz: ISOFullDate.self) { (source: AnyObject) -> Decoded in if let string = source as? String, let isoDate = ISOFullDate.from(string: string) { - return isoDate + return .success(isoDate) + } else { + return .failure(.typeMismatch(expected: "ISO date", actual: "\(source)")) } - fatalError("formatter failed to parse \(source)") } // Decoder for [AdditionalPropertiesClass] - Decoders.addDecoder(clazz: [AdditionalPropertiesClass].self) { (source: AnyObject) -> [AdditionalPropertiesClass] in + Decoders.addDecoder(clazz: [AdditionalPropertiesClass].self) { (source: AnyObject) -> Decoded<[AdditionalPropertiesClass]> in return Decoders.decode(clazz: [AdditionalPropertiesClass].self, source: source) } // Decoder for AdditionalPropertiesClass - Decoders.addDecoder(clazz: AdditionalPropertiesClass.self) { (source: AnyObject) -> AdditionalPropertiesClass in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: AdditionalPropertiesClass.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = AdditionalPropertiesClass() - instance.mapProperty = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map_property"] as AnyObject?) - instance.mapOfMapProperty = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map_of_map_property"] as AnyObject?) - return instance + let instance = AdditionalPropertiesClass() + switch Decoders.decodeOptional(clazz: [String:String].self, source: sourceDictionary["map_property"] as AnyObject?) { + + case let .success(value): instance.mapProperty = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [String:[String:String]].self, source: sourceDictionary["map_of_map_property"] as AnyObject?) { + + case let .success(value): instance.mapOfMapProperty = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "AdditionalPropertiesClass", actual: "\(source)")) + } } // Decoder for [Animal] - Decoders.addDecoder(clazz: [Animal].self) { (source: AnyObject) -> [Animal] in + Decoders.addDecoder(clazz: [Animal].self) { (source: AnyObject) -> Decoded<[Animal]> in return Decoders.decode(clazz: [Animal].self, source: source) } // Decoder for Animal - Decoders.addDecoder(clazz: Animal.self) { (source: AnyObject) -> Animal in - let sourceDictionary = source as! [AnyHashable: Any] - // Check discriminator to support inheritance - if let discriminator = sourceDictionary["className"] as? String, discriminator != "Animal"{ - return Decoders.decode(clazz: Animal.self, discriminator: discriminator, source: source) + Decoders.addDecoder(clazz: Animal.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { + // Check discriminator to support inheritance + if let discriminator = sourceDictionary["className"] as? String, discriminator != "Animal"{ + return Decoders.decode(clazz: Animal.self, discriminator: discriminator, source: source) + } + + let instance = Animal() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) { + + case let .success(value): instance.className = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) { + + case let .success(value): instance.color = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Animal", actual: "\(source)")) } - - let instance = Animal() - instance.className = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) - instance.color = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) - return instance } - // Decoder for [AnimalFarm] - Decoders.addDecoder(clazz: [AnimalFarm].self) { (source: AnyObject) -> [AnimalFarm] in - return Decoders.decode(clazz: [AnimalFarm].self, source: source) - } - // Decoder for AnimalFarm - Decoders.addDecoder(clazz: AnimalFarm.self) { (source: AnyObject) -> AnimalFarm in - let sourceArray = source as! [AnyObject] - return sourceArray.map({ Decoders.decode(clazz: Animal.self, source: $0) }) - } + // Decoder for [ApiResponse] - Decoders.addDecoder(clazz: [ApiResponse].self) { (source: AnyObject) -> [ApiResponse] in + Decoders.addDecoder(clazz: [ApiResponse].self) { (source: AnyObject) -> Decoded<[ApiResponse]> in return Decoders.decode(clazz: [ApiResponse].self, source: source) } // Decoder for ApiResponse - Decoders.addDecoder(clazz: ApiResponse.self) { (source: AnyObject) -> ApiResponse in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ApiResponse.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ApiResponse() - instance.code = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["code"] as AnyObject?) - instance.type = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["type"] as AnyObject?) - instance.message = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["message"] as AnyObject?) - return instance + let instance = ApiResponse() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["code"] as AnyObject?) { + + case let .success(value): instance.code = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["type"] as AnyObject?) { + + case let .success(value): instance.type = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["message"] as AnyObject?) { + + case let .success(value): instance.message = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ApiResponse", actual: "\(source)")) + } } // Decoder for [ArrayOfArrayOfNumberOnly] - Decoders.addDecoder(clazz: [ArrayOfArrayOfNumberOnly].self) { (source: AnyObject) -> [ArrayOfArrayOfNumberOnly] in + Decoders.addDecoder(clazz: [ArrayOfArrayOfNumberOnly].self) { (source: AnyObject) -> Decoded<[ArrayOfArrayOfNumberOnly]> in return Decoders.decode(clazz: [ArrayOfArrayOfNumberOnly].self, source: source) } // Decoder for ArrayOfArrayOfNumberOnly - Decoders.addDecoder(clazz: ArrayOfArrayOfNumberOnly.self) { (source: AnyObject) -> ArrayOfArrayOfNumberOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ArrayOfArrayOfNumberOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ArrayOfArrayOfNumberOnly() - instance.arrayArrayNumber = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["ArrayArrayNumber"] as AnyObject?) - return instance + let instance = ArrayOfArrayOfNumberOnly() + switch Decoders.decodeOptional(clazz: [[Double]].self, source: sourceDictionary["ArrayArrayNumber"] as AnyObject?) { + + case let .success(value): instance.arrayArrayNumber = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ArrayOfArrayOfNumberOnly", actual: "\(source)")) + } } // Decoder for [ArrayOfNumberOnly] - Decoders.addDecoder(clazz: [ArrayOfNumberOnly].self) { (source: AnyObject) -> [ArrayOfNumberOnly] in + Decoders.addDecoder(clazz: [ArrayOfNumberOnly].self) { (source: AnyObject) -> Decoded<[ArrayOfNumberOnly]> in return Decoders.decode(clazz: [ArrayOfNumberOnly].self, source: source) } // Decoder for ArrayOfNumberOnly - Decoders.addDecoder(clazz: ArrayOfNumberOnly.self) { (source: AnyObject) -> ArrayOfNumberOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ArrayOfNumberOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ArrayOfNumberOnly() - instance.arrayNumber = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["ArrayNumber"] as AnyObject?) - return instance + let instance = ArrayOfNumberOnly() + switch Decoders.decodeOptional(clazz: [Double].self, source: sourceDictionary["ArrayNumber"] as AnyObject?) { + + case let .success(value): instance.arrayNumber = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ArrayOfNumberOnly", actual: "\(source)")) + } } // Decoder for [ArrayTest] - Decoders.addDecoder(clazz: [ArrayTest].self) { (source: AnyObject) -> [ArrayTest] in + Decoders.addDecoder(clazz: [ArrayTest].self) { (source: AnyObject) -> Decoded<[ArrayTest]> in return Decoders.decode(clazz: [ArrayTest].self, source: source) } // Decoder for ArrayTest - Decoders.addDecoder(clazz: ArrayTest.self) { (source: AnyObject) -> ArrayTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ArrayTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ArrayTest() - instance.arrayOfString = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_of_string"] as AnyObject?) - instance.arrayArrayOfInteger = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_array_of_integer"] as AnyObject?) - instance.arrayArrayOfModel = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_array_of_model"] as AnyObject?) - return instance + let instance = ArrayTest() + switch Decoders.decodeOptional(clazz: [String].self, source: sourceDictionary["array_of_string"] as AnyObject?) { + + case let .success(value): instance.arrayOfString = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [[Int64]].self, source: sourceDictionary["array_array_of_integer"] as AnyObject?) { + + case let .success(value): instance.arrayArrayOfInteger = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [[ReadOnlyFirst]].self, source: sourceDictionary["array_array_of_model"] as AnyObject?) { + + case let .success(value): instance.arrayArrayOfModel = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ArrayTest", actual: "\(source)")) + } } // Decoder for [Cat] - Decoders.addDecoder(clazz: [Cat].self) { (source: AnyObject) -> [Cat] in + Decoders.addDecoder(clazz: [Cat].self) { (source: AnyObject) -> Decoded<[Cat]> in return Decoders.decode(clazz: [Cat].self, source: source) } // Decoder for Cat - Decoders.addDecoder(clazz: Cat.self) { (source: AnyObject) -> Cat in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Cat.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Cat() - instance.className = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) - instance.color = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) - instance.declawed = Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["declawed"] as AnyObject?) - return instance + let instance = Cat() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) { + + case let .success(value): instance.className = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) { + + case let .success(value): instance.color = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["declawed"] as AnyObject?) { + + case let .success(value): instance.declawed = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Cat", actual: "\(source)")) + } } // Decoder for [Category] - Decoders.addDecoder(clazz: [Category].self) { (source: AnyObject) -> [Category] in + Decoders.addDecoder(clazz: [Category].self) { (source: AnyObject) -> Decoded<[Category]> in return Decoders.decode(clazz: [Category].self, source: source) } // Decoder for Category - Decoders.addDecoder(clazz: Category.self) { (source: AnyObject) -> Category in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Category.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Category() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.name = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) - return instance + let instance = Category() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Category", actual: "\(source)")) + } } // Decoder for [ClassModel] - Decoders.addDecoder(clazz: [ClassModel].self) { (source: AnyObject) -> [ClassModel] in + Decoders.addDecoder(clazz: [ClassModel].self) { (source: AnyObject) -> Decoded<[ClassModel]> in return Decoders.decode(clazz: [ClassModel].self, source: source) } // Decoder for ClassModel - Decoders.addDecoder(clazz: ClassModel.self) { (source: AnyObject) -> ClassModel in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ClassModel.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ClassModel() - instance._class = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["_class"] as AnyObject?) - return instance + let instance = ClassModel() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["_class"] as AnyObject?) { + + case let .success(value): instance._class = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ClassModel", actual: "\(source)")) + } } // Decoder for [Client] - Decoders.addDecoder(clazz: [Client].self) { (source: AnyObject) -> [Client] in + Decoders.addDecoder(clazz: [Client].self) { (source: AnyObject) -> Decoded<[Client]> in return Decoders.decode(clazz: [Client].self, source: source) } // Decoder for Client - Decoders.addDecoder(clazz: Client.self) { (source: AnyObject) -> Client in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Client.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Client() - instance.client = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["client"] as AnyObject?) - return instance + let instance = Client() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["client"] as AnyObject?) { + + case let .success(value): instance.client = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Client", actual: "\(source)")) + } } // Decoder for [Dog] - Decoders.addDecoder(clazz: [Dog].self) { (source: AnyObject) -> [Dog] in + Decoders.addDecoder(clazz: [Dog].self) { (source: AnyObject) -> Decoded<[Dog]> in return Decoders.decode(clazz: [Dog].self, source: source) } // Decoder for Dog - Decoders.addDecoder(clazz: Dog.self) { (source: AnyObject) -> Dog in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Dog.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Dog() - instance.className = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) - instance.color = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) - instance.breed = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["breed"] as AnyObject?) - return instance + let instance = Dog() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["className"] as AnyObject?) { + + case let .success(value): instance.className = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["color"] as AnyObject?) { + + case let .success(value): instance.color = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["breed"] as AnyObject?) { + + case let .success(value): instance.breed = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Dog", actual: "\(source)")) + } } // Decoder for [EnumArrays] - Decoders.addDecoder(clazz: [EnumArrays].self) { (source: AnyObject) -> [EnumArrays] in + Decoders.addDecoder(clazz: [EnumArrays].self) { (source: AnyObject) -> Decoded<[EnumArrays]> in return Decoders.decode(clazz: [EnumArrays].self, source: source) } // Decoder for EnumArrays - Decoders.addDecoder(clazz: EnumArrays.self) { (source: AnyObject) -> EnumArrays in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: EnumArrays.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = EnumArrays() - if let justSymbol = sourceDictionary["just_symbol"] as? String { - instance.justSymbol = EnumArrays.JustSymbol(rawValue: (justSymbol)) + let instance = EnumArrays() + switch Decoders.decodeOptional(clazz: EnumArrays.JustSymbol.self, source: sourceDictionary["just_symbol"] as AnyObject?) { + + case let .success(value): instance.justSymbol = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["array_enum"] as AnyObject?) { + + case let .success(value): instance.arrayEnum = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "EnumArrays", actual: "\(source)")) } - - if let arrayEnum = sourceDictionary["array_enum"] as? [String] { - instance.arrayEnum = arrayEnum.map ({ EnumArrays.ArrayEnum(rawValue: $0)! }) - } - - return instance } // Decoder for [EnumClass] - Decoders.addDecoder(clazz: [EnumClass].self) { (source: AnyObject) -> [EnumClass] in + Decoders.addDecoder(clazz: [EnumClass].self) { (source: AnyObject) -> Decoded<[EnumClass]> in return Decoders.decode(clazz: [EnumClass].self, source: source) } // Decoder for EnumClass - Decoders.addDecoder(clazz: EnumClass.self) { (source: AnyObject) -> EnumClass in - if let source = source as? String { - if let result = EnumClass(rawValue: source) { - return result - } - } - fatalError("Source \(source) is not convertible to enum type EnumClass: Maybe swagger file is insufficient") + Decoders.addDecoder(clazz: EnumClass.self) { (source: AnyObject) -> Decoded in + //TODO: I don't think we need this anymore + return Decoders.decode(clazz: EnumClass.self, source: source) } // Decoder for [EnumTest] - Decoders.addDecoder(clazz: [EnumTest].self) { (source: AnyObject) -> [EnumTest] in + Decoders.addDecoder(clazz: [EnumTest].self) { (source: AnyObject) -> Decoded<[EnumTest]> in return Decoders.decode(clazz: [EnumTest].self, source: source) } // Decoder for EnumTest - Decoders.addDecoder(clazz: EnumTest.self) { (source: AnyObject) -> EnumTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: EnumTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = EnumTest() - if let enumString = sourceDictionary["enum_string"] as? String { - instance.enumString = EnumTest.EnumString(rawValue: (enumString)) + let instance = EnumTest() + switch Decoders.decodeOptional(clazz: EnumTest.EnumString.self, source: sourceDictionary["enum_string"] as AnyObject?) { + + case let .success(value): instance.enumString = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: EnumTest.EnumInteger.self, source: sourceDictionary["enum_integer"] as AnyObject?) { + + case let .success(value): instance.enumInteger = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: EnumTest.EnumNumber.self, source: sourceDictionary["enum_number"] as AnyObject?) { + + case let .success(value): instance.enumNumber = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: OuterEnum.self, source: sourceDictionary["outerEnum"] as AnyObject?) { + + case let .success(value): instance.outerEnum = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "EnumTest", actual: "\(source)")) } - - if let enumInteger = sourceDictionary["enum_integer"] as? Int32 { - instance.enumInteger = EnumTest.EnumInteger(rawValue: (enumInteger)) - } - - if let enumNumber = sourceDictionary["enum_number"] as? Double { - instance.enumNumber = EnumTest.EnumNumber(rawValue: (enumNumber)) - } - - instance.outerEnum = Decoders.decodeOptional(clazz: OuterEnum.self, source: sourceDictionary["outerEnum"] as AnyObject?) - return instance } // Decoder for [FormatTest] - Decoders.addDecoder(clazz: [FormatTest].self) { (source: AnyObject) -> [FormatTest] in + Decoders.addDecoder(clazz: [FormatTest].self) { (source: AnyObject) -> Decoded<[FormatTest]> in return Decoders.decode(clazz: [FormatTest].self, source: source) } // Decoder for FormatTest - Decoders.addDecoder(clazz: FormatTest.self) { (source: AnyObject) -> FormatTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: FormatTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = FormatTest() - instance.integer = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["integer"] as AnyObject?) - instance.int32 = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["int32"] as AnyObject?) - instance.int64 = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["int64"] as AnyObject?) - instance.number = Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["number"] as AnyObject?) - instance.float = Decoders.decodeOptional(clazz: Float.self, source: sourceDictionary["float"] as AnyObject?) - instance.double = Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["double"] as AnyObject?) - instance.string = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["string"] as AnyObject?) - instance.byte = Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["byte"] as AnyObject?) - instance.binary = Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["binary"] as AnyObject?) - instance.date = Decoders.decodeOptional(clazz: ISOFullDate.self, source: sourceDictionary["date"] as AnyObject?) - instance.dateTime = Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) - instance.uuid = Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) - instance.password = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) - return instance + let instance = FormatTest() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["integer"] as AnyObject?) { + + case let .success(value): instance.integer = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["int32"] as AnyObject?) { + + case let .success(value): instance.int32 = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["int64"] as AnyObject?) { + + case let .success(value): instance.int64 = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["number"] as AnyObject?) { + + case let .success(value): instance.number = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Float.self, source: sourceDictionary["float"] as AnyObject?) { + + case let .success(value): instance.float = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["double"] as AnyObject?) { + + case let .success(value): instance.double = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["string"] as AnyObject?) { + + case let .success(value): instance.string = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["byte"] as AnyObject?) { + + case let .success(value): instance.byte = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Data.self, source: sourceDictionary["binary"] as AnyObject?) { + + case let .success(value): instance.binary = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: ISOFullDate.self, source: sourceDictionary["date"] as AnyObject?) { + + case let .success(value): instance.date = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) { + + case let .success(value): instance.dateTime = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) { + + case let .success(value): instance.uuid = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) { + + case let .success(value): instance.password = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "FormatTest", actual: "\(source)")) + } } // Decoder for [HasOnlyReadOnly] - Decoders.addDecoder(clazz: [HasOnlyReadOnly].self) { (source: AnyObject) -> [HasOnlyReadOnly] in + Decoders.addDecoder(clazz: [HasOnlyReadOnly].self) { (source: AnyObject) -> Decoded<[HasOnlyReadOnly]> in return Decoders.decode(clazz: [HasOnlyReadOnly].self, source: source) } // Decoder for HasOnlyReadOnly - Decoders.addDecoder(clazz: HasOnlyReadOnly.self) { (source: AnyObject) -> HasOnlyReadOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: HasOnlyReadOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = HasOnlyReadOnly() - instance.bar = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) - instance.foo = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["foo"] as AnyObject?) - return instance + let instance = HasOnlyReadOnly() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) { + + case let .success(value): instance.bar = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["foo"] as AnyObject?) { + + case let .success(value): instance.foo = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "HasOnlyReadOnly", actual: "\(source)")) + } } // Decoder for [List] - Decoders.addDecoder(clazz: [List].self) { (source: AnyObject) -> [List] in + Decoders.addDecoder(clazz: [List].self) { (source: AnyObject) -> Decoded<[List]> in return Decoders.decode(clazz: [List].self, source: source) } // Decoder for List - Decoders.addDecoder(clazz: List.self) { (source: AnyObject) -> List in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: List.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = List() - instance._123List = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["123-list"] as AnyObject?) - return instance + let instance = List() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["123-list"] as AnyObject?) { + + case let .success(value): instance._123List = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "List", actual: "\(source)")) + } } // Decoder for [MapTest] - Decoders.addDecoder(clazz: [MapTest].self) { (source: AnyObject) -> [MapTest] in + Decoders.addDecoder(clazz: [MapTest].self) { (source: AnyObject) -> Decoded<[MapTest]> in return Decoders.decode(clazz: [MapTest].self, source: source) } // Decoder for MapTest - Decoders.addDecoder(clazz: MapTest.self) { (source: AnyObject) -> MapTest in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: MapTest.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = MapTest() - instance.mapMapOfString = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map_map_of_string"] as AnyObject?) - if let mapOfEnumString = sourceDictionary["map_of_enum_string"] as? [String:String] { //TODO: handle enum map scenario + let instance = MapTest() + switch Decoders.decodeOptional(clazz: [String:[String:String]].self, source: sourceDictionary["map_map_of_string"] as AnyObject?) { + + case let .success(value): instance.mapMapOfString = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: MapTest.MapOfEnumString.self, source: sourceDictionary["map_of_enum_string"] as AnyObject?) { + /* + case let .success(value): instance.mapOfEnumString = value + case let .failure(error): return .failure(error) + */ default: break //TODO: handle enum map scenario + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "MapTest", actual: "\(source)")) } - - return instance } // Decoder for [MixedPropertiesAndAdditionalPropertiesClass] - Decoders.addDecoder(clazz: [MixedPropertiesAndAdditionalPropertiesClass].self) { (source: AnyObject) -> [MixedPropertiesAndAdditionalPropertiesClass] in + Decoders.addDecoder(clazz: [MixedPropertiesAndAdditionalPropertiesClass].self) { (source: AnyObject) -> Decoded<[MixedPropertiesAndAdditionalPropertiesClass]> in return Decoders.decode(clazz: [MixedPropertiesAndAdditionalPropertiesClass].self, source: source) } // Decoder for MixedPropertiesAndAdditionalPropertiesClass - Decoders.addDecoder(clazz: MixedPropertiesAndAdditionalPropertiesClass.self) { (source: AnyObject) -> MixedPropertiesAndAdditionalPropertiesClass in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: MixedPropertiesAndAdditionalPropertiesClass.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = MixedPropertiesAndAdditionalPropertiesClass() - instance.uuid = Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) - instance.dateTime = Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) - instance.map = Decoders.decodeOptional(clazz: Dictionary.self, source: sourceDictionary["map"] as AnyObject?) - return instance + let instance = MixedPropertiesAndAdditionalPropertiesClass() + switch Decoders.decodeOptional(clazz: UUID.self, source: sourceDictionary["uuid"] as AnyObject?) { + + case let .success(value): instance.uuid = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["dateTime"] as AnyObject?) { + + case let .success(value): instance.dateTime = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [String:Animal].self, source: sourceDictionary["map"] as AnyObject?) { + + case let .success(value): instance.map = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "MixedPropertiesAndAdditionalPropertiesClass", actual: "\(source)")) + } } // Decoder for [Model200Response] - Decoders.addDecoder(clazz: [Model200Response].self) { (source: AnyObject) -> [Model200Response] in + Decoders.addDecoder(clazz: [Model200Response].self) { (source: AnyObject) -> Decoded<[Model200Response]> in return Decoders.decode(clazz: [Model200Response].self, source: source) } // Decoder for Model200Response - Decoders.addDecoder(clazz: Model200Response.self) { (source: AnyObject) -> Model200Response in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Model200Response.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Model200Response() - instance.name = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) - instance._class = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["class"] as AnyObject?) - return instance + let instance = Model200Response() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["class"] as AnyObject?) { + + case let .success(value): instance._class = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Model200Response", actual: "\(source)")) + } } // Decoder for [Name] - Decoders.addDecoder(clazz: [Name].self) { (source: AnyObject) -> [Name] in + Decoders.addDecoder(clazz: [Name].self) { (source: AnyObject) -> Decoded<[Name]> in return Decoders.decode(clazz: [Name].self, source: source) } // Decoder for Name - Decoders.addDecoder(clazz: Name.self) { (source: AnyObject) -> Name in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Name.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Name() - instance.name = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) - instance.snakeCase = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["snake_case"] as AnyObject?) - instance.property = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["property"] as AnyObject?) - instance._123Number = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["123Number"] as AnyObject?) - return instance + let instance = Name() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["snake_case"] as AnyObject?) { + + case let .success(value): instance.snakeCase = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["property"] as AnyObject?) { + + case let .success(value): instance.property = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["123Number"] as AnyObject?) { + + case let .success(value): instance._123Number = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Name", actual: "\(source)")) + } } // Decoder for [NumberOnly] - Decoders.addDecoder(clazz: [NumberOnly].self) { (source: AnyObject) -> [NumberOnly] in + Decoders.addDecoder(clazz: [NumberOnly].self) { (source: AnyObject) -> Decoded<[NumberOnly]> in return Decoders.decode(clazz: [NumberOnly].self, source: source) } // Decoder for NumberOnly - Decoders.addDecoder(clazz: NumberOnly.self) { (source: AnyObject) -> NumberOnly in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: NumberOnly.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = NumberOnly() - instance.justNumber = Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["JustNumber"] as AnyObject?) - return instance + let instance = NumberOnly() + switch Decoders.decodeOptional(clazz: Double.self, source: sourceDictionary["JustNumber"] as AnyObject?) { + + case let .success(value): instance.justNumber = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "NumberOnly", actual: "\(source)")) + } } // Decoder for [Order] - Decoders.addDecoder(clazz: [Order].self) { (source: AnyObject) -> [Order] in + Decoders.addDecoder(clazz: [Order].self) { (source: AnyObject) -> Decoded<[Order]> in return Decoders.decode(clazz: [Order].self, source: source) } // Decoder for Order - Decoders.addDecoder(clazz: Order.self) { (source: AnyObject) -> Order in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Order.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Order() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.petId = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["petId"] as AnyObject?) - instance.quantity = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["quantity"] as AnyObject?) - instance.shipDate = Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["shipDate"] as AnyObject?) - if let status = sourceDictionary["status"] as? String { - instance.status = Order.Status(rawValue: (status)) + let instance = Order() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["petId"] as AnyObject?) { + + case let .success(value): instance.petId = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["quantity"] as AnyObject?) { + + case let .success(value): instance.quantity = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Date.self, source: sourceDictionary["shipDate"] as AnyObject?) { + + case let .success(value): instance.shipDate = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Order.Status.self, source: sourceDictionary["status"] as AnyObject?) { + + case let .success(value): instance.status = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["complete"] as AnyObject?) { + + case let .success(value): instance.complete = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Order", actual: "\(source)")) } - - instance.complete = Decoders.decodeOptional(clazz: Bool.self, source: sourceDictionary["complete"] as AnyObject?) - return instance } // Decoder for [OuterEnum] - Decoders.addDecoder(clazz: [OuterEnum].self) { (source: AnyObject) -> [OuterEnum] in + Decoders.addDecoder(clazz: [OuterEnum].self) { (source: AnyObject) -> Decoded<[OuterEnum]> in return Decoders.decode(clazz: [OuterEnum].self, source: source) } // Decoder for OuterEnum - Decoders.addDecoder(clazz: OuterEnum.self) { (source: AnyObject) -> OuterEnum in - if let source = source as? String { - if let result = OuterEnum(rawValue: source) { - return result - } - } - fatalError("Source \(source) is not convertible to enum type OuterEnum: Maybe swagger file is insufficient") + Decoders.addDecoder(clazz: OuterEnum.self) { (source: AnyObject) -> Decoded in + //TODO: I don't think we need this anymore + return Decoders.decode(clazz: OuterEnum.self, source: source) } // Decoder for [Pet] - Decoders.addDecoder(clazz: [Pet].self) { (source: AnyObject) -> [Pet] in + Decoders.addDecoder(clazz: [Pet].self) { (source: AnyObject) -> Decoded<[Pet]> in return Decoders.decode(clazz: [Pet].self, source: source) } // Decoder for Pet - Decoders.addDecoder(clazz: Pet.self) { (source: AnyObject) -> Pet in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Pet.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Pet() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.category = Decoders.decodeOptional(clazz: Category.self, source: sourceDictionary["category"] as AnyObject?) - instance.name = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) - instance.photoUrls = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["photoUrls"] as AnyObject?) - instance.tags = Decoders.decodeOptional(clazz: Array.self, source: sourceDictionary["tags"] as AnyObject?) - if let status = sourceDictionary["status"] as? String { - instance.status = Pet.Status(rawValue: (status)) + let instance = Pet() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Category.self, source: sourceDictionary["category"] as AnyObject?) { + + case let .success(value): instance.category = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [String].self, source: sourceDictionary["photoUrls"] as AnyObject?) { + + case let .success(value): instance.photoUrls = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: [Tag].self, source: sourceDictionary["tags"] as AnyObject?) { + + case let .success(value): instance.tags = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Pet.Status.self, source: sourceDictionary["status"] as AnyObject?) { + + case let .success(value): instance.status = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Pet", actual: "\(source)")) } - - return instance } // Decoder for [ReadOnlyFirst] - Decoders.addDecoder(clazz: [ReadOnlyFirst].self) { (source: AnyObject) -> [ReadOnlyFirst] in + Decoders.addDecoder(clazz: [ReadOnlyFirst].self) { (source: AnyObject) -> Decoded<[ReadOnlyFirst]> in return Decoders.decode(clazz: [ReadOnlyFirst].self, source: source) } // Decoder for ReadOnlyFirst - Decoders.addDecoder(clazz: ReadOnlyFirst.self) { (source: AnyObject) -> ReadOnlyFirst in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: ReadOnlyFirst.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = ReadOnlyFirst() - instance.bar = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) - instance.baz = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["baz"] as AnyObject?) - return instance + let instance = ReadOnlyFirst() + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["bar"] as AnyObject?) { + + case let .success(value): instance.bar = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["baz"] as AnyObject?) { + + case let .success(value): instance.baz = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "ReadOnlyFirst", actual: "\(source)")) + } } // Decoder for [Return] - Decoders.addDecoder(clazz: [Return].self) { (source: AnyObject) -> [Return] in + Decoders.addDecoder(clazz: [Return].self) { (source: AnyObject) -> Decoded<[Return]> in return Decoders.decode(clazz: [Return].self, source: source) } // Decoder for Return - Decoders.addDecoder(clazz: Return.self) { (source: AnyObject) -> Return in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Return.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Return() - instance._return = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["return"] as AnyObject?) - return instance + let instance = Return() + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["return"] as AnyObject?) { + + case let .success(value): instance._return = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Return", actual: "\(source)")) + } } // Decoder for [SpecialModelName] - Decoders.addDecoder(clazz: [SpecialModelName].self) { (source: AnyObject) -> [SpecialModelName] in + Decoders.addDecoder(clazz: [SpecialModelName].self) { (source: AnyObject) -> Decoded<[SpecialModelName]> in return Decoders.decode(clazz: [SpecialModelName].self, source: source) } // Decoder for SpecialModelName - Decoders.addDecoder(clazz: SpecialModelName.self) { (source: AnyObject) -> SpecialModelName in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: SpecialModelName.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = SpecialModelName() - instance.specialPropertyName = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["$special[property.name]"] as AnyObject?) - return instance + let instance = SpecialModelName() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["$special[property.name]"] as AnyObject?) { + + case let .success(value): instance.specialPropertyName = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "SpecialModelName", actual: "\(source)")) + } } // Decoder for [Tag] - Decoders.addDecoder(clazz: [Tag].self) { (source: AnyObject) -> [Tag] in + Decoders.addDecoder(clazz: [Tag].self) { (source: AnyObject) -> Decoded<[Tag]> in return Decoders.decode(clazz: [Tag].self, source: source) } // Decoder for Tag - Decoders.addDecoder(clazz: Tag.self) { (source: AnyObject) -> Tag in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: Tag.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = Tag() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.name = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) - return instance + let instance = Tag() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["name"] as AnyObject?) { + + case let .success(value): instance.name = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "Tag", actual: "\(source)")) + } } // Decoder for [User] - Decoders.addDecoder(clazz: [User].self) { (source: AnyObject) -> [User] in + Decoders.addDecoder(clazz: [User].self) { (source: AnyObject) -> Decoded<[User]> in return Decoders.decode(clazz: [User].self, source: source) } // Decoder for User - Decoders.addDecoder(clazz: User.self) { (source: AnyObject) -> User in - let sourceDictionary = source as! [AnyHashable: Any] + Decoders.addDecoder(clazz: User.self) { (source: AnyObject) -> Decoded in + if let sourceDictionary = source as? [AnyHashable: Any] { - let instance = User() - instance.id = Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) - instance.username = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["username"] as AnyObject?) - instance.firstName = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["firstName"] as AnyObject?) - instance.lastName = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["lastName"] as AnyObject?) - instance.email = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["email"] as AnyObject?) - instance.password = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) - instance.phone = Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["phone"] as AnyObject?) - instance.userStatus = Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["userStatus"] as AnyObject?) - return instance + let instance = User() + switch Decoders.decodeOptional(clazz: Int64.self, source: sourceDictionary["id"] as AnyObject?) { + + case let .success(value): instance.id = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["username"] as AnyObject?) { + + case let .success(value): instance.username = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["firstName"] as AnyObject?) { + + case let .success(value): instance.firstName = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["lastName"] as AnyObject?) { + + case let .success(value): instance.lastName = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["email"] as AnyObject?) { + + case let .success(value): instance.email = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["password"] as AnyObject?) { + + case let .success(value): instance.password = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: String.self, source: sourceDictionary["phone"] as AnyObject?) { + + case let .success(value): instance.phone = value + case let .failure(error): return .failure(error) + + } + + switch Decoders.decodeOptional(clazz: Int32.self, source: sourceDictionary["userStatus"] as AnyObject?) { + + case let .success(value): instance.userStatus = value + case let .failure(error): return .failure(error) + + } + return .success(instance) + } else { + return .failure(.typeMismatch(expected: "User", actual: "\(source)")) + } } }() diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Podfile.lock b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Podfile.lock index 725f4c232e98..c8b6b8d37487 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Podfile.lock +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Podfile.lock @@ -10,13 +10,13 @@ DEPENDENCIES: EXTERNAL SOURCES: PetstoreClient: - :path: ../ + :path: "../" SPEC CHECKSUMS: Alamofire: fef59f00388f267e52d9b432aa5d93dc97190f14 - PetstoreClient: a58edc9541bf0e2a0a7f8464907f26c9b7bafe74 + PetstoreClient: 81e9a68f53c913eec8685a286d03f5d5116d9977 RxSwift: 0823e8d7969c23bfa9ddfb2afa4881e424a1a710 PODFILE CHECKSUM: da9f5a7ad6086f2c7abb73cf2c35cefce04a9a30 -COCOAPODS: 1.0.1 +COCOAPODS: 1.1.1 diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json index 82f8a952478d..215eec912e8d 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Local Podspecs/PetstoreClient.podspec.json @@ -10,7 +10,7 @@ "tag": "v1.0.0" }, "authors": "", - "license": "Apache License, Version 2.0", + "license": "Proprietary", "homepage": "https://github.com/swagger-api/swagger-codegen", "summary": "PetstoreClient", "source_files": "PetstoreClient/Classes/Swaggers/**/*.swift", diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Manifest.lock b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Manifest.lock index 725f4c232e98..c8b6b8d37487 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Manifest.lock +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Manifest.lock @@ -10,13 +10,13 @@ DEPENDENCIES: EXTERNAL SOURCES: PetstoreClient: - :path: ../ + :path: "../" SPEC CHECKSUMS: Alamofire: fef59f00388f267e52d9b432aa5d93dc97190f14 - PetstoreClient: a58edc9541bf0e2a0a7f8464907f26c9b7bafe74 + PetstoreClient: 81e9a68f53c913eec8685a286d03f5d5116d9977 RxSwift: 0823e8d7969c23bfa9ddfb2afa4881e424a1a710 PODFILE CHECKSUM: da9f5a7ad6086f2c7abb73cf2c35cefce04a9a30 -COCOAPODS: 1.0.1 +COCOAPODS: 1.1.1 diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj index e1f9dafe5123..bdd0bac15715 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Pods.xcodeproj/project.pbxproj @@ -7,275 +7,280 @@ objects = { /* Begin PBXBuildFile section */ - 00AC08D3311EED30D0AD1A3625E59205 /* ReplaySubject.swift in Sources */ = {isa = PBXBuildFile; fileRef = 56039C90A50C5C7A2180DCFF00D2D998 /* ReplaySubject.swift */; }; - 00BD15385B629C2FF723D9331469BAA5 /* Variable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7412C9F58126194C31E210E61118B6C7 /* Variable.swift */; }; - 0162269373E8D70962040A60C8A2AECC /* Do.swift in Sources */ = {isa = PBXBuildFile; fileRef = ED59048292E27FA2681801951B7E1A18 /* Do.swift */; }; - 047BDA8912431386EE90FFBC76BC9CCD /* InvocableType.swift in Sources */ = {isa = PBXBuildFile; fileRef = BFD66FC531DC3316915F7E2AAE2B6A22 /* InvocableType.swift */; }; - 04C2E716A99005A656A41D84616AE2A8 /* SpecialModelName.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5F939073B0FDC62477A0C4F8E9AB7131 /* SpecialModelName.swift */; }; - 052C18D9BBA192DF3EE8BF2E3CE2FA6F /* Tag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 143E557A35666A5C3FB6A5EC601425AE /* Tag.swift */; }; - 05A8ACC35B8D704B3C5C612B8C455000 /* Switch.swift in Sources */ = {isa = PBXBuildFile; fileRef = EE91248F41F0FD4C2218A28C4BA8CE0D /* Switch.swift */; }; - 083755107A86EC6D606053A78CEF9CD9 /* CombineLatest+CollectionType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9489C6AECBDACA4BD2893A849E9E7B31 /* CombineLatest+CollectionType.swift */; }; - 0988131CC53D61D4E48651006AFEEF65 /* Model200Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = 31C953CB2AF9E4E3D884BBA68E728307 /* Model200Response.swift */; }; - 09E3F185921EE80B6A8574D8FFE1BD93 /* TakeUntil.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9C22ACA905C2A2D85E136BDCBEB1386B /* TakeUntil.swift */; }; - 0C1B4E9FFB8B81E8833A3BAD537B1990 /* Notifications.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9F405DB0BE50E4ADA4A1CAC085970E6F /* Notifications.swift */; }; - 0C4A4EDF05C06B46B99A1D36C0973424 /* ArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4EBAF179E866C1F42E3C9F85162E2792 /* ArrayOfNumberOnly.swift */; }; - 0DE677931A1F044D391C615C04CBB686 /* SingleAssignmentDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = A9AA67A440D91883DF64CD1B1ECAE100 /* SingleAssignmentDisposable.swift */; }; - 12118C354EFA36292F82A8D0CFCE45B2 /* Request.swift in Sources */ = {isa = PBXBuildFile; fileRef = 61AD15FD6DB5989286D3589A3EFE6D0F /* Request.swift */; }; - 14DD51004DF8C27A7D0491AEFEC5F464 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 9610BA4403551C05999CF892D495F516 /* Foundation.framework */; }; - 1871B729DFBD1875464E540B377CACE7 /* Delay.swift in Sources */ = {isa = PBXBuildFile; fileRef = 103F9DB48FEB5A62BDBA2CDD99082A98 /* Delay.swift */; }; - 197DB00E595F00C62788B1239666CF8C /* Dog.swift in Sources */ = {isa = PBXBuildFile; fileRef = AAB8DD3379CB8E9DB0DC9E6B18356204 /* Dog.swift */; }; - 1A7AB9EBE479596D845762259BE8383C /* Reduce.swift in Sources */ = {isa = PBXBuildFile; fileRef = D2600B00354FCEAD6E4563DFD061F60A /* Reduce.swift */; }; - 212900708A3B494433AECD019BD79157 /* AdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = F328163C591BBCCD1909AFA5B31CE95A /* AdditionalPropertiesClass.swift */; }; - 228068D3B473355FA62C3000C01C345C /* ConcurrentMainScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = E8859CCDF9BA2AA2D20BC8D4EC20886F /* ConcurrentMainScheduler.swift */; }; - 22CBE613DD3D3017B518443D9CC483A6 /* RetryWhen.swift in Sources */ = {isa = PBXBuildFile; fileRef = C65DE5E6BF07173C83EA47BB349F2DDB /* RetryWhen.swift */; }; - 235105D4FCA03A11BDCC787B29212095 /* Cancelable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 59E8DEFEECBDD8DC53BCEC4B32D37DA7 /* Cancelable.swift */; }; - 23AEDE30379915D1E14CD25D944CEFC0 /* AnimalFarm.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6097AF9273FDB02C8A4DED04AFF6B4AD /* AnimalFarm.swift */; }; - 23CC52EA7E5D0C3091C4831DD0538F5A /* ImmediateSchedulerType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5C6928503C024B8E7FA189FA5C9092BA /* ImmediateSchedulerType.swift */; }; - 23EBCC9364B1D44D13792A38546AAF05 /* Just.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4FF4A129DA91F2645193ADAFE7174281 /* Just.swift */; }; - 2949D296A9402B72555FC4D70F89C1B1 /* RecursiveScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2C553C586F73A6B597FDA23FD24895DE /* RecursiveScheduler.swift */; }; - 2AF0ED2053AD1C99CB51CA4D7CDEA3D6 /* SkipUntil.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5332A5DE891E18FD153632A95FE438CC /* SkipUntil.swift */; }; - 2AF3A8F09DF3E7BA132AA7A1F86815E5 /* SkipWhile.swift in Sources */ = {isa = PBXBuildFile; fileRef = B79CDD0768E0E3C89BC024E89A064A92 /* SkipWhile.swift */; }; - 2B73B02014135E6ED432B5CE9FF29317 /* SchedulerServices+Emulation.swift in Sources */ = {isa = PBXBuildFile; fileRef = 12CB09CB0B07DDE0ACDB54D205B3F26D /* SchedulerServices+Emulation.swift */; }; - 2C449875BD73A407FF53E9380808755D /* EnumTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 42105B8EAB28DFBC1FD088D5D8C08610 /* EnumTest.swift */; }; - 33A4A78056F4CCC2B817132F94274EC4 /* Debug.swift in Sources */ = {isa = PBXBuildFile; fileRef = 26B0BD2CB9F7486237A34EBA47365157 /* Debug.swift */; }; - 3466CDFC2DAB7DB81DA6CC788AC9AD08 /* Map.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8DE6855BEA3063D94A0EC8D470649B66 /* Map.swift */; }; - 34F0B8FCC3C95C8FAF4DF2A02A598EE6 /* ShareReplay1.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9958AA850AC90E9E2A843A29645DCE68 /* ShareReplay1.swift */; }; - 34FD242EA0961D19B5085E0F2306E217 /* RxSwift-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = CBC1C3173FE9526E8C2BAC46602DDB03 /* RxSwift-dummy.m */; }; - 35822A01775F81D8B7A305FCD2EC77B3 /* MapTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = DFF589887A9AAE06637E527EC61117B0 /* MapTest.swift */; }; - 3982B850C43B41BA6D25F440F0412E9B /* Timeline.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6A5CCA9EB06FCD32A12E54CC747D1F53 /* Timeline.swift */; }; - 39FD9729A5A057AEE5C8AE5ADA8E2BD5 /* Range.swift in Sources */ = {isa = PBXBuildFile; fileRef = A0A7FBAA0DFB3D5A69099E8EE819DCCD /* Range.swift */; }; - 3AF25F320BC03E431002BCC54E3DBC1F /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 37CE09CBDF55D26A9D95DD15E7DEA056 /* MixedPropertiesAndAdditionalPropertiesClass.swift */; }; - 3C8D9D4AEB46F0B4DEDAB30ED78ED09B /* AddRef.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6EF7FBA5BE620ABE958170B1D8C43FA5 /* AddRef.swift */; }; - 4261F7974060EE431E1B856F1B8E2255 /* SerialDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = CFA499B41FA9F74B4F5E4B7CAD68B9B8 /* SerialDisposable.swift */; }; - 429BE094F0F21528D6BECA33A851CB75 /* SynchronizedSubscribeType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 19CE74AA8E5BDB15AD53E3CA60BBAC1A /* SynchronizedSubscribeType.swift */; }; - 42B9BD0E336B60310DD54BF6997E0639 /* ReadOnlyFirst.swift in Sources */ = {isa = PBXBuildFile; fileRef = C9B2737214A9FBDFAFE4EFE2C5622B27 /* ReadOnlyFirst.swift */; }; - 4347C7C8760CB49492C88A5C18D52025 /* ConnectableObservableType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5DADB1FC0E060D94E6B5D5C58239620C /* ConnectableObservableType.swift */; }; - 46D933AC1613C571C86910219533DAC2 /* AnonymousObservable.swift in Sources */ = {isa = PBXBuildFile; fileRef = EE2A0EFE7DA37E6A5F71BD5D0F261709 /* AnonymousObservable.swift */; }; - 48595C1AFD2E7CB7CD533F2A3F68F1C8 /* Skip.swift in Sources */ = {isa = PBXBuildFile; fileRef = DCA4E91A7DD69F9F8700A154A422124C /* Skip.swift */; }; - 48A6A9AEDEECCC13E59D6727F3F6B909 /* Concat.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2808072576F24D4427AD26000D97F24B /* Concat.swift */; }; - 48D0FE30F7A899CD3F215578FE11A60B /* ObservableType+Extensions.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0775AB98959207DEB8D8CB2B4311B236 /* ObservableType+Extensions.swift */; }; - 49B1F862D3BB1B67D727CA236DCA4186 /* Animal.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4B50A816814713052A83AD22ECB8E19D /* Animal.swift */; }; - 4BBB6718D338DEE74DFD3CF900E4F471 /* PetstoreClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 4C6F42FA59EBB09764862C1D45A6E6E4 /* Name.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1C79F2ABDEC68FB086941B1667F653AC /* Name.swift */; }; - 4C796D627D95C751F644BA87C977703F /* ScheduledItemType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 016342740A61DF71171E54A86608B19A /* ScheduledItemType.swift */; }; - 4F38AFAF093ECB2A8D93D3DE9C98ADC8 /* CombineLatest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 540981209E622B4E19C9110002209E0B /* CombineLatest.swift */; }; - 53A2091316233D86F4645F6E065D89AB /* Disposables.swift in Sources */ = {isa = PBXBuildFile; fileRef = E6BA84559E436F8156CFD659B6404410 /* Disposables.swift */; }; - 55472E2E4658CD991DD57233461EC825 /* Models.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E73416EE991BBE43467BA22F2A155A5 /* Models.swift */; }; - 5548470ACE5A9410F9CCBE745BD37D79 /* SynchronizedUnsubscribeType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1A3234DDBD165CB94E72F836B564C7C9 /* SynchronizedUnsubscribeType.swift */; }; - 55D13124EE1214ECCF135D0E0FC9C458 /* DispatchQueueSchedulerQOS.swift in Sources */ = {isa = PBXBuildFile; fileRef = 837D1C5A62D67836A140B2CCB338B401 /* DispatchQueueSchedulerQOS.swift */; }; - 5627FC863DAFDCBF304BC5BE3D686579 /* Category.swift in Sources */ = {isa = PBXBuildFile; fileRef = 37E47D71F3FB3E8B7FBEA178972FB52D /* Category.swift */; }; - 574137A86E632F04666B26D4D08EBBCA /* PublishSubject.swift in Sources */ = {isa = PBXBuildFile; fileRef = E1C5527659E83F0356D7D6D07E422510 /* PublishSubject.swift */; }; - 586A549AC868DDCC812192E3D7358236 /* PetAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = BC23A659B67F5C77068CA536C88CA9D0 /* PetAPI.swift */; }; - 593D55A8F626ECFA103ACBA040C282F4 /* Empty.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4FA5F2916E90AD9DDC7FAED09989F4FB /* Empty.swift */; }; - 5950E448321A164283DD0BFF0B2454D8 /* PetstoreClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */; }; - 59AC0C2DEA19DF652C183497B130AB54 /* ObservableConvertibleType.swift in Sources */ = {isa = PBXBuildFile; fileRef = A325EAB3F77708E7CBAD5C7B6922B326 /* ObservableConvertibleType.swift */; }; - 5B0BEBB0CC885FAE26CCA3399D2414BE /* User.swift in Sources */ = {isa = PBXBuildFile; fileRef = F8180325E22D8580EFE2473A67C0EAC0 /* User.swift */; }; - 5B36B442ACCAB8B10FD9B7C070AF3876 /* SynchronizedOnType.swift in Sources */ = {isa = PBXBuildFile; fileRef = C6CC8064928526F49074045925F035D4 /* SynchronizedOnType.swift */; }; - 5E96DB7D8016B5ECA60EF1ABBF4C9316 /* AnyObserver.swift in Sources */ = {isa = PBXBuildFile; fileRef = 41E5B3D075396C08826B8DA771E94B71 /* AnyObserver.swift */; }; - 5EF11FD3F5132F0D758106D5A1839EFD /* Queue.swift in Sources */ = {isa = PBXBuildFile; fileRef = 39B4F5EAD731F0F920D3604BC23E358C /* Queue.swift */; }; - 62143065F94E53F437DCE5D7A998D66D /* AFError.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9C7073601488280206853E396A103D97 /* AFError.swift */; }; - 63F7F79C18F8AF9B3D79C45D55C4D50F /* Error.swift in Sources */ = {isa = PBXBuildFile; fileRef = CC3823F28AD2D0BF76EE51C67D62622E /* Error.swift */; }; - 653773A852071886BD196728C3442093 /* HistoricalScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = 157A3748D755DB338256242A1A3CC53B /* HistoricalScheduler.swift */; }; - 65ED93DEF4591F54C2880494351CA6F7 /* AlamofireImplementations.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6292ECC342913CF10F15F320C0D10143 /* AlamofireImplementations.swift */; }; - 66E1C03C8978BFA629322B67EC1FEAAD /* ObserveOnSerialDispatchQueue.swift in Sources */ = {isa = PBXBuildFile; fileRef = A9E12F56F25C59C5B2ED9494967FBA64 /* ObserveOnSerialDispatchQueue.swift */; }; - 68CCD0A796233B7273E768EBF214E44C /* Sequence.swift in Sources */ = {isa = PBXBuildFile; fileRef = E4CF671AB3A6FC0A3C32459BBC3A8B1A /* Sequence.swift */; }; - 6ADA43CE9BFD89A4FF37957AE67415AB /* InfiniteSequence.swift in Sources */ = {isa = PBXBuildFile; fileRef = 24FF9064CA0320BB58A8BED032709378 /* InfiniteSequence.swift */; }; - 6B2AA1879A2C24557D511EBAD7A0A90B /* ShareReplay1WhileConnected.swift in Sources */ = {isa = PBXBuildFile; fileRef = 90BE630A4A59E4AC944DBD9EFDC34796 /* ShareReplay1WhileConnected.swift */; }; - 6B35E48C6592669D7BEFB7E35F668714 /* FormatTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 11A9D1B03B658EFF2011FD4ADF5B2C9B /* FormatTest.swift */; }; - 6CD385EF41BE97583B0D4AC1C73F4FC6 /* Lock.swift in Sources */ = {isa = PBXBuildFile; fileRef = CDA670567F47B7D61FD2AD2A4FE38A75 /* Lock.swift */; }; - 6CE6F5B167A4B7566CFFEE56B67239C8 /* CompositeDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2391B328BA2E426F76F90EC3F0CEE193 /* CompositeDisposable.swift */; }; - 6E3307AC9498657F294D85DDC8FC0698 /* Event.swift in Sources */ = {isa = PBXBuildFile; fileRef = C715F3250F5956F3DE2A7425C2907DEB /* Event.swift */; }; - 6F59E16DECD1161E0B5E85CE6C4191CB /* ArrayTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 21B120C00973CD2A57F3D566E760AF3E /* ArrayTest.swift */; }; - 702217FFA5DB91BE8977CE2035BC9674 /* Return.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E1E790656723DC52EAB91FF86121D3D /* Return.swift */; }; - 70D05AE6E0CA5C728364BDCCF1690364 /* OperationQueueScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = F6D93B2A9ED15AC0B063CE15853B85CB /* OperationQueueScheduler.swift */; }; - 70D16DD8BA7F964F3E76B13E44705AE3 /* DelaySubscription.swift in Sources */ = {isa = PBXBuildFile; fileRef = 471B222D7F90A3E97B04EBE5F68973C4 /* DelaySubscription.swift */; }; - 70D64FC560118734D818E70D3C7A4912 /* Buffer.swift in Sources */ = {isa = PBXBuildFile; fileRef = E5F02CD595850E252EA54047E7BCCED3 /* Buffer.swift */; }; - 725EED04ED27CA8159CB2683F1EFD45A /* Pods-SwaggerClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 7292E398D51E4CCF054DD48FB5078217 /* Zip+arity.swift in Sources */ = {isa = PBXBuildFile; fileRef = D9DB7F4A2EC44DA0092B1CDDE8E815F3 /* Zip+arity.swift */; }; - 7377FD300132572266E0A8E8C5EF5C3D /* Producer.swift in Sources */ = {isa = PBXBuildFile; fileRef = 07C5F93C237BE4D193E5B117981870AA /* Producer.swift */; }; - 73FAB57CEA903474F9B1551C0FCE38B1 /* Errors.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2415065C69E6D768A26D46713E3E945E /* Errors.swift */; }; - 7475F22B7E0A1D58AF411E0D6FAFB989 /* TakeLast.swift in Sources */ = {isa = PBXBuildFile; fileRef = 47CBE5B91053BFFA96A9BC62DB96C075 /* TakeLast.swift */; }; - 74FE21F5B6AD7C96AC3A5D54EC4F4658 /* SynchronizedDisposeType.swift in Sources */ = {isa = PBXBuildFile; fileRef = F7896BF7FA73734CFDC3B1A2050D59D5 /* SynchronizedDisposeType.swift */; }; - 757F2481571387FD67CE700E0CA4FC00 /* ObserverType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 884DA41A4F98D4C5BE426FB7FE00BD06 /* ObserverType.swift */; }; - 7706DE50AA1AE44F83AE01E005C6EE09 /* Observable+Binding.swift in Sources */ = {isa = PBXBuildFile; fileRef = 72F6BA087736278695B1CFCE3974CC38 /* Observable+Binding.swift */; }; - 7817F2EB72E0297B963A66E5D57C3C3C /* ObservableType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7C9BFA4F609DE3F3349E30D2D4889687 /* ObservableType.swift */; }; - 78DBB82C9F119EFE0F20ECF67653527F /* Rx.swift in Sources */ = {isa = PBXBuildFile; fileRef = 988DF795A61F6C6D092F3EFD2E9D3172 /* Rx.swift */; }; - 7A3CBDF9E3DD8027E8921BCE0B0FB37C /* DisposeBase.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1D9F5BD07DBF56A55DCBB4492D0AF971 /* DisposeBase.swift */; }; - 7A46D890787929E9F64ED9E20EAC8D01 /* Observable+Debug.swift in Sources */ = {isa = PBXBuildFile; fileRef = E354449BC8FB325A04E296000EA21A4C /* Observable+Debug.swift */; }; - 7B01800C259E84AA3473B97C91BE4413 /* Client.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9928726B622806E400277C57963B354B /* Client.swift */; }; - 7C7F11F06E6632A8B6CA5D885A4359E0 /* String+Rx.swift in Sources */ = {isa = PBXBuildFile; fileRef = A6AE7C875A375D751A658756E4076F46 /* String+Rx.swift */; }; - 7CA5A9BA5246FDA8227233E310029392 /* Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = B0FF25B6FEE09414FAF16513DEBD13DF /* Alamofire.swift */; }; - 7F272983804E09CA202744094FA825A8 /* TailRecursiveSink.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7E5344ADD0F43FB0C7C4F7631FAB96E0 /* TailRecursiveSink.swift */; }; - 808C6F6D24D42BAE2B8690C4137E1FD5 /* Multicast.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8D6731FA2C6BF8EE06DE9CE0B3E6B6D1 /* Multicast.swift */; }; - 80B16232CCADCF82932E0330DC4D1914 /* Repeat.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9EDB758C6DE7C7580ECDB98DEA9D8D55 /* Repeat.swift */; }; - 82BDD854873780B9B6A00D707C590D84 /* NopDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 607B6A989635E3E95CA1674881B636EB /* NopDisposable.swift */; }; - 82BFEA5A9BE0C7B2DF14F5F6118DB991 /* CombineLatest+arity.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2F876EB789D7553757CB2D3215159097 /* CombineLatest+arity.swift */; }; - 8319BA89A71C51A1CDAD9486D1B1FAB9 /* ImmediateScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3AF523D5DFE8CB09249EAF3CBB7F9CD1 /* ImmediateScheduler.swift */; }; - 837D8B267C7FA680961A2278A22B6CBA /* StoreAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = F2E15D74AD528E3350D207603BBA1DF4 /* StoreAPI.swift */; }; - 85EA3775A4ADB9E7E6914C412019270F /* BinaryDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4010C8421B92C1E70DF537069413A516 /* BinaryDisposable.swift */; }; - 86ED08F33B7D357932A9AB743E9D9EA7 /* Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = B2E7DCE840EC5362435064B17D0BBFAD /* Response.swift */; }; - 888E3937954E7F5AEE4437715EDABE61 /* LockOwnerType.swift in Sources */ = {isa = PBXBuildFile; fileRef = EC3028F293085C3E2F1664CF9718F348 /* LockOwnerType.swift */; }; - 892D9388A33363EDDFC06F081063BBD8 /* Debunce.swift in Sources */ = {isa = PBXBuildFile; fileRef = A5C444F832241237A87DC31525F9A03C /* Debunce.swift */; }; - 897283A0B7F5299913327CC8FD6CC997 /* Pods-SwaggerClientTests-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 8AD0A8DA5AA35E8BA0F8713A265CE500 /* ScheduledDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 65A840AA3CEF7F6FBB8BCBBA81C65DDF /* ScheduledDisposable.swift */; }; - 8B68A752ED9CC80E5478E4FEC5A5F721 /* Pods-SwaggerClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */; }; - 8BD21A68A1BC65D8768A5F07D3493A54 /* Take.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4631700A76EFEA696A86E2D6EB4D12B9 /* Take.swift */; }; - 8C227EADBDC0D6FC1D0EE5793410EEC1 /* DistinctUntilChanged.swift in Sources */ = {isa = PBXBuildFile; fileRef = E8B3A2D64AD806CC76691CCF4BB5F3C4 /* DistinctUntilChanged.swift */; }; - 8D463A0A4C65C02FDD5211F0F3C6F8B8 /* Alamofire-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = C9BB183146048CB232C4D14C6D55D2C6 /* Alamofire-dummy.m */; }; - 8E9788974BE928C098BF09021AC827FE /* HistoricalSchedulerTimeConverter.swift in Sources */ = {isa = PBXBuildFile; fileRef = 58336B9FBB7F84FDFF781C52D483A1AF /* HistoricalSchedulerTimeConverter.swift */; }; - 8F5948652EA1CF06C34E0D6A830E7BE0 /* APIs.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6E9F0D4DC6F738F2ECF8D716B7A9A5C7 /* APIs.swift */; }; - 8FDC68762B1353B7D179CD811826C1D4 /* RxSwift-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 06524E33FA3D2AD314D9A6770AEC3477 /* RxSwift-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 907AB123FBC8BC9340D5B7350CE828DF /* SessionDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 466E547201678AB3323F3A3958F2A1E4 /* SessionDelegate.swift */; }; - 90CE7172BFBC1B8CC1347240490B7A91 /* Observable+Aggregate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 368BA29A97938E7C10DBD9412AD4A6C2 /* Observable+Aggregate.swift */; }; - 90F7EA6CA58725B9002FBFE8BA07D7B6 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 9610BA4403551C05999CF892D495F516 /* Foundation.framework */; }; - 91327B24F86EC5073E784FEC47A7FF31 /* Never.swift in Sources */ = {isa = PBXBuildFile; fileRef = A9A50F64EA4044C0839F8ADE172BD50B /* Never.swift */; }; - 91C09AC2A52ED69A27C8D923139A006F /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 9610BA4403551C05999CF892D495F516 /* Foundation.framework */; }; - 92CDD6BA927A65D2D7649A3EAEE614A6 /* AnonymousInvocable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1D6F54453FC1139BFF8AA599F995D75D /* AnonymousInvocable.swift */; }; - 9469DF81ECB494E84675969B5E13374C /* Alamofire-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 648498C76C7957EB9C166EF9DC220641 /* Alamofire-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; - 9490DA82FE8622215C0773C3BA2CCD8E /* FakeAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = E906A19EC726985BD8493A893CA9DD65 /* FakeAPI.swift */; }; - 9764CCDC4EA1A450FB9171B86E2C3B74 /* Disposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = CEAD625F07E1C981EB9209B3DA915751 /* Disposable.swift */; }; - 97A5B15AEC073D49C79C8A59EE567047 /* CurrentThreadScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = BF5AA3394F57234FD887391D8462E74A /* CurrentThreadScheduler.swift */; }; - 99EFEF3664F48D14AE41E0A9D3B82575 /* WithLatestFrom.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2D1A1D8E99653D247AEC837923A3AEE7 /* WithLatestFrom.swift */; }; - 9AB059185280765490C0E433752F146A /* RxMutableBox.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5AD7E0BACEE0A8585FC1F7B974E2EC3B /* RxMutableBox.swift */; }; - 9BAFCCF754F7F196B0D5DF7344B056A2 /* AnonymousDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E166E272B7D412CEBCA0EFB76A0C5E5 /* AnonymousDisposable.swift */; }; - A00C8DA2C061E9BC4A2E7156EE310CA3 /* BehaviorSubject.swift in Sources */ = {isa = PBXBuildFile; fileRef = AEA8B1F8E843B685D3ADEC5C51213D03 /* BehaviorSubject.swift */; }; - A01079B70FD11F77D5BFA97A17D5DD3C /* StableCompositeDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = B6990371A9A80E002FA4F9202898F908 /* StableCompositeDisposable.swift */; }; - A16C502B0C5F71A2E21337AC8C0130DC /* Deferred.swift in Sources */ = {isa = PBXBuildFile; fileRef = B81B3933E10171B0DEC327AF324CAB2B /* Deferred.swift */; }; - A1B5A22E74B1373611A469BE88DC1EE4 /* Catch.swift in Sources */ = {isa = PBXBuildFile; fileRef = AB0EC7AF6456236E6E13DCE5F5265C5F /* Catch.swift */; }; - A3858D68DA1815F7C85FE5DF787A420A /* SubjectType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 16035B3F037B51008573CF5EAC2C694F /* SubjectType.swift */; }; - A5A9FA4D864686FA386AA04986E9CE7E /* Observable+Concurrency.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9FFD890C9318510A9B6D05E1182C0658 /* Observable+Concurrency.swift */; }; - A65CA5E8A3E9CAD64CE11435CDB122BF /* HasOnlyReadOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = AC8DF8745F891F2A12590D73550D0490 /* HasOnlyReadOnly.swift */; }; - A79AC30123B0C2177D67F6ED6A1B3215 /* SessionManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = FDD7603F09F21B83FBAC471875D7797C /* SessionManager.swift */; }; - A96D27F8BDA637AE9A130247470CA258 /* Bag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 46B04815DB6601B2023F140BFB80E59B /* Bag.swift */; }; - AC8CCAC0DAAAF5F6940886E5E1DE8ED3 /* Observable+Multiple.swift in Sources */ = {isa = PBXBuildFile; fileRef = 591F9DC4E9E1DDA94E7E3F8B47BB20AB /* Observable+Multiple.swift */; }; - AD6C662421FF660459054629765E1FFD /* EnumArrays.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1FCFC11EBD20C97FB1BC4EFAEC6FEB37 /* EnumArrays.swift */; }; - AE0103F471441FA3FAA55EBC8E28B700 /* RxSwift.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 19296A8C5E948345E5744A748B1CC720 /* RxSwift.framework */; }; - AF03379E34C5E10CC1BF8FA363782964 /* Platform.Darwin.swift in Sources */ = {isa = PBXBuildFile; fileRef = 59B43BBF28CAB31A0CBF921DBD49B0AE /* Platform.Darwin.swift */; }; - AF158CAAF4DD319009AFC855DC995D90 /* ParameterEncoding.swift in Sources */ = {isa = PBXBuildFile; fileRef = F67B486CB679D53F61940EF8B2AEA799 /* ParameterEncoding.swift */; }; - AFF8F11EF178EE7E5C15273C9134E9ED /* Window.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4CCC505A23A305474016BC8D4154FD87 /* Window.swift */; }; - B01E14EA657B49BA55409AC598206F94 /* DispatchQueueConfiguration.swift in Sources */ = {isa = PBXBuildFile; fileRef = D8D4AC1285B8B93D51D709EB8A4722B3 /* DispatchQueueConfiguration.swift */; }; - B0B99436B00EC9F7D147419410E1EB28 /* SerialDispatchQueueScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = A51684C0A49D0212F1AE68688EFD5E2F /* SerialDispatchQueueScheduler.swift */; }; - B23B5B628FE6763B871CB7B47B427F2A /* ElementAt.swift in Sources */ = {isa = PBXBuildFile; fileRef = 16F05714111584F3A9F0A2BCB39CB41E /* ElementAt.swift */; }; - B4F7B11796652B2E497EF54AA2AFE725 /* ConcurrentDispatchQueueScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = ABAEA2792700E32F557C2FBD629A7D01 /* ConcurrentDispatchQueueScheduler.swift */; }; - B61600C58CBE58868C4702BCF5CAEAD5 /* ScheduledItem.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2D1964478F85AF8CCE4FA3F585941A23 /* ScheduledItem.swift */; }; - B8154C96802336E5DDA5CEE97C3180A0 /* ResponseSerialization.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5F91C3C30F097A89FCDCCB7CE5786027 /* ResponseSerialization.swift */; }; - B8A1612F427E0B11A29B2B2381BAD0B9 /* Observable+StandardSequenceOperators.swift in Sources */ = {isa = PBXBuildFile; fileRef = 79D50CE9E945A4767B5F85B38B0FCA5E /* Observable+StandardSequenceOperators.swift */; }; - BA86FFC682A2DF3A665412BDF7F8B311 /* ArrayOfArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 540B42E772FF76C6D4F5E68CCDADA9B3 /* ArrayOfArrayOfNumberOnly.swift */; }; - C0AEA97E7684DDAD56998C0AE198A433 /* ServerTrustPolicy.swift in Sources */ = {isa = PBXBuildFile; fileRef = DDFA4675690B4E1D35DDDC48A9D761C2 /* ServerTrustPolicy.swift */; }; - C0FFEB35A4789DD451541E14EE8665D3 /* Order.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2364F4EAC509113B38791789DFC9F1E7 /* Order.swift */; }; - C3A43FE39B20D8E39D9A659E79C17E13 /* Platform.Linux.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3C3E7BB04514BEF3512C1043CAEA6B8A /* Platform.Linux.swift */; }; - C438E6F9EBF52C2AAC2248425C463F41 /* Using.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9049ECC4F97B3C04A6578A2E6CDA6001 /* Using.swift */; }; - C546890220177F840E8AFC829D0E3FEB /* Pods-SwaggerClientTests-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */; }; - C5EE9EA0FF27B0CD481DEC9CCBEB9B68 /* SubscribeOn.swift in Sources */ = {isa = PBXBuildFile; fileRef = 98BD46EAE257D3CD94DE10B4CE0D5BAC /* SubscribeOn.swift */; }; - C71DA674BC5AC89073E0170D73DB4211 /* SubscriptionDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = CD7DDA9BDF2E9478033688A8254FF42D /* SubscriptionDisposable.swift */; }; - C7A3408350643ADE1018826C766EE356 /* MultipartFormData.swift in Sources */ = {isa = PBXBuildFile; fileRef = 68A7878069171F13A5EA876A1D0A2553 /* MultipartFormData.swift */; }; - C842467FD23FD483772A34EA9459F863 /* BooleanDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3F70FE2E99A16D8E339E24776D9F8079 /* BooleanDisposable.swift */; }; - C883730C6F20B30D751FFEE0735901AC /* Zip+CollectionType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 071C49108B4E79C630858AAC7F0CE05F /* Zip+CollectionType.swift */; }; - C904BD2FADF0C9E38026D04B6BA01520 /* Alamofire.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AA9C5856BEAE5090A7D1EB450A10C04F /* Alamofire.framework */; }; - CABAB67F7B053EBAD25A19E18F5A365E /* Filter.swift in Sources */ = {isa = PBXBuildFile; fileRef = FA6A5837EF662D98F963312A6B51B18F /* Filter.swift */; }; - CF75AB2ED64CA8ECA674B82141DA316F /* APIHelper.swift in Sources */ = {isa = PBXBuildFile; fileRef = A73F00E8ED2521B115946B7E20B760AF /* APIHelper.swift */; }; - D0F605CAAA32A271A59EAD2048F67CC5 /* RefCount.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9BACDD50B71E53F5D898B3B4DFEDA3E1 /* RefCount.swift */; }; - D434DDFA87AEF17496BC262DFF8EE1F6 /* Observable.swift in Sources */ = {isa = PBXBuildFile; fileRef = B20F5B27C6DF084C3222275831FF36FA /* Observable.swift */; }; - D469333019EE55C32F0D24AEB34FF05B /* List.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3A7FD39D7BA8415D865896B06564C124 /* List.swift */; }; - D4887288E6CFF6769CE53F3CD110D4A5 /* Scan.swift in Sources */ = {isa = PBXBuildFile; fileRef = BF14833C2F8396E3B757D6617A158F77 /* Scan.swift */; }; - D4D4D5FE43F384FCCA89F729AF34E43B /* AnonymousObserver.swift in Sources */ = {isa = PBXBuildFile; fileRef = 47561C9DB2C67EB6A4BC283DC0B0030B /* AnonymousObserver.swift */; }; - D4DAB0E2808F20B7F69A43421D97EF73 /* Observable+Creation.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E073A63B9D559FC0AB4F5A5488E9B6A /* Observable+Creation.swift */; }; - D55B44239838DE293637D6649F19BE5E /* EnumClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = D6115C108A2F1445CCA165DCE5321009 /* EnumClass.swift */; }; - D69295D230361ED8905CEE612A3852BE /* Timeout.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9DA6E72F17CF9143C08CADD352ABB9C7 /* Timeout.swift */; }; - D6F8D75337CA0B3460ECD439557DAF42 /* Sink.swift in Sources */ = {isa = PBXBuildFile; fileRef = A89ABFCAED590F7BBB743360C41BB4EC /* Sink.swift */; }; - D79E6CFB94125C623492E6E13FD2229C /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 9610BA4403551C05999CF892D495F516 /* Foundation.framework */; }; - D84278A3E02240D3B3D2646A92D0365C /* ToArray.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9E32375CCD894905226F2999667D3B73 /* ToArray.swift */; }; - D9299DFFA1E563FE40D20D6A8F862AEF /* SingleAsync.swift in Sources */ = {isa = PBXBuildFile; fileRef = CC722708D4381A78D1D98E6D4AA620E6 /* SingleAsync.swift */; }; - DB36B0D8053C3E0F80B3B965F7ACB5E9 /* VirtualTimeScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = C3B52905A9D268237A20541ACA7B0032 /* VirtualTimeScheduler.swift */; }; - DBCA805921D74D8C0F75357698888D75 /* Observable+Single.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7C952DA565DA5A6D8B806FBA06577DA7 /* Observable+Single.swift */; }; - DC8F004AD7DAF6DC2502826B89B37ADA /* Pet.swift in Sources */ = {isa = PBXBuildFile; fileRef = B1300E3C28C82031FA5C87A7FE3B1EB9 /* Pet.swift */; }; - DC91D2B8BC1EC99F9B74CF445A19005A /* Amb.swift in Sources */ = {isa = PBXBuildFile; fileRef = 449A689F7B37366349A6508B099BD0E9 /* Amb.swift */; }; - DD10F0A204C1CD7B1C8D2491AF51B19C /* NumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = B4E90BC12F77D66B96AB27E026B2071E /* NumberOnly.swift */; }; - DDBDBC5F23168FFFB0F12BF8CFE2A331 /* Cat.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4F28DB75084895EF23EDBC499D8B8BAE /* Cat.swift */; }; - DE4ABC7DBFBDCF1D3CA605DF6B89375F /* UserAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 118386CB29E583E2BCF45FFB0C584C22 /* UserAPI.swift */; }; - DF1BBF94997A2F4248B42B25EA919EC2 /* Result.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1F9F393ACED59EC3E40E1F5760331A22 /* Result.swift */; }; - E0036D67D7DC4D27C10E78B69C4A6E66 /* ObserveOn.swift in Sources */ = {isa = PBXBuildFile; fileRef = 77201043BE266DA90FFF9E5435F74CEE /* ObserveOn.swift */; }; - E06E03B21F53C8340F13775CA721E653 /* Observable+Time.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3D6724283176F7B5374789642EBB719D /* Observable+Time.swift */; }; - E08918514E8F59676B26E9E916434A1E /* Timer.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8BC7EC70584114E8147982E286B54A5A /* Timer.swift */; }; - E1E73580E1913FA2D4474AFE4C831872 /* AsyncLock.swift in Sources */ = {isa = PBXBuildFile; fileRef = DC9286F5A9F7FBD6C4ED9253577FF24E /* AsyncLock.swift */; }; - E1F583CB4A68A928CD197250AA752926 /* TaskDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4AEEDDE6EE29DD394158E0DF90F71373 /* TaskDelegate.swift */; }; - E2A1C34237B4E928E5F85C097F4C2551 /* DispatchQueue+Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = 44279F891E3A8013E9374317D338EF80 /* DispatchQueue+Alamofire.swift */; }; - E43F7792E4EBE3E084F1A4BA0674F978 /* PriorityQueue.swift in Sources */ = {isa = PBXBuildFile; fileRef = 895510F9954C5C1166DBC4491D8F1CD7 /* PriorityQueue.swift */; }; - E44DEDBDAC4EEA91E39BD6DEF4C65B4D /* ConnectableObservable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 601A6685CA6CB0232FDE21E0C59D4EF3 /* ConnectableObservable.swift */; }; - E59BF19C0AFA68B741552319FC478C7B /* NetworkReachabilityManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = 09961C47B5191344545D302D14709951 /* NetworkReachabilityManager.swift */; }; - E62D1FF32E8E841D95C7605DC2326CC0 /* ObserverBase.swift in Sources */ = {isa = PBXBuildFile; fileRef = FD6DDE63A17BACBF9A80A5639C8A9ED7 /* ObserverBase.swift */; }; - E7F3738D1DAEE1D331AD940791EB84D7 /* VirtualTimeConverterType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 84FD01BA470A12437CAEF71CDA505661 /* VirtualTimeConverterType.swift */; }; - E9AEB14DCE9E25709D67501E831A3741 /* Extensions.swift in Sources */ = {isa = PBXBuildFile; fileRef = E3FF8700849757249B929D7AFF652CD6 /* Extensions.swift */; }; - EBE7965594C7671CC4A8888F0629B247 /* Throttle.swift in Sources */ = {isa = PBXBuildFile; fileRef = 253678CB59D97676FAFC79367B055BE5 /* Throttle.swift */; }; - ECC14F0BF67A78F13A9DFC1A1276E768 /* DisposeBag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 90E4207A8A5FE99FF46AE3A32DEBC2F3 /* DisposeBag.swift */; }; - EEBDC2202378A853515CEDBA0E87A02C /* InvocableScheduledItem.swift in Sources */ = {isa = PBXBuildFile; fileRef = 521069DC1285255CB8B88789D8534E78 /* InvocableScheduledItem.swift */; }; - F190B693D0C5D992919A262BA7BE199C /* TakeWhile.swift in Sources */ = {isa = PBXBuildFile; fileRef = 70627569C8F6CFA468E968C2D459AAB2 /* TakeWhile.swift */; }; - F192AA41D02E24DF198589D331AC91F8 /* StartWith.swift in Sources */ = {isa = PBXBuildFile; fileRef = 83537E25A71223251FE76CA4464CE39D /* StartWith.swift */; }; - F206C370F63155D3468E0C188498C5DC /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 9610BA4403551C05999CF892D495F516 /* Foundation.framework */; }; - F2FC27A487E71DFA2970FDD03917E98B /* Generate.swift in Sources */ = {isa = PBXBuildFile; fileRef = BA07E65094529C952EA700B218342830 /* Generate.swift */; }; - F3E157EB0CAC8B6C2E2BD07466F92D2E /* Sample.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4C4B8752D2A96041B9B620069BA0B3BF /* Sample.swift */; }; - F51BEB4A6F1861204AD8597CAF1FDB70 /* ApiResponse.swift in Sources */ = {isa = PBXBuildFile; fileRef = B4CA6814AE828DFEC4A4C2C8C1D6CEA2 /* ApiResponse.swift */; }; - F602A81B02D33A867E28950F09CB7950 /* MainScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E7BF27CFF3789B779A2063F1A13C659 /* MainScheduler.swift */; }; - F845AB46D82DCC081D307559323D3483 /* Zip.swift in Sources */ = {isa = PBXBuildFile; fileRef = 263B98524CDA4CD75343498E9D6A9E73 /* Zip.swift */; }; - F9179CDF3270195CDE81F9A8E25708F1 /* SchedulerType.swift in Sources */ = {isa = PBXBuildFile; fileRef = DCB71532385EC3045684D9E9D113E43A /* SchedulerType.swift */; }; - F9C6D5E918F61C1D1DDD5EA9776CE443 /* RefCountDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = BB0CDAD768516B5910C523D6FD9DDDD7 /* RefCountDisposable.swift */; }; - FE946FA2D5211EBB3DA4436928744878 /* Merge.swift in Sources */ = {isa = PBXBuildFile; fileRef = EBF0B8BEB8BF4B7C5009AC72CD6119B9 /* Merge.swift */; }; - FFFDD494EE6D1B83DDAF5F2721F685A6 /* Validation.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1686EFB15DF3376D43E734228C9AC2B5 /* Validation.swift */; }; + 013738A9F5E8DF3395706FEC20FDF8D7 /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = C779250D7B6267BBEC8FA6A297E951FD /* MixedPropertiesAndAdditionalPropertiesClass.swift */; }; + 0221646A8FCF91976DAF6E10037787D0 /* ConnectableObservableType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5DADB1FC0E060D94E6B5D5C58239620C /* ConnectableObservableType.swift */; }; + 0449D812A9F4067D62EFCD1E35BF8493 /* CurrentThreadScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = BF5AA3394F57234FD887391D8462E74A /* CurrentThreadScheduler.swift */; }; + 062C20D29D7AD2C0E7A0D7AE550DE9F6 /* APIs.swift in Sources */ = {isa = PBXBuildFile; fileRef = 37E5B1C1BA4FC86C3AD6DD6412AD5C3F /* APIs.swift */; }; + 07F07937CCEA2757FE68A189000A94B2 /* Alamofire.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AA9C5856BEAE5090A7D1EB450A10C04F /* Alamofire.framework */; }; + 088CDF43843D8177D2C3CA04ECF477A2 /* Map.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8DE6855BEA3063D94A0EC8D470649B66 /* Map.swift */; }; + 090DBF1159B2EBC6121CE7A25C43E077 /* Cat.swift in Sources */ = {isa = PBXBuildFile; fileRef = 882D08B71AAD3418842BE142C533D36B /* Cat.swift */; }; + 0A5120C593F775DF154691CB199A7D03 /* SchedulerType.swift in Sources */ = {isa = PBXBuildFile; fileRef = DCB71532385EC3045684D9E9D113E43A /* SchedulerType.swift */; }; + 0B58317AAEBFD468C0009A9878E1B06C /* SynchronizedUnsubscribeType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1A3234DDBD165CB94E72F836B564C7C9 /* SynchronizedUnsubscribeType.swift */; }; + 0CCA66D8F9D12256C9728A13B9345378 /* ObservableConvertibleType.swift in Sources */ = {isa = PBXBuildFile; fileRef = A325EAB3F77708E7CBAD5C7B6922B326 /* ObservableConvertibleType.swift */; }; + 0E2DD1006CC9C02DFAD673DD5280E557 /* List.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8A79C16689E69DE8EF122B5638FFC47D /* List.swift */; }; + 0E8CEDEC1B06DE07042BC955BBFB6B5A /* ToArray.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9E32375CCD894905226F2999667D3B73 /* ToArray.swift */; }; + 0F5270DB24F4A4548F32041D1CD323DB /* NumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 71DB61F02CAB93E7ED7B2ECA67F3CF6C /* NumberOnly.swift */; }; + 0FC47816DB453AC183ECF2D15CBEB71E /* SpecialModelName.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7DA5C1095D6C6A40025C2D36EE2C810E /* SpecialModelName.swift */; }; + 109085E3744B26294B9BD37F1F48EF35 /* SubscribeOn.swift in Sources */ = {isa = PBXBuildFile; fileRef = 98BD46EAE257D3CD94DE10B4CE0D5BAC /* SubscribeOn.swift */; }; + 10EB23E9ECC4B33E16933BB1EA560B6A /* Timeline.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6A5CCA9EB06FCD32A12E54CC747D1F53 /* Timeline.swift */; }; + 1163E697FCB1975E40860517DFAB745B /* ShareReplay1WhileConnected.swift in Sources */ = {isa = PBXBuildFile; fileRef = 90BE630A4A59E4AC944DBD9EFDC34796 /* ShareReplay1WhileConnected.swift */; }; + 13CFA690D9CC702B738AD5BE565A26F8 /* PetstoreClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */; }; + 14FCC2DE88E639EDEF2C9587D504EE02 /* Observable+Concurrency.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9FFD890C9318510A9B6D05E1182C0658 /* Observable+Concurrency.swift */; }; + 1599B2B0C322141E606E052CCF6DF766 /* AnonymousDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E166E272B7D412CEBCA0EFB76A0C5E5 /* AnonymousDisposable.swift */; }; + 15D38817973CA78ADCAE26ED41E2D9DC /* ObservableType+Extensions.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0775AB98959207DEB8D8CB2B4311B236 /* ObservableType+Extensions.swift */; }; + 162D30EFBFE1F5802A959E8E7CBB3710 /* BooleanDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3F70FE2E99A16D8E339E24776D9F8079 /* BooleanDisposable.swift */; }; + 16F2433104C74017B1C2B19CDEBEEC05 /* RxSwift-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = CBC1C3173FE9526E8C2BAC46602DDB03 /* RxSwift-dummy.m */; }; + 1761B2FAEA9E798C38CDB40E9F962B53 /* SerialDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = CFA499B41FA9F74B4F5E4B7CAD68B9B8 /* SerialDisposable.swift */; }; + 1851EC327040C26D75F45182143E7144 /* Bag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 46B04815DB6601B2023F140BFB80E59B /* Bag.swift */; }; + 1AE357121BEFD2364713E49652563C18 /* PetstoreClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 1B9EDEDC964E6B08F78920B4F4B9DB84 /* Alamofire-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 648498C76C7957EB9C166EF9DC220641 /* Alamofire-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 1C041AB7E2713FD821BC2E652BE0EC78 /* Cancelable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 59E8DEFEECBDD8DC53BCEC4B32D37DA7 /* Cancelable.swift */; }; + 1C108E383325980455CFA85FE8BA1C2D /* StoreAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = A776729DD3FE9677991E54DE267FD577 /* StoreAPI.swift */; }; + 221537EB63018A7754EBCFD77365207B /* FakeclassnametagsAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = DDAFDF0366C6686A7B947426AF20A128 /* FakeclassnametagsAPI.swift */; }; + 22D4353F338AD63894E26312507BA233 /* TakeLast.swift in Sources */ = {isa = PBXBuildFile; fileRef = 47CBE5B91053BFFA96A9BC62DB96C075 /* TakeLast.swift */; }; + 23C1B0BA16848ABB6682F6178610A3BB /* ReadOnlyFirst.swift in Sources */ = {isa = PBXBuildFile; fileRef = A20AD60386D12E72B2313A4ED186F1FE /* ReadOnlyFirst.swift */; }; + 24C4FB6AC73B140AC544D7F3AD9DEF41 /* OuterEnum.swift in Sources */ = {isa = PBXBuildFile; fileRef = EA68C5328B3080DB6504E903EE8FC138 /* OuterEnum.swift */; }; + 281AFAEA94C9F83ACC6296BBD7A0D2E4 /* Pods-SwaggerClient-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 29526349B56218CE4C9264D9F6201F63 /* BehaviorSubject.swift in Sources */ = {isa = PBXBuildFile; fileRef = AEA8B1F8E843B685D3ADEC5C51213D03 /* BehaviorSubject.swift */; }; + 2AB67E1A6679FE63FABA71B4788844F4 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AE307308EA13685E2F9959277D7E355A /* Foundation.framework */; }; + 2B2101DDE5F3F89829C97803394458AF /* AnimalFarm.swift in Sources */ = {isa = PBXBuildFile; fileRef = CFDD5568A22EED27D7570975E4B81B6B /* AnimalFarm.swift */; }; + 2B9A74F0F6B8AF3DF6E7342D7FB52B78 /* TakeWhile.swift in Sources */ = {isa = PBXBuildFile; fileRef = 70627569C8F6CFA468E968C2D459AAB2 /* TakeWhile.swift */; }; + 2BAC4971843D4E00AF7D6AF9573D1178 /* Queue.swift in Sources */ = {isa = PBXBuildFile; fileRef = 39B4F5EAD731F0F920D3604BC23E358C /* Queue.swift */; }; + 2DE8A243AEE62B187B1D55155A13B1C9 /* FormatTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = EB3C91F15E6A6CE25AA56BB132BD2282 /* FormatTest.swift */; }; + 31F8B86E3672D0B828B6352C875649C4 /* Pods-SwaggerClientTests-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + 3328BA01BCCCECFDBBEDEEFF3CCD05EB /* ApiResponse.swift in Sources */ = {isa = PBXBuildFile; fileRef = 26F0BD741D5BE8D7ECA2569B96E3F60C /* ApiResponse.swift */; }; + 349DDDD57933EC038E197AB311CD9EE0 /* Category.swift in Sources */ = {isa = PBXBuildFile; fileRef = A6E566ACDC2E2B9BD209C52F6FC3F038 /* Category.swift */; }; + 35C87ED9143FAB83747CA0D845C7A56F /* Observable+Debug.swift in Sources */ = {isa = PBXBuildFile; fileRef = E354449BC8FB325A04E296000EA21A4C /* Observable+Debug.swift */; }; + 35DBFF86DD0CA850FC7ACC31DF26C3E8 /* SchedulerServices+Emulation.swift in Sources */ = {isa = PBXBuildFile; fileRef = 12CB09CB0B07DDE0ACDB54D205B3F26D /* SchedulerServices+Emulation.swift */; }; + 3600531BA5F611A9EE5EA846DD312668 /* Platform.Darwin.swift in Sources */ = {isa = PBXBuildFile; fileRef = 59B43BBF28CAB31A0CBF921DBD49B0AE /* Platform.Darwin.swift */; }; + 3626B94094672CB1C9DEA32B9F9502E1 /* TaskDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4AEEDDE6EE29DD394158E0DF90F71373 /* TaskDelegate.swift */; }; + 37FBB11D6EAEE47A481A564353B1BDE6 /* Observable+Multiple.swift in Sources */ = {isa = PBXBuildFile; fileRef = 591F9DC4E9E1DDA94E7E3F8B47BB20AB /* Observable+Multiple.swift */; }; + 396DDB3E1B44FE30B107D2A356F00A12 /* StableCompositeDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = B6990371A9A80E002FA4F9202898F908 /* StableCompositeDisposable.swift */; }; + 3A499A9713E73488885B4E2465EFD87C /* User.swift in Sources */ = {isa = PBXBuildFile; fileRef = A1CA3CB3CA69090E8097D77974F95F4E /* User.swift */; }; + 3D4A0A8C49E96B63D39A068F659753F4 /* ArrayOfArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = B98974498DE6D6290EEA35B2A9E347BB /* ArrayOfArrayOfNumberOnly.swift */; }; + 3DAA143E7ABE537D34B5758395939EEF /* ScheduledDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 65A840AA3CEF7F6FBB8BCBBA81C65DDF /* ScheduledDisposable.swift */; }; + 3EDAC5FFF5988DA7BA7E50DC267F3CDB /* Skip.swift in Sources */ = {isa = PBXBuildFile; fileRef = DCA4E91A7DD69F9F8700A154A422124C /* Skip.swift */; }; + 3F148509017DC1201BC0AB8F72A028A4 /* Merge.swift in Sources */ = {isa = PBXBuildFile; fileRef = EBF0B8BEB8BF4B7C5009AC72CD6119B9 /* Merge.swift */; }; + 409DA149C49F7F61DCAA1DCE2786B639 /* PriorityQueue.swift in Sources */ = {isa = PBXBuildFile; fileRef = 895510F9954C5C1166DBC4491D8F1CD7 /* PriorityQueue.swift */; }; + 40A642981EB56E5E59F4DE9103B68FBF /* Take.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4631700A76EFEA696A86E2D6EB4D12B9 /* Take.swift */; }; + 40F082318D2694EA912536272D15A38A /* Sample.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4C4B8752D2A96041B9B620069BA0B3BF /* Sample.swift */; }; + 41D778987ECFC57E351E47B9005A8654 /* ArrayTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 943AD326EA457918AA6124DF2D2A8AE5 /* ArrayTest.swift */; }; + 4239CB3B20869FDA3301AC4260A9AE09 /* Sequence.swift in Sources */ = {isa = PBXBuildFile; fileRef = E4CF671AB3A6FC0A3C32459BBC3A8B1A /* Sequence.swift */; }; + 437B5E5936E2A383F91A07C547BA0109 /* Delay.swift in Sources */ = {isa = PBXBuildFile; fileRef = 103F9DB48FEB5A62BDBA2CDD99082A98 /* Delay.swift */; }; + 458FA584CDB71AE9830BCC1A4E4D4FF6 /* Buffer.swift in Sources */ = {isa = PBXBuildFile; fileRef = E5F02CD595850E252EA54047E7BCCED3 /* Buffer.swift */; }; + 487A5AE3D456D777A5F1B0A507910967 /* HistoricalScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = 157A3748D755DB338256242A1A3CC53B /* HistoricalScheduler.swift */; }; + 4BD508985B5C133140C548982A19E3B5 /* CombineLatest+CollectionType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9489C6AECBDACA4BD2893A849E9E7B31 /* CombineLatest+CollectionType.swift */; }; + 4BE987E5E7AC8E7E421C18E38EDF849D /* Observable+Creation.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E073A63B9D559FC0AB4F5A5488E9B6A /* Observable+Creation.swift */; }; + 4C3894EA6AD4C277A9B4461E4E7AE5CC /* Range.swift in Sources */ = {isa = PBXBuildFile; fileRef = A0A7FBAA0DFB3D5A69099E8EE819DCCD /* Range.swift */; }; + 4E29A5D80DC4928398E0715E20C2F0A9 /* Errors.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2415065C69E6D768A26D46713E3E945E /* Errors.swift */; }; + 52C682CEA4D8DDC0AF22641B9846D617 /* Name.swift in Sources */ = {isa = PBXBuildFile; fileRef = 139DB709435F037DC55BE45FDFF8D13D /* Name.swift */; }; + 52FF0B4B7C5E6E6686CCA24A762DF339 /* NopDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 607B6A989635E3E95CA1674881B636EB /* NopDisposable.swift */; }; + 5382CBF07361D5CFFCEB419ABEEBAE0E /* Animal.swift in Sources */ = {isa = PBXBuildFile; fileRef = F3E1EA7F03A8F7699B4A38A0059B6DB6 /* Animal.swift */; }; + 5387216E723A3C68E851CA15573CDD71 /* Request.swift in Sources */ = {isa = PBXBuildFile; fileRef = 61AD15FD6DB5989286D3589A3EFE6D0F /* Request.swift */; }; + 544D6A3D00743EB6F72DB2661A83332B /* Using.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9049ECC4F97B3C04A6578A2E6CDA6001 /* Using.swift */; }; + 5594A40E65D9F78F95F5E3F11D0BCB7F /* VirtualTimeConverterType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 84FD01BA470A12437CAEF71CDA505661 /* VirtualTimeConverterType.swift */; }; + 59C79B6ADABA12D730115EC9DEF8F095 /* Window.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4CCC505A23A305474016BC8D4154FD87 /* Window.swift */; }; + 5B2D440791BB76EA748BB4A569E23434 /* Extensions.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9CFD31C609D01246A22B3FA2FFB24D83 /* Extensions.swift */; }; + 5C9887CFF67F09F2A0E398D1E9981830 /* Timeout.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9DA6E72F17CF9143C08CADD352ABB9C7 /* Timeout.swift */; }; + 5CE698373AEAC34BF21476BAE3712B31 /* AsyncLock.swift in Sources */ = {isa = PBXBuildFile; fileRef = DC9286F5A9F7FBD6C4ED9253577FF24E /* AsyncLock.swift */; }; + 5EECEA9F61D071962E55CD14E8EE129C /* SkipWhile.swift in Sources */ = {isa = PBXBuildFile; fileRef = B79CDD0768E0E3C89BC024E89A064A92 /* SkipWhile.swift */; }; + 5F0E524F9C245F81D9A6E5C87329ED20 /* SingleAssignmentDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = A9AA67A440D91883DF64CD1B1ECAE100 /* SingleAssignmentDisposable.swift */; }; + 5F4E9CC2E005F0EF79EE16C449CE5014 /* Observable+Time.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3D6724283176F7B5374789642EBB719D /* Observable+Time.swift */; }; + 61200D01A1855D7920CEF835C8BE00B0 /* DispatchQueue+Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = 44279F891E3A8013E9374317D338EF80 /* DispatchQueue+Alamofire.swift */; }; + 629F339A792FC3BA79143E5BAFFA4397 /* Concat.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2808072576F24D4427AD26000D97F24B /* Concat.swift */; }; + 62F65AD8DC4F0F9610F4B8B4738EC094 /* ServerTrustPolicy.swift in Sources */ = {isa = PBXBuildFile; fileRef = DDFA4675690B4E1D35DDDC48A9D761C2 /* ServerTrustPolicy.swift */; }; + 63AF411E7E37CD092972B24F8A46B320 /* ConnectableObservable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 601A6685CA6CB0232FDE21E0C59D4EF3 /* ConnectableObservable.swift */; }; + 63D86CF493F2C70C2409B913DD2D0C11 /* AlamofireImplementations.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7827148096A3B614608E8642496DB653 /* AlamofireImplementations.swift */; }; + 6497B3BDB92F75CA4674410D306E5A63 /* ConcurrentMainScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = E8859CCDF9BA2AA2D20BC8D4EC20886F /* ConcurrentMainScheduler.swift */; }; + 679CCD2004F3BE664BD29DCD24F8720F /* AnonymousObservable.swift in Sources */ = {isa = PBXBuildFile; fileRef = EE2A0EFE7DA37E6A5F71BD5D0F261709 /* AnonymousObservable.swift */; }; + 695098AE3B0C2A8FB77ED7375660F922 /* SynchronizedOnType.swift in Sources */ = {isa = PBXBuildFile; fileRef = C6CC8064928526F49074045925F035D4 /* SynchronizedOnType.swift */; }; + 6D957505CBECFAF28FCF9FABC12E42E4 /* Rx.swift in Sources */ = {isa = PBXBuildFile; fileRef = 988DF795A61F6C6D092F3EFD2E9D3172 /* Rx.swift */; }; + 6E68210BCE3BDF381A1420941F85677E /* Order.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0B517EAE75FC00740AEAA0C504C4B2C6 /* Order.swift */; }; + 6E9EBC66CCD6984C2714A99AC05DDDC7 /* Never.swift in Sources */ = {isa = PBXBuildFile; fileRef = A9A50F64EA4044C0839F8ADE172BD50B /* Never.swift */; }; + 6F80F5879B0BE9D3A472E81ED5E43FD9 /* SingleAsync.swift in Sources */ = {isa = PBXBuildFile; fileRef = CC722708D4381A78D1D98E6D4AA620E6 /* SingleAsync.swift */; }; + 7240AD3893117AC68586350A767FD725 /* SubscriptionDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = CD7DDA9BDF2E9478033688A8254FF42D /* SubscriptionDisposable.swift */; }; + 72A9C6FBBA1600C06CB8472811B54AF2 /* DisposeBase.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1D9F5BD07DBF56A55DCBB4492D0AF971 /* DisposeBase.swift */; }; + 74B813F26F26A1E10638FAFB0410930E /* Zip+arity.swift in Sources */ = {isa = PBXBuildFile; fileRef = D9DB7F4A2EC44DA0092B1CDDE8E815F3 /* Zip+arity.swift */; }; + 756A29D46B56B372C3EE5E68F9743377 /* BinaryDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4010C8421B92C1E70DF537069413A516 /* BinaryDisposable.swift */; }; + 7776BD46E8DC958E5D689C1EF0D7D9B9 /* Observable+StandardSequenceOperators.swift in Sources */ = {isa = PBXBuildFile; fileRef = 79D50CE9E945A4767B5F85B38B0FCA5E /* Observable+StandardSequenceOperators.swift */; }; + 78AF9433B59B2461906FB4C7CE14EAD8 /* AddRef.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6EF7FBA5BE620ABE958170B1D8C43FA5 /* AddRef.swift */; }; + 7AE9ABB0D070765CD3A2782323796E11 /* ElementAt.swift in Sources */ = {isa = PBXBuildFile; fileRef = 16F05714111584F3A9F0A2BCB39CB41E /* ElementAt.swift */; }; + 7B5FE28C7EA4122B0598738E54DBEBD8 /* SessionDelegate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 466E547201678AB3323F3A3958F2A1E4 /* SessionDelegate.swift */; }; + 7D10EF5F5F3467B99B649EE02B1634ED /* APIHelper.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2A0F510D3CD5F6FE074AA8A702B78FD4 /* APIHelper.swift */; }; + 7D8CC01E8C9EFFF9F4D65406CDE0AB66 /* Result.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1F9F393ACED59EC3E40E1F5760331A22 /* Result.swift */; }; + 7DB045E607D7B6585EAE0B558E84BAF3 /* ObservableType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7C9BFA4F609DE3F3349E30D2D4889687 /* ObservableType.swift */; }; + 7FBE764B6393502DFA0BE214E448AFD9 /* ClassModel.swift in Sources */ = {isa = PBXBuildFile; fileRef = F7D5B61AC90BA0704509CAE6D0F2685B /* ClassModel.swift */; }; + 83286EB57D7CFBDA46AF576E406BF897 /* DistinctUntilChanged.swift in Sources */ = {isa = PBXBuildFile; fileRef = E8B3A2D64AD806CC76691CCF4BB5F3C4 /* DistinctUntilChanged.swift */; }; + 86625ACF8CA13736E625596A07B8B7E5 /* Throttle.swift in Sources */ = {isa = PBXBuildFile; fileRef = 253678CB59D97676FAFC79367B055BE5 /* Throttle.swift */; }; + 872BCED0FBA10BE1678D67CD5C44866F /* InvocableScheduledItem.swift in Sources */ = {isa = PBXBuildFile; fileRef = 521069DC1285255CB8B88789D8534E78 /* InvocableScheduledItem.swift */; }; + 8805D8BFE7EC9C1997653FD13ABC7EBD /* Lock.swift in Sources */ = {isa = PBXBuildFile; fileRef = CDA670567F47B7D61FD2AD2A4FE38A75 /* Lock.swift */; }; + 897985FA042CD12B825C3032898FAB26 /* Pods-SwaggerClientTests-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */; }; + 8B5E461B10C674D46F5481FD20962C24 /* String+Rx.swift in Sources */ = {isa = PBXBuildFile; fileRef = A6AE7C875A375D751A658756E4076F46 /* String+Rx.swift */; }; + 8B866A13625D176C6326050C6AA1F8F9 /* Disposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = CEAD625F07E1C981EB9209B3DA915751 /* Disposable.swift */; }; + 8BAC216EFD1E982F95F10FC4B79D866B /* Observable.swift in Sources */ = {isa = PBXBuildFile; fileRef = B20F5B27C6DF084C3222275831FF36FA /* Observable.swift */; }; + 8BE87EACAC0762B15EDC69EBD7A114BE /* Dog.swift in Sources */ = {isa = PBXBuildFile; fileRef = EE24724902D07CDE0116B09FAFD21D57 /* Dog.swift */; }; + 8C368CB39D3AE9360F707CF96C88668D /* Model200Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3D74E3639B8306BCE21EAC827F2D0F06 /* Model200Response.swift */; }; + 8C804A370CD817E358B0D21F203E323B /* Empty.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4FA5F2916E90AD9DDC7FAED09989F4FB /* Empty.swift */; }; + 8CABBD38AFEDFFA8349FB8B6BE420478 /* Sink.swift in Sources */ = {isa = PBXBuildFile; fileRef = A89ABFCAED590F7BBB743360C41BB4EC /* Sink.swift */; }; + 8E4410D5B684FBD5A39A565F2A858F75 /* RxMutableBox.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5AD7E0BACEE0A8585FC1F7B974E2EC3B /* RxMutableBox.swift */; }; + 8EA25311918806DF4F83D6868BBD7296 /* InvocableType.swift in Sources */ = {isa = PBXBuildFile; fileRef = BFD66FC531DC3316915F7E2AAE2B6A22 /* InvocableType.swift */; }; + 900E355135430AA421B2F3DC19861D53 /* Event.swift in Sources */ = {isa = PBXBuildFile; fileRef = C715F3250F5956F3DE2A7425C2907DEB /* Event.swift */; }; + 91175A80C63A374714DB3FE8E2A10D63 /* Fake_classname_tags123API.swift in Sources */ = {isa = PBXBuildFile; fileRef = DB59A7DB4A9B911E525ECC513D74D00D /* Fake_classname_tags123API.swift */; }; + 91BCA631F516CB40742B0D2B1A211246 /* Pods-SwaggerClient-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */; }; + 92B896654273A74DEE2476C6BE4BDD1B /* Catch.swift in Sources */ = {isa = PBXBuildFile; fileRef = AB0EC7AF6456236E6E13DCE5F5265C5F /* Catch.swift */; }; + 9321EBC33C18CBE00C2951EF3B9B4CF5 /* Do.swift in Sources */ = {isa = PBXBuildFile; fileRef = ED59048292E27FA2681801951B7E1A18 /* Do.swift */; }; + 939CAB10FB8DECCAF5A28CC1E9D8DB5F /* CompositeDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2391B328BA2E426F76F90EC3F0CEE193 /* CompositeDisposable.swift */; }; + 93DA3EC7181A2059753780193C442CF9 /* Observable+Single.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7C952DA565DA5A6D8B806FBA06577DA7 /* Observable+Single.swift */; }; + 96B6621209C448453E1885BA9BDCF135 /* EnumClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2B96675384F47A8DB92E2D3370733CC1 /* EnumClass.swift */; }; + 98AACEB7F606A88E4B306330192E5975 /* DisposeBag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 90E4207A8A5FE99FF46AE3A32DEBC2F3 /* DisposeBag.swift */; }; + 98AB1A4CFBA9CF20D7D1EC71028E5CE3 /* InfiniteSequence.swift in Sources */ = {isa = PBXBuildFile; fileRef = 24FF9064CA0320BB58A8BED032709378 /* InfiniteSequence.swift */; }; + 98D52F7232BC55786259F3112924CC76 /* OperationQueueScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = F6D93B2A9ED15AC0B063CE15853B85CB /* OperationQueueScheduler.swift */; }; + 9DF467656B93EAC2D6C74A581F7F4996 /* RefCount.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9BACDD50B71E53F5D898B3B4DFEDA3E1 /* RefCount.swift */; }; + 9DF4E09974356DD2D110EA032EB62343 /* AnonymousInvocable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1D6F54453FC1139BFF8AA599F995D75D /* AnonymousInvocable.swift */; }; + 9E5EBD1BA9BB272951DC0E1251CA2DD1 /* DelaySubscription.swift in Sources */ = {isa = PBXBuildFile; fileRef = 471B222D7F90A3E97B04EBE5F68973C4 /* DelaySubscription.swift */; }; + 9ED2BB2981896E0A39EFA365503F58CE /* AFError.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9C7073601488280206853E396A103D97 /* AFError.swift */; }; + A01C09BC95A182057BB4EA1B08249CE9 /* ConcurrentDispatchQueueScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = ABAEA2792700E32F557C2FBD629A7D01 /* ConcurrentDispatchQueueScheduler.swift */; }; + A04BFC558D69E7DBB68023C80A9CFE4E /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AE307308EA13685E2F9959277D7E355A /* Foundation.framework */; }; + A0AEF215337C675C0C9D4DA3AD47C0B0 /* ImmediateScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3AF523D5DFE8CB09249EAF3CBB7F9CD1 /* ImmediateScheduler.swift */; }; + A1DB16C285F06567A78DCFCF7AB39559 /* Filter.swift in Sources */ = {isa = PBXBuildFile; fileRef = FA6A5837EF662D98F963312A6B51B18F /* Filter.swift */; }; + A2A6F71B727312BD45CC7A4AAD7B0AB7 /* NetworkReachabilityManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = 09961C47B5191344545D302D14709951 /* NetworkReachabilityManager.swift */; }; + A33BAE1DC4388BF44127464B70E60EB7 /* SynchronizedDisposeType.swift in Sources */ = {isa = PBXBuildFile; fileRef = F7896BF7FA73734CFDC3B1A2050D59D5 /* SynchronizedDisposeType.swift */; }; + A3970D1C65251653C0CF76FFD94F740E /* Timer.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8BC7EC70584114E8147982E286B54A5A /* Timer.swift */; }; + A49EECACA3890884D39C598BD7448922 /* ShareReplay1.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9958AA850AC90E9E2A843A29645DCE68 /* ShareReplay1.swift */; }; + A51FE519908B879535E81FEDC0DBC98F /* LockOwnerType.swift in Sources */ = {isa = PBXBuildFile; fileRef = EC3028F293085C3E2F1664CF9718F348 /* LockOwnerType.swift */; }; + A59B89468079463EB9AC21B1C2350EEE /* Just.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4FF4A129DA91F2645193ADAFE7174281 /* Just.swift */; }; + A9EEEA7477981DEEBC72432DE9990A4B /* Alamofire-dummy.m in Sources */ = {isa = PBXBuildFile; fileRef = C9BB183146048CB232C4D14C6D55D2C6 /* Alamofire-dummy.m */; }; + AA6FB6E0BA72C32CE18850691DD4110B /* Variable.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7412C9F58126194C31E210E61118B6C7 /* Variable.swift */; }; + AB22C13842BCA5EE159452B138A8D301 /* DispatchQueueSchedulerQOS.swift in Sources */ = {isa = PBXBuildFile; fileRef = 837D1C5A62D67836A140B2CCB338B401 /* DispatchQueueSchedulerQOS.swift */; }; + ADC308C751B162605CADD7B2607B4ACE /* Amb.swift in Sources */ = {isa = PBXBuildFile; fileRef = 449A689F7B37366349A6508B099BD0E9 /* Amb.swift */; }; + AE1EF48399533730D0066E04B22CA2D6 /* SessionManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = FDD7603F09F21B83FBAC471875D7797C /* SessionManager.swift */; }; + AE931ACCD677929BEEACFC36BF7E599C /* FakeAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 46C5EA7F33E59F5A0BAC7ED154EF5189 /* FakeAPI.swift */; }; + AE94049378B4BA30FC9FBD26F51E8752 /* ArrayOfNumberOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6A6FD821125243353793A74C26AF6AB2 /* ArrayOfNumberOnly.swift */; }; + B045BC1306771707276CB9229C053D69 /* Client.swift in Sources */ = {isa = PBXBuildFile; fileRef = 0FE6ECDC7B7878E609AEE401961BF14E /* Client.swift */; }; + B17535B8EBBD411A6081573043D30F31 /* MainScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2E7BF27CFF3789B779A2063F1A13C659 /* MainScheduler.swift */; }; + B25BF9072151D940AA78B0E9382504EE /* HistoricalSchedulerTimeConverter.swift in Sources */ = {isa = PBXBuildFile; fileRef = 58336B9FBB7F84FDFF781C52D483A1AF /* HistoricalSchedulerTimeConverter.swift */; }; + B3DE6999E9E0A07335C2565879235589 /* PublishSubject.swift in Sources */ = {isa = PBXBuildFile; fileRef = E1C5527659E83F0356D7D6D07E422510 /* PublishSubject.swift */; }; + B4E1123BBC7D88BA10BE260B752D7AF4 /* Tag.swift in Sources */ = {isa = PBXBuildFile; fileRef = 03A35854A2FF642B3B732D763DB0D0BD /* Tag.swift */; }; + B65FCF589DA398C3EFE0128064E510EC /* MultipartFormData.swift in Sources */ = {isa = PBXBuildFile; fileRef = 68A7878069171F13A5EA876A1D0A2553 /* MultipartFormData.swift */; }; + B955A0D89BAB57C15C5AFB4415670140 /* SynchronizedSubscribeType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 19CE74AA8E5BDB15AD53E3CA60BBAC1A /* SynchronizedSubscribeType.swift */; }; + BB0B398A709DABBED7B4B9BAA3601585 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AE307308EA13685E2F9959277D7E355A /* Foundation.framework */; }; + BB747BB0A5A74A7A45992B41353312B1 /* ReplaySubject.swift in Sources */ = {isa = PBXBuildFile; fileRef = 56039C90A50C5C7A2180DCFF00D2D998 /* ReplaySubject.swift */; }; + BBEFE2F9CEB73DC7BD97FFA66A0D9D4F /* Validation.swift in Sources */ = {isa = PBXBuildFile; fileRef = 1686EFB15DF3376D43E734228C9AC2B5 /* Validation.swift */; }; + BC87664B5F6C8BC129E3F1A934D924EE /* Generate.swift in Sources */ = {isa = PBXBuildFile; fileRef = BA07E65094529C952EA700B218342830 /* Generate.swift */; }; + BCFF2C832999C9F7599D575DC7ADEFB5 /* RxSwift.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 19296A8C5E948345E5744A748B1CC720 /* RxSwift.framework */; }; + BE5C67A07E289FE1F9BE27335B159997 /* ParameterEncoding.swift in Sources */ = {isa = PBXBuildFile; fileRef = F67B486CB679D53F61940EF8B2AEA799 /* ParameterEncoding.swift */; }; + C249F2741D7B2B023551F0AB64D2B680 /* RxSwift-umbrella.h in Headers */ = {isa = PBXBuildFile; fileRef = 06524E33FA3D2AD314D9A6770AEC3477 /* RxSwift-umbrella.h */; settings = {ATTRIBUTES = (Public, ); }; }; + C2E4654F62808427D4036CB8B187398E /* ScheduledItem.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2D1964478F85AF8CCE4FA3F585941A23 /* ScheduledItem.swift */; }; + C73DFF3AA1280FACA7CACDBFF71A2936 /* CombineLatest+arity.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2F876EB789D7553757CB2D3215159097 /* CombineLatest+arity.swift */; }; + C8FA14D51FBDB80FA0DBD76A1BCDBBAB /* TailRecursiveSink.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7E5344ADD0F43FB0C7C4F7631FAB96E0 /* TailRecursiveSink.swift */; }; + C923A3CEB1B961D932EA8674F3C1624C /* EnumArrays.swift in Sources */ = {isa = PBXBuildFile; fileRef = 674818A79F12C550C32D5B20F9F2904C /* EnumArrays.swift */; }; + C97CE444346C9E3CBFBC823AE1A5A406 /* SubjectType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 16035B3F037B51008573CF5EAC2C694F /* SubjectType.swift */; }; + CA289FD7425460134B9FDC10EEAA34C8 /* Debug.swift in Sources */ = {isa = PBXBuildFile; fileRef = 26B0BD2CB9F7486237A34EBA47365157 /* Debug.swift */; }; + CA4C542B3AFCA8BA0BBBED70997533E7 /* Scan.swift in Sources */ = {isa = PBXBuildFile; fileRef = BF14833C2F8396E3B757D6617A158F77 /* Scan.swift */; }; + CAEB12DA70330D5717A5D121CACA03B6 /* Disposables.swift in Sources */ = {isa = PBXBuildFile; fileRef = E6BA84559E436F8156CFD659B6404410 /* Disposables.swift */; }; + CB6D60925223897FFA2662667DF83E8A /* Response.swift in Sources */ = {isa = PBXBuildFile; fileRef = B2E7DCE840EC5362435064B17D0BBFAD /* Response.swift */; }; + CD1F7E9B3685AFE754062FA775F4E3FE /* Error.swift in Sources */ = {isa = PBXBuildFile; fileRef = CC3823F28AD2D0BF76EE51C67D62622E /* Error.swift */; }; + CE48930965CDF16840B88942D8EA7F7F /* VirtualTimeScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = C3B52905A9D268237A20541ACA7B0032 /* VirtualTimeScheduler.swift */; }; + D2A169038DE483C1BDDCCC98D481D092 /* AnonymousObserver.swift in Sources */ = {isa = PBXBuildFile; fileRef = 47561C9DB2C67EB6A4BC283DC0B0030B /* AnonymousObserver.swift */; }; + D32130A2C8AC5B1FF21AF43BCC2B5217 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AE307308EA13685E2F9959277D7E355A /* Foundation.framework */; }; + D34D118EDB07AA0B8A9C0A5B675E0B3D /* PetAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = 46ADFA647DB262579870CDE7A7A9B130 /* PetAPI.swift */; }; + D382B28DCD1F82E1F650F89DFCBD64A0 /* Observable+Aggregate.swift in Sources */ = {isa = PBXBuildFile; fileRef = 368BA29A97938E7C10DBD9412AD4A6C2 /* Observable+Aggregate.swift */; }; + D435B6D25377202D652C72BCBACACE72 /* DispatchQueueConfiguration.swift in Sources */ = {isa = PBXBuildFile; fileRef = D8D4AC1285B8B93D51D709EB8A4722B3 /* DispatchQueueConfiguration.swift */; }; + D51CB7DE9242D61897C3163738E11A14 /* ObserverBase.swift in Sources */ = {isa = PBXBuildFile; fileRef = FD6DDE63A17BACBF9A80A5639C8A9ED7 /* ObserverBase.swift */; }; + D7BA08B7F4A42FAE35089BD2EB5FE14A /* RecursiveScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2C553C586F73A6B597FDA23FD24895DE /* RecursiveScheduler.swift */; }; + D83B893DA10E7DE300BCA932BFC482FE /* Models.swift in Sources */ = {isa = PBXBuildFile; fileRef = EF4F0123552CEF7C9700A7F1DA9C2C73 /* Models.swift */; }; + D885A735919FBECDE7DA18BC96E0FDCA /* ObserverType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 884DA41A4F98D4C5BE426FB7FE00BD06 /* ObserverType.swift */; }; + D90D6093A045966A088FAF8942C13DC6 /* SkipUntil.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5332A5DE891E18FD153632A95FE438CC /* SkipUntil.swift */; }; + DB1DED2ECA2FF0286F5A1E5D29C57BFC /* Reduce.swift in Sources */ = {isa = PBXBuildFile; fileRef = D2600B00354FCEAD6E4563DFD061F60A /* Reduce.swift */; }; + DB709E146F237239C63104F1C5EBE07B /* EnumTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 4D623BDE9C79D43A58D9951169D5DCE8 /* EnumTest.swift */; }; + DCBCCD7A3FF80774C73079B96532E764 /* HasOnlyReadOnly.swift in Sources */ = {isa = PBXBuildFile; fileRef = F607471BF9870E491AA86EFB89E5ACF9 /* HasOnlyReadOnly.swift */; }; + E0A79A55EA2332A5D1D667DBF3DF7B23 /* Debunce.swift in Sources */ = {isa = PBXBuildFile; fileRef = A5C444F832241237A87DC31525F9A03C /* Debunce.swift */; }; + E211B50B1189FF93765BE7DE351B4C12 /* Zip+CollectionType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 071C49108B4E79C630858AAC7F0CE05F /* Zip+CollectionType.swift */; }; + E4F6AAAFFF99939D5C80443F241076C2 /* AdditionalPropertiesClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 6E742DEDE04FF6FAEC9F376ED9E6AE2C /* AdditionalPropertiesClass.swift */; }; + E6E4EB6A4A97F1CD83A7218EB724EC2B /* Observable+Binding.swift in Sources */ = {isa = PBXBuildFile; fileRef = 72F6BA087736278695B1CFCE3974CC38 /* Observable+Binding.swift */; }; + E6EC18479004E7A7B8BF8FAE90B7E347 /* Multicast.swift in Sources */ = {isa = PBXBuildFile; fileRef = 8D6731FA2C6BF8EE06DE9CE0B3E6B6D1 /* Multicast.swift */; }; + E73383F4147AB8F5103BFE1C68720372 /* Pet.swift in Sources */ = {isa = PBXBuildFile; fileRef = 7AAF332E1A7441FB724BBDE4A2D5FCDC /* Pet.swift */; }; + E8B2D130DB11E7307FFA4CB6B70144BD /* RetryWhen.swift in Sources */ = {isa = PBXBuildFile; fileRef = C65DE5E6BF07173C83EA47BB349F2DDB /* RetryWhen.swift */; }; + E9B90B5F9AFC8AD6DE96962E26809281 /* ScheduledItemType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 016342740A61DF71171E54A86608B19A /* ScheduledItemType.swift */; }; + E9BC567B7ED82A70E2C6292F73EA029E /* Deferred.swift in Sources */ = {isa = PBXBuildFile; fileRef = B81B3933E10171B0DEC327AF324CAB2B /* Deferred.swift */; }; + EA3B754F53BF2FF3A9D8356804B3C4F3 /* AnyObserver.swift in Sources */ = {isa = PBXBuildFile; fileRef = 41E5B3D075396C08826B8DA771E94B71 /* AnyObserver.swift */; }; + EA68CA94EE7F5E0BC134B92492421DF5 /* Return.swift in Sources */ = {isa = PBXBuildFile; fileRef = B9EB90FD68C4C823BA7428D94E80A7B3 /* Return.swift */; }; + EB9A861FC8F1EF1D73536E073A0DAE2F /* Zip.swift in Sources */ = {isa = PBXBuildFile; fileRef = 263B98524CDA4CD75343498E9D6A9E73 /* Zip.swift */; }; + EBC8F4ADBFA4F599ECD9F410EC13FA4F /* ObserveOn.swift in Sources */ = {isa = PBXBuildFile; fileRef = 77201043BE266DA90FFF9E5435F74CEE /* ObserveOn.swift */; }; + EE05C3B3D37B6161230EF7AC42246A39 /* UserAPI.swift in Sources */ = {isa = PBXBuildFile; fileRef = ACBCE80BA837EB73E5A6E45B40F004B8 /* UserAPI.swift */; }; + EF29C4B09F26C026D6D981A17A8D1EC9 /* Repeat.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9EDB758C6DE7C7580ECDB98DEA9D8D55 /* Repeat.swift */; }; + EFD264FC408EBF3BA2528E70B08DDD94 /* Notifications.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9F405DB0BE50E4ADA4A1CAC085970E6F /* Notifications.swift */; }; + EFDB09EE7CEB884EA5D0845270B0D9E4 /* CombineLatest.swift in Sources */ = {isa = PBXBuildFile; fileRef = 540981209E622B4E19C9110002209E0B /* CombineLatest.swift */; }; + F0B98968CA62F49E6C2C0E9D649335C2 /* Platform.Linux.swift in Sources */ = {isa = PBXBuildFile; fileRef = 3C3E7BB04514BEF3512C1043CAEA6B8A /* Platform.Linux.swift */; }; + F3A822DA3BB1D90241240079797DFFD2 /* Switch.swift in Sources */ = {isa = PBXBuildFile; fileRef = EE91248F41F0FD4C2218A28C4BA8CE0D /* Switch.swift */; }; + F3D885F23F252FB5067F329AC79B7061 /* SerialDispatchQueueScheduler.swift in Sources */ = {isa = PBXBuildFile; fileRef = A51684C0A49D0212F1AE68688EFD5E2F /* SerialDispatchQueueScheduler.swift */; }; + F51913280A0EEFA38C2A204B89970C71 /* StartWith.swift in Sources */ = {isa = PBXBuildFile; fileRef = 83537E25A71223251FE76CA4464CE39D /* StartWith.swift */; }; + F5ECC0B923DAE7296ED67B1D5FA6EE5A /* Producer.swift in Sources */ = {isa = PBXBuildFile; fileRef = 07C5F93C237BE4D193E5B117981870AA /* Producer.swift */; }; + F6BECD98B97CBFEBE2C96F0E9E72A6C0 /* ResponseSerialization.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5F91C3C30F097A89FCDCCB7CE5786027 /* ResponseSerialization.swift */; }; + F858AA68B5873886A02D05E91EB6BFF9 /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AE307308EA13685E2F9959277D7E355A /* Foundation.framework */; }; + F87AB32B9D9BB3C73B84FDEA55DA3D53 /* RefCountDisposable.swift in Sources */ = {isa = PBXBuildFile; fileRef = BB0CDAD768516B5910C523D6FD9DDDD7 /* RefCountDisposable.swift */; }; + F8B3D3092ED0417E8CDF32033F6122F5 /* Alamofire.swift in Sources */ = {isa = PBXBuildFile; fileRef = B0FF25B6FEE09414FAF16513DEBD13DF /* Alamofire.swift */; }; + FA986D2344B34BEED8A7F9142D56B012 /* ObserveOnSerialDispatchQueue.swift in Sources */ = {isa = PBXBuildFile; fileRef = A9E12F56F25C59C5B2ED9494967FBA64 /* ObserveOnSerialDispatchQueue.swift */; }; + FB0EC665855DB0DA10E966C1FEE9D82A /* WithLatestFrom.swift in Sources */ = {isa = PBXBuildFile; fileRef = 2D1A1D8E99653D247AEC837923A3AEE7 /* WithLatestFrom.swift */; }; + FE5891A9EF835D86AE2BB2D57CD8D096 /* MapTest.swift in Sources */ = {isa = PBXBuildFile; fileRef = DE8B2057191DB8F5E2AE31FB27135B6C /* MapTest.swift */; }; + FEA1EA2AEF2FAAAEC1CAB4CEC09A5C43 /* TakeUntil.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9C22ACA905C2A2D85E136BDCBEB1386B /* TakeUntil.swift */; }; + FFF6A927B97436C264AE502F4073F99A /* ImmediateSchedulerType.swift in Sources */ = {isa = PBXBuildFile; fileRef = 5C6928503C024B8E7FA189FA5C9092BA /* ImmediateSchedulerType.swift */; }; /* End PBXBuildFile section */ /* Begin PBXContainerItemProxy section */ - 1E7EDC9660FD64A123EAC6BDA4C055AC /* PBXContainerItemProxy */ = { + 0B2AA791B256C6F1530511EEF7AB4A24 /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = F2EB58B8ED276D1F9F2527FA7E10F017; - remoteInfo = RxSwift; - }; - 80996B8BB3446668F158E7817336A6E4 /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; - proxyType = 1; - remoteGlobalIDString = 79C040AFDDCE1BCBF6D8B5EB0B85887F; + remoteGlobalIDString = 88E9EC28B8B46C3631E6B242B50F4442; remoteInfo = Alamofire; }; - D6508A8A1DB5D04976ECA9641101DB50 /* PBXContainerItemProxy */ = { + 2B4A36E763D78D2BA39A638AF167D81A /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = C4E60855AA94FBE9BED593C66E802B44; + remoteGlobalIDString = 1659E380E4083C0797DF45CB55BD4B06; remoteInfo = PetstoreClient; }; - F1E5395123722AA17088B7B857A96DFB /* PBXContainerItemProxy */ = { + A50F0C9B9BA00FA72637B7EE5F05D32C /* PBXContainerItemProxy */ = { isa = PBXContainerItemProxy; containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; proxyType = 1; - remoteGlobalIDString = 79C040AFDDCE1BCBF6D8B5EB0B85887F; - remoteInfo = Alamofire; - }; - FC6D081637D61546C57A22A579082205 /* PBXContainerItemProxy */ = { - isa = PBXContainerItemProxy; - containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; - proxyType = 1; - remoteGlobalIDString = F2EB58B8ED276D1F9F2527FA7E10F017; + remoteGlobalIDString = 4D2B9AFA8496D210BBF45667A75DC671; remoteInfo = RxSwift; }; + AF4C6DAA6164778C6EBF37BCF640D9CB /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; + proxyType = 1; + remoteGlobalIDString = 4D2B9AFA8496D210BBF45667A75DC671; + remoteInfo = RxSwift; + }; + F0987BDEAF8B78B1C59BF9D0D522B6F2 /* PBXContainerItemProxy */ = { + isa = PBXContainerItemProxy; + containerPortal = D41D8CD98F00B204E9800998ECF8427E /* Project object */; + proxyType = 1; + remoteGlobalIDString = 88E9EC28B8B46C3631E6B242B50F4442; + remoteInfo = Alamofire; + }; /* End PBXContainerItemProxy section */ /* Begin PBXFileReference section */ - 00ACB4396DD1B4E4539E4E81C1D7A14E /* Pods-SwaggerClientTests.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = "Pods-SwaggerClientTests.modulemap"; sourceTree = ""; }; + 00ACB4396DD1B4E4539E4E81C1D7A14E /* Pods-SwaggerClientTests.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = "Pods-SwaggerClientTests.modulemap"; sourceTree = ""; }; 016342740A61DF71171E54A86608B19A /* ScheduledItemType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ScheduledItemType.swift; path = RxSwift/Schedulers/Internal/ScheduledItemType.swift; sourceTree = ""; }; 02F28E719AA874BE9213D6CF8CE7E36B /* Pods-SwaggerClientTests-acknowledgements.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = "Pods-SwaggerClientTests-acknowledgements.plist"; sourceTree = ""; }; - 057FC3E5DE19EA8F4DD600557D771032 /* Pods_SwaggerClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_SwaggerClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 03A35854A2FF642B3B732D763DB0D0BD /* Tag.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Tag.swift; sourceTree = ""; }; + 057FC3E5DE19EA8F4DD600557D771032 /* Pods_SwaggerClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Pods_SwaggerClient.framework; path = "Pods-SwaggerClient.framework"; sourceTree = BUILT_PRODUCTS_DIR; }; 06524E33FA3D2AD314D9A6770AEC3477 /* RxSwift-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "RxSwift-umbrella.h"; sourceTree = ""; }; 071C49108B4E79C630858AAC7F0CE05F /* Zip+CollectionType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Zip+CollectionType.swift"; path = "RxSwift/Observables/Implementations/Zip+CollectionType.swift"; sourceTree = ""; }; 0775AB98959207DEB8D8CB2B4311B236 /* ObservableType+Extensions.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "ObservableType+Extensions.swift"; path = "RxSwift/ObservableType+Extensions.swift"; sourceTree = ""; }; 07C5F93C237BE4D193E5B117981870AA /* Producer.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Producer.swift; path = RxSwift/Observables/Implementations/Producer.swift; sourceTree = ""; }; 09961C47B5191344545D302D14709951 /* NetworkReachabilityManager.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = NetworkReachabilityManager.swift; path = Source/NetworkReachabilityManager.swift; sourceTree = ""; }; + 0B517EAE75FC00740AEAA0C504C4B2C6 /* Order.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Order.swift; sourceTree = ""; }; + 0FE6ECDC7B7878E609AEE401961BF14E /* Client.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Client.swift; sourceTree = ""; }; 103F9DB48FEB5A62BDBA2CDD99082A98 /* Delay.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Delay.swift; path = RxSwift/Observables/Implementations/Delay.swift; sourceTree = ""; }; - 118386CB29E583E2BCF45FFB0C584C22 /* UserAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = UserAPI.swift; sourceTree = ""; }; - 11A9D1B03B658EFF2011FD4ADF5B2C9B /* FormatTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FormatTest.swift; sourceTree = ""; }; 12CB09CB0B07DDE0ACDB54D205B3F26D /* SchedulerServices+Emulation.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "SchedulerServices+Emulation.swift"; path = "RxSwift/Schedulers/SchedulerServices+Emulation.swift"; sourceTree = ""; }; - 143E557A35666A5C3FB6A5EC601425AE /* Tag.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Tag.swift; sourceTree = ""; }; + 139DB709435F037DC55BE45FDFF8D13D /* Name.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Name.swift; sourceTree = ""; }; 157A3748D755DB338256242A1A3CC53B /* HistoricalScheduler.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = HistoricalScheduler.swift; path = RxSwift/Schedulers/HistoricalScheduler.swift; sourceTree = ""; }; 16035B3F037B51008573CF5EAC2C694F /* SubjectType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SubjectType.swift; path = RxSwift/Subjects/SubjectType.swift; sourceTree = ""; }; 1686EFB15DF3376D43E734228C9AC2B5 /* Validation.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Validation.swift; path = Source/Validation.swift; sourceTree = ""; }; @@ -283,70 +288,63 @@ 19296A8C5E948345E5744A748B1CC720 /* RxSwift.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = RxSwift.framework; sourceTree = BUILT_PRODUCTS_DIR; }; 19CE74AA8E5BDB15AD53E3CA60BBAC1A /* SynchronizedSubscribeType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SynchronizedSubscribeType.swift; path = RxSwift/Concurrency/SynchronizedSubscribeType.swift; sourceTree = ""; }; 1A3234DDBD165CB94E72F836B564C7C9 /* SynchronizedUnsubscribeType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SynchronizedUnsubscribeType.swift; path = RxSwift/Concurrency/SynchronizedUnsubscribeType.swift; sourceTree = ""; }; - 1C79F2ABDEC68FB086941B1667F653AC /* Name.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Name.swift; sourceTree = ""; }; 1D6F54453FC1139BFF8AA599F995D75D /* AnonymousInvocable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AnonymousInvocable.swift; path = RxSwift/Schedulers/Internal/AnonymousInvocable.swift; sourceTree = ""; }; 1D9F5BD07DBF56A55DCBB4492D0AF971 /* DisposeBase.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = DisposeBase.swift; path = RxSwift/Disposables/DisposeBase.swift; sourceTree = ""; }; 1F9F393ACED59EC3E40E1F5760331A22 /* Result.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Result.swift; path = Source/Result.swift; sourceTree = ""; }; - 1FCFC11EBD20C97FB1BC4EFAEC6FEB37 /* EnumArrays.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumArrays.swift; sourceTree = ""; }; - 20B253692ED5FD0E52C49A1773E82D0D /* RxSwift.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = RxSwift.modulemap; sourceTree = ""; }; - 21B120C00973CD2A57F3D566E760AF3E /* ArrayTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayTest.swift; sourceTree = ""; }; - 2364F4EAC509113B38791789DFC9F1E7 /* Order.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Order.swift; sourceTree = ""; }; + 20B253692ED5FD0E52C49A1773E82D0D /* RxSwift.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = RxSwift.modulemap; sourceTree = ""; }; 2391B328BA2E426F76F90EC3F0CEE193 /* CompositeDisposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = CompositeDisposable.swift; path = RxSwift/Disposables/CompositeDisposable.swift; sourceTree = ""; }; 2415065C69E6D768A26D46713E3E945E /* Errors.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Errors.swift; path = RxSwift/Errors.swift; sourceTree = ""; }; 24FF9064CA0320BB58A8BED032709378 /* InfiniteSequence.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = InfiniteSequence.swift; path = RxSwift/DataStructures/InfiniteSequence.swift; sourceTree = ""; }; 253678CB59D97676FAFC79367B055BE5 /* Throttle.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Throttle.swift; path = RxSwift/Observables/Implementations/Throttle.swift; sourceTree = ""; }; 263B98524CDA4CD75343498E9D6A9E73 /* Zip.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Zip.swift; path = RxSwift/Observables/Implementations/Zip.swift; sourceTree = ""; }; 26B0BD2CB9F7486237A34EBA47365157 /* Debug.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Debug.swift; path = RxSwift/Observables/Implementations/Debug.swift; sourceTree = ""; }; + 26F0BD741D5BE8D7ECA2569B96E3F60C /* ApiResponse.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ApiResponse.swift; sourceTree = ""; }; 2808072576F24D4427AD26000D97F24B /* Concat.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Concat.swift; path = RxSwift/Observables/Implementations/Concat.swift; sourceTree = ""; }; 291054DAA3207AFC1F6B3D7AD6C25E5C /* Pods-SwaggerClient-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Pods-SwaggerClient-dummy.m"; sourceTree = ""; }; + 2A0F510D3CD5F6FE074AA8A702B78FD4 /* APIHelper.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIHelper.swift; sourceTree = ""; }; + 2B96675384F47A8DB92E2D3370733CC1 /* EnumClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumClass.swift; sourceTree = ""; }; 2C553C586F73A6B597FDA23FD24895DE /* RecursiveScheduler.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = RecursiveScheduler.swift; path = RxSwift/Schedulers/RecursiveScheduler.swift; sourceTree = ""; }; 2D1964478F85AF8CCE4FA3F585941A23 /* ScheduledItem.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ScheduledItem.swift; path = RxSwift/Schedulers/Internal/ScheduledItem.swift; sourceTree = ""; }; 2D1A1D8E99653D247AEC837923A3AEE7 /* WithLatestFrom.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = WithLatestFrom.swift; path = RxSwift/Observables/Implementations/WithLatestFrom.swift; sourceTree = ""; }; 2E073A63B9D559FC0AB4F5A5488E9B6A /* Observable+Creation.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Observable+Creation.swift"; path = "RxSwift/Observables/Observable+Creation.swift"; sourceTree = ""; }; 2E166E272B7D412CEBCA0EFB76A0C5E5 /* AnonymousDisposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AnonymousDisposable.swift; path = RxSwift/Disposables/AnonymousDisposable.swift; sourceTree = ""; }; - 2E1E790656723DC52EAB91FF86121D3D /* Return.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Return.swift; sourceTree = ""; }; - 2E73416EE991BBE43467BA22F2A155A5 /* Models.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Models.swift; sourceTree = ""; }; 2E7BF27CFF3789B779A2063F1A13C659 /* MainScheduler.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = MainScheduler.swift; path = RxSwift/Schedulers/MainScheduler.swift; sourceTree = ""; }; 2F876EB789D7553757CB2D3215159097 /* CombineLatest+arity.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "CombineLatest+arity.swift"; path = "RxSwift/Observables/Implementations/CombineLatest+arity.swift"; sourceTree = ""; }; 2FF17440CCD2E1A69791A4AA23325AD5 /* Pods-SwaggerClient-acknowledgements.markdown */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text; path = "Pods-SwaggerClient-acknowledgements.markdown"; sourceTree = ""; }; - 31C953CB2AF9E4E3D884BBA68E728307 /* Model200Response.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Model200Response.swift; sourceTree = ""; }; 368BA29A97938E7C10DBD9412AD4A6C2 /* Observable+Aggregate.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Observable+Aggregate.swift"; path = "RxSwift/Observables/Observable+Aggregate.swift"; sourceTree = ""; }; - 37CE09CBDF55D26A9D95DD15E7DEA056 /* MixedPropertiesAndAdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MixedPropertiesAndAdditionalPropertiesClass.swift; sourceTree = ""; }; - 37E47D71F3FB3E8B7FBEA178972FB52D /* Category.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Category.swift; sourceTree = ""; }; + 37E5B1C1BA4FC86C3AD6DD6412AD5C3F /* APIs.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIs.swift; sourceTree = ""; }; 39B4F5EAD731F0F920D3604BC23E358C /* Queue.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Queue.swift; path = RxSwift/DataStructures/Queue.swift; sourceTree = ""; }; - 3A7FD39D7BA8415D865896B06564C124 /* List.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = List.swift; sourceTree = ""; }; 3AF523D5DFE8CB09249EAF3CBB7F9CD1 /* ImmediateScheduler.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ImmediateScheduler.swift; path = RxSwift/Schedulers/ImmediateScheduler.swift; sourceTree = ""; }; 3C3E7BB04514BEF3512C1043CAEA6B8A /* Platform.Linux.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Platform.Linux.swift; path = RxSwift/Platform/Platform.Linux.swift; sourceTree = ""; }; 3D6724283176F7B5374789642EBB719D /* Observable+Time.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Observable+Time.swift"; path = "RxSwift/Observables/Observable+Time.swift"; sourceTree = ""; }; + 3D74E3639B8306BCE21EAC827F2D0F06 /* Model200Response.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Model200Response.swift; sourceTree = ""; }; 3EEBA91980AEC8774CF7EC08035B089A /* Pods-SwaggerClient-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Pods-SwaggerClient-umbrella.h"; sourceTree = ""; }; 3F16B43ABD2C8CD4A311AA1AB3B6C02F /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; 3F70FE2E99A16D8E339E24776D9F8079 /* BooleanDisposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = BooleanDisposable.swift; path = RxSwift/Disposables/BooleanDisposable.swift; sourceTree = ""; }; 4010C8421B92C1E70DF537069413A516 /* BinaryDisposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = BinaryDisposable.swift; path = RxSwift/Disposables/BinaryDisposable.swift; sourceTree = ""; }; 41E5B3D075396C08826B8DA771E94B71 /* AnyObserver.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AnyObserver.swift; path = RxSwift/AnyObserver.swift; sourceTree = ""; }; - 42105B8EAB28DFBC1FD088D5D8C08610 /* EnumTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumTest.swift; sourceTree = ""; }; 43FC49AA70D3E2A84CAED9C37BE9C4B5 /* Pods-SwaggerClientTests-frameworks.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClientTests-frameworks.sh"; sourceTree = ""; }; 44279F891E3A8013E9374317D338EF80 /* DispatchQueue+Alamofire.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "DispatchQueue+Alamofire.swift"; path = "Source/DispatchQueue+Alamofire.swift"; sourceTree = ""; }; 449A689F7B37366349A6508B099BD0E9 /* Amb.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Amb.swift; path = RxSwift/Observables/Implementations/Amb.swift; sourceTree = ""; }; 4631700A76EFEA696A86E2D6EB4D12B9 /* Take.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Take.swift; path = RxSwift/Observables/Implementations/Take.swift; sourceTree = ""; }; 466E547201678AB3323F3A3958F2A1E4 /* SessionDelegate.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SessionDelegate.swift; path = Source/SessionDelegate.swift; sourceTree = ""; }; 46A8E0328DC896E0893B565FE8742167 /* PetstoreClient-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "PetstoreClient-dummy.m"; sourceTree = ""; }; + 46ADFA647DB262579870CDE7A7A9B130 /* PetAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = PetAPI.swift; sourceTree = ""; }; 46B04815DB6601B2023F140BFB80E59B /* Bag.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Bag.swift; path = RxSwift/DataStructures/Bag.swift; sourceTree = ""; }; + 46C5EA7F33E59F5A0BAC7ED154EF5189 /* FakeAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FakeAPI.swift; sourceTree = ""; }; 471B222D7F90A3E97B04EBE5F68973C4 /* DelaySubscription.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = DelaySubscription.swift; path = RxSwift/Observables/Implementations/DelaySubscription.swift; sourceTree = ""; }; 47561C9DB2C67EB6A4BC283DC0B0030B /* AnonymousObserver.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AnonymousObserver.swift; path = RxSwift/Observers/AnonymousObserver.swift; sourceTree = ""; }; 47CBE5B91053BFFA96A9BC62DB96C075 /* TakeLast.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = TakeLast.swift; path = RxSwift/Observables/Implementations/TakeLast.swift; sourceTree = ""; }; 4AEEDDE6EE29DD394158E0DF90F71373 /* TaskDelegate.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = TaskDelegate.swift; path = Source/TaskDelegate.swift; sourceTree = ""; }; - 4B50A816814713052A83AD22ECB8E19D /* Animal.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Animal.swift; sourceTree = ""; }; 4C4B8752D2A96041B9B620069BA0B3BF /* Sample.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Sample.swift; path = RxSwift/Observables/Implementations/Sample.swift; sourceTree = ""; }; 4CCC505A23A305474016BC8D4154FD87 /* Window.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Window.swift; path = RxSwift/Observables/Implementations/Window.swift; sourceTree = ""; }; - 4EBAF179E866C1F42E3C9F85162E2792 /* ArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfNumberOnly.swift; sourceTree = ""; }; - 4F28DB75084895EF23EDBC499D8B8BAE /* Cat.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Cat.swift; sourceTree = ""; }; + 4D623BDE9C79D43A58D9951169D5DCE8 /* EnumTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumTest.swift; sourceTree = ""; }; 4FA5F2916E90AD9DDC7FAED09989F4FB /* Empty.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Empty.swift; path = RxSwift/Observables/Implementations/Empty.swift; sourceTree = ""; }; 4FF4A129DA91F2645193ADAFE7174281 /* Just.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Just.swift; path = RxSwift/Observables/Implementations/Just.swift; sourceTree = ""; }; 521069DC1285255CB8B88789D8534E78 /* InvocableScheduledItem.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = InvocableScheduledItem.swift; path = RxSwift/Schedulers/Internal/InvocableScheduledItem.swift; sourceTree = ""; }; 5332A5DE891E18FD153632A95FE438CC /* SkipUntil.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SkipUntil.swift; path = RxSwift/Observables/Implementations/SkipUntil.swift; sourceTree = ""; }; - 53CE2F50F2E48ACB3FA89C8EA505284C /* Alamofire.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = Alamofire.modulemap; sourceTree = ""; }; + 53CE2F50F2E48ACB3FA89C8EA505284C /* Alamofire.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = Alamofire.modulemap; sourceTree = ""; }; 540981209E622B4E19C9110002209E0B /* CombineLatest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = CombineLatest.swift; path = RxSwift/Observables/Implementations/CombineLatest.swift; sourceTree = ""; }; - 540B42E772FF76C6D4F5E68CCDADA9B3 /* ArrayOfArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfArrayOfNumberOnly.swift; sourceTree = ""; }; 549C6527D10094289B101749047807C5 /* Pods-SwaggerClient.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClient.debug.xcconfig"; sourceTree = ""; }; 56039C90A50C5C7A2180DCFF00D2D998 /* ReplaySubject.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ReplaySubject.swift; path = RxSwift/Subjects/ReplaySubject.swift; sourceTree = ""; }; 58336B9FBB7F84FDFF781C52D483A1AF /* HistoricalSchedulerTimeConverter.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = HistoricalSchedulerTimeConverter.swift; path = RxSwift/Schedulers/HistoricalSchedulerTimeConverter.swift; sourceTree = ""; }; @@ -354,59 +352,64 @@ 59B43BBF28CAB31A0CBF921DBD49B0AE /* Platform.Darwin.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Platform.Darwin.swift; path = RxSwift/Platform/Platform.Darwin.swift; sourceTree = ""; }; 59E8DEFEECBDD8DC53BCEC4B32D37DA7 /* Cancelable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Cancelable.swift; path = RxSwift/Cancelable.swift; sourceTree = ""; }; 5AD7E0BACEE0A8585FC1F7B974E2EC3B /* RxMutableBox.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = RxMutableBox.swift; path = RxSwift/RxMutableBox.swift; sourceTree = ""; }; - 5B598E168B47485DC60F9DBBCBEEF5BB /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 5B598E168B47485DC60F9DBBCBEEF5BB /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Alamofire.framework; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; 5C6928503C024B8E7FA189FA5C9092BA /* ImmediateSchedulerType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ImmediateSchedulerType.swift; path = RxSwift/ImmediateSchedulerType.swift; sourceTree = ""; }; 5DADB1FC0E060D94E6B5D5C58239620C /* ConnectableObservableType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ConnectableObservableType.swift; path = RxSwift/ConnectableObservableType.swift; sourceTree = ""; }; 5F91C3C30F097A89FCDCCB7CE5786027 /* ResponseSerialization.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ResponseSerialization.swift; path = Source/ResponseSerialization.swift; sourceTree = ""; }; - 5F939073B0FDC62477A0C4F8E9AB7131 /* SpecialModelName.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = SpecialModelName.swift; sourceTree = ""; }; 601A6685CA6CB0232FDE21E0C59D4EF3 /* ConnectableObservable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ConnectableObservable.swift; path = RxSwift/Observables/Implementations/ConnectableObservable.swift; sourceTree = ""; }; 607B6A989635E3E95CA1674881B636EB /* NopDisposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = NopDisposable.swift; path = RxSwift/Disposables/NopDisposable.swift; sourceTree = ""; }; - 6097AF9273FDB02C8A4DED04AFF6B4AD /* AnimalFarm.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AnimalFarm.swift; sourceTree = ""; }; 61AD15FD6DB5989286D3589A3EFE6D0F /* Request.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Request.swift; path = Source/Request.swift; sourceTree = ""; }; - 6292ECC342913CF10F15F320C0D10143 /* AlamofireImplementations.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AlamofireImplementations.swift; sourceTree = ""; }; 648498C76C7957EB9C166EF9DC220641 /* Alamofire-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Alamofire-umbrella.h"; sourceTree = ""; }; 65A840AA3CEF7F6FBB8BCBBA81C65DDF /* ScheduledDisposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ScheduledDisposable.swift; path = RxSwift/Disposables/ScheduledDisposable.swift; sourceTree = ""; }; + 674818A79F12C550C32D5B20F9F2904C /* EnumArrays.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumArrays.swift; sourceTree = ""; }; 67554ACA415679675140F98757BB902A /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; 687B19CB3E722272B41D60B485C29EE7 /* Pods-SwaggerClientTests-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Pods-SwaggerClientTests-dummy.m"; sourceTree = ""; }; 68A7878069171F13A5EA876A1D0A2553 /* MultipartFormData.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = MultipartFormData.swift; path = Source/MultipartFormData.swift; sourceTree = ""; }; 6A5CCA9EB06FCD32A12E54CC747D1F53 /* Timeline.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Timeline.swift; path = Source/Timeline.swift; sourceTree = ""; }; - 6E9F0D4DC6F738F2ECF8D716B7A9A5C7 /* APIs.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIs.swift; sourceTree = ""; }; + 6A6FD821125243353793A74C26AF6AB2 /* ArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfNumberOnly.swift; sourceTree = ""; }; + 6E742DEDE04FF6FAEC9F376ED9E6AE2C /* AdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AdditionalPropertiesClass.swift; sourceTree = ""; }; 6EF7FBA5BE620ABE958170B1D8C43FA5 /* AddRef.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AddRef.swift; path = RxSwift/Observables/Implementations/AddRef.swift; sourceTree = ""; }; 70627569C8F6CFA468E968C2D459AAB2 /* TakeWhile.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = TakeWhile.swift; path = RxSwift/Observables/Implementations/TakeWhile.swift; sourceTree = ""; }; + 71DB61F02CAB93E7ED7B2ECA67F3CF6C /* NumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = NumberOnly.swift; sourceTree = ""; }; 725CC695E7BCD3EA7005C764BAB5A896 /* Alamofire-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Alamofire-prefix.pch"; sourceTree = ""; }; 72F6BA087736278695B1CFCE3974CC38 /* Observable+Binding.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Observable+Binding.swift"; path = "RxSwift/Observables/Observable+Binding.swift"; sourceTree = ""; }; 7412C9F58126194C31E210E61118B6C7 /* Variable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Variable.swift; path = RxSwift/Subjects/Variable.swift; sourceTree = ""; }; 77201043BE266DA90FFF9E5435F74CEE /* ObserveOn.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ObserveOn.swift; path = RxSwift/Observables/Implementations/ObserveOn.swift; sourceTree = ""; }; + 7827148096A3B614608E8642496DB653 /* AlamofireImplementations.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AlamofireImplementations.swift; sourceTree = ""; }; 79D50CE9E945A4767B5F85B38B0FCA5E /* Observable+StandardSequenceOperators.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Observable+StandardSequenceOperators.swift"; path = "RxSwift/Observables/Observable+StandardSequenceOperators.swift"; sourceTree = ""; }; + 7AAF332E1A7441FB724BBDE4A2D5FCDC /* Pet.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Pet.swift; sourceTree = ""; }; 7C8E63660D346FD8ED2A97242E74EA09 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; 7C952DA565DA5A6D8B806FBA06577DA7 /* Observable+Single.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Observable+Single.swift"; path = "RxSwift/Observables/Observable+Single.swift"; sourceTree = ""; }; 7C9BFA4F609DE3F3349E30D2D4889687 /* ObservableType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ObservableType.swift; path = RxSwift/ObservableType.swift; sourceTree = ""; }; + 7DA5C1095D6C6A40025C2D36EE2C810E /* SpecialModelName.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = SpecialModelName.swift; sourceTree = ""; }; 7E5344ADD0F43FB0C7C4F7631FAB96E0 /* TailRecursiveSink.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = TailRecursiveSink.swift; path = RxSwift/Observers/TailRecursiveSink.swift; sourceTree = ""; }; 83537E25A71223251FE76CA4464CE39D /* StartWith.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = StartWith.swift; path = RxSwift/Observables/Implementations/StartWith.swift; sourceTree = ""; }; 837D1C5A62D67836A140B2CCB338B401 /* DispatchQueueSchedulerQOS.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = DispatchQueueSchedulerQOS.swift; path = RxSwift/Schedulers/DispatchQueueSchedulerQOS.swift; sourceTree = ""; }; 849FECBC6CC67F2B6800F982927E3A9E /* Pods-SwaggerClientTests.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClientTests.release.xcconfig"; sourceTree = ""; }; - 84A09D760BA2EA13D5BE269086BAD34C /* RxSwift.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = RxSwift.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + 84A09D760BA2EA13D5BE269086BAD34C /* RxSwift.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = RxSwift.framework; path = RxSwift.framework; sourceTree = BUILT_PRODUCTS_DIR; }; 84FD01BA470A12437CAEF71CDA505661 /* VirtualTimeConverterType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = VirtualTimeConverterType.swift; path = RxSwift/Schedulers/VirtualTimeConverterType.swift; sourceTree = ""; }; 86B1DDCB9E27DF43C2C35D9E7B2E84DA /* Pods-SwaggerClient.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClient.release.xcconfig"; sourceTree = ""; }; + 882D08B71AAD3418842BE142C533D36B /* Cat.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Cat.swift; sourceTree = ""; }; 884DA41A4F98D4C5BE426FB7FE00BD06 /* ObserverType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ObserverType.swift; path = RxSwift/ObserverType.swift; sourceTree = ""; }; 895510F9954C5C1166DBC4491D8F1CD7 /* PriorityQueue.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = PriorityQueue.swift; path = RxSwift/DataStructures/PriorityQueue.swift; sourceTree = ""; }; + 8A79C16689E69DE8EF122B5638FFC47D /* List.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = List.swift; sourceTree = ""; }; 8BC7EC70584114E8147982E286B54A5A /* Timer.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Timer.swift; path = RxSwift/Observables/Implementations/Timer.swift; sourceTree = ""; }; 8D6731FA2C6BF8EE06DE9CE0B3E6B6D1 /* Multicast.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Multicast.swift; path = RxSwift/Observables/Implementations/Multicast.swift; sourceTree = ""; }; 8DE6855BEA3063D94A0EC8D470649B66 /* Map.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Map.swift; path = RxSwift/Observables/Implementations/Map.swift; sourceTree = ""; }; 9049ECC4F97B3C04A6578A2E6CDA6001 /* Using.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Using.swift; path = RxSwift/Observables/Implementations/Using.swift; sourceTree = ""; }; 90BE630A4A59E4AC944DBD9EFDC34796 /* ShareReplay1WhileConnected.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ShareReplay1WhileConnected.swift; path = RxSwift/Observables/Implementations/ShareReplay1WhileConnected.swift; sourceTree = ""; }; 90E4207A8A5FE99FF46AE3A32DEBC2F3 /* DisposeBag.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = DisposeBag.swift; path = RxSwift/Disposables/DisposeBag.swift; sourceTree = ""; }; - 93A4A3777CF96A4AAC1D13BA6DCCEA73 /* Podfile */ = {isa = PBXFileReference; explicitFileType = text.script.ruby; includeInIndex = 1; name = Podfile; path = ../Podfile; sourceTree = SOURCE_ROOT; xcLanguageSpecificationIdentifier = xcode.lang.ruby; }; + 93A4A3777CF96A4AAC1D13BA6DCCEA73 /* Podfile */ = {isa = PBXFileReference; explicitFileType = text.script.ruby; includeInIndex = 1; lastKnownFileType = text; name = Podfile; path = ../Podfile; sourceTree = SOURCE_ROOT; xcLanguageSpecificationIdentifier = xcode.lang.ruby; }; + 943AD326EA457918AA6124DF2D2A8AE5 /* ArrayTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayTest.swift; sourceTree = ""; }; 9489C6AECBDACA4BD2893A849E9E7B31 /* CombineLatest+CollectionType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "CombineLatest+CollectionType.swift"; path = "RxSwift/Observables/Implementations/CombineLatest+CollectionType.swift"; sourceTree = ""; }; - 9610BA4403551C05999CF892D495F516 /* Foundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS9.3.sdk/System/Library/Frameworks/Foundation.framework; sourceTree = DEVELOPER_DIR; }; 969C2AF48F4307163B301A92E78AFCF2 /* Pods-SwaggerClientTests.debug.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = "Pods-SwaggerClientTests.debug.xcconfig"; sourceTree = ""; }; 988DF795A61F6C6D092F3EFD2E9D3172 /* Rx.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Rx.swift; path = RxSwift/Rx.swift; sourceTree = ""; }; 98BD46EAE257D3CD94DE10B4CE0D5BAC /* SubscribeOn.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SubscribeOn.swift; path = RxSwift/Observables/Implementations/SubscribeOn.swift; sourceTree = ""; }; - 9928726B622806E400277C57963B354B /* Client.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Client.swift; sourceTree = ""; }; 9958AA850AC90E9E2A843A29645DCE68 /* ShareReplay1.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ShareReplay1.swift; path = RxSwift/Observables/Implementations/ShareReplay1.swift; sourceTree = ""; }; 9BACDD50B71E53F5D898B3B4DFEDA3E1 /* RefCount.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = RefCount.swift; path = RxSwift/Observables/Implementations/RefCount.swift; sourceTree = ""; }; 9C22ACA905C2A2D85E136BDCBEB1386B /* TakeUntil.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = TakeUntil.swift; path = RxSwift/Observables/Implementations/TakeUntil.swift; sourceTree = ""; }; 9C7073601488280206853E396A103D97 /* AFError.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AFError.swift; path = Source/AFError.swift; sourceTree = ""; }; + 9CFD31C609D01246A22B3FA2FFB24D83 /* Extensions.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Extensions.swift; sourceTree = ""; }; 9DA6E72F17CF9143C08CADD352ABB9C7 /* Timeout.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Timeout.swift; path = RxSwift/Observables/Implementations/Timeout.swift; sourceTree = ""; }; 9E32375CCD894905226F2999667D3B73 /* ToArray.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ToArray.swift; path = RxSwift/Observables/Implementations/ToArray.swift; sourceTree = ""; }; 9EDB758C6DE7C7580ECDB98DEA9D8D55 /* Repeat.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Repeat.swift; path = RxSwift/Observables/Implementations/Repeat.swift; sourceTree = ""; }; @@ -414,46 +417,47 @@ 9F681D2C508D1BA8F62893120D9343A4 /* PetstoreClient-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PetstoreClient-umbrella.h"; sourceTree = ""; }; 9FFD890C9318510A9B6D05E1182C0658 /* Observable+Concurrency.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Observable+Concurrency.swift"; path = "RxSwift/Observables/Observable+Concurrency.swift"; sourceTree = ""; }; A0A7FBAA0DFB3D5A69099E8EE819DCCD /* Range.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Range.swift; path = RxSwift/Observables/Implementations/Range.swift; sourceTree = ""; }; + A1CA3CB3CA69090E8097D77974F95F4E /* User.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = User.swift; sourceTree = ""; }; + A20AD60386D12E72B2313A4ED186F1FE /* ReadOnlyFirst.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ReadOnlyFirst.swift; sourceTree = ""; }; A325EAB3F77708E7CBAD5C7B6922B326 /* ObservableConvertibleType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ObservableConvertibleType.swift; path = RxSwift/ObservableConvertibleType.swift; sourceTree = ""; }; A34701CC37AEBCCDE2E78482A72D8BC8 /* RxSwift-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "RxSwift-prefix.pch"; sourceTree = ""; }; A51684C0A49D0212F1AE68688EFD5E2F /* SerialDispatchQueueScheduler.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SerialDispatchQueueScheduler.swift; path = RxSwift/Schedulers/SerialDispatchQueueScheduler.swift; sourceTree = ""; }; A5C444F832241237A87DC31525F9A03C /* Debunce.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Debunce.swift; path = RxSwift/Observables/Implementations/Debunce.swift; sourceTree = ""; }; A6AE7C875A375D751A658756E4076F46 /* String+Rx.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "String+Rx.swift"; path = "RxSwift/Extensions/String+Rx.swift"; sourceTree = ""; }; - A73F00E8ED2521B115946B7E20B760AF /* APIHelper.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = APIHelper.swift; sourceTree = ""; }; + A6E566ACDC2E2B9BD209C52F6FC3F038 /* Category.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Category.swift; sourceTree = ""; }; + A776729DD3FE9677991E54DE267FD577 /* StoreAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = StoreAPI.swift; sourceTree = ""; }; A89ABFCAED590F7BBB743360C41BB4EC /* Sink.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Sink.swift; path = RxSwift/Observables/Implementations/Sink.swift; sourceTree = ""; }; A9A50F64EA4044C0839F8ADE172BD50B /* Never.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Never.swift; path = RxSwift/Observables/Implementations/Never.swift; sourceTree = ""; }; A9AA67A440D91883DF64CD1B1ECAE100 /* SingleAssignmentDisposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SingleAssignmentDisposable.swift; path = RxSwift/Disposables/SingleAssignmentDisposable.swift; sourceTree = ""; }; A9E12F56F25C59C5B2ED9494967FBA64 /* ObserveOnSerialDispatchQueue.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ObserveOnSerialDispatchQueue.swift; path = RxSwift/Observables/Implementations/ObserveOnSerialDispatchQueue.swift; sourceTree = ""; }; AA9C5856BEAE5090A7D1EB450A10C04F /* Alamofire.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Alamofire.framework; sourceTree = BUILT_PRODUCTS_DIR; }; - AAB8DD3379CB8E9DB0DC9E6B18356204 /* Dog.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Dog.swift; sourceTree = ""; }; AB0EC7AF6456236E6E13DCE5F5265C5F /* Catch.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Catch.swift; path = RxSwift/Observables/Implementations/Catch.swift; sourceTree = ""; }; ABAEA2792700E32F557C2FBD629A7D01 /* ConcurrentDispatchQueueScheduler.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ConcurrentDispatchQueueScheduler.swift; path = RxSwift/Schedulers/ConcurrentDispatchQueueScheduler.swift; sourceTree = ""; }; - AC8DF8745F891F2A12590D73550D0490 /* HasOnlyReadOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = HasOnlyReadOnly.swift; sourceTree = ""; }; + ACBCE80BA837EB73E5A6E45B40F004B8 /* UserAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = UserAPI.swift; sourceTree = ""; }; + AE307308EA13685E2F9959277D7E355A /* Foundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS10.0.sdk/System/Library/Frameworks/Foundation.framework; sourceTree = DEVELOPER_DIR; }; AEA8B1F8E843B685D3ADEC5C51213D03 /* BehaviorSubject.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = BehaviorSubject.swift; path = RxSwift/Subjects/BehaviorSubject.swift; sourceTree = ""; }; B0FF25B6FEE09414FAF16513DEBD13DF /* Alamofire.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Alamofire.swift; path = Source/Alamofire.swift; sourceTree = ""; }; - B1300E3C28C82031FA5C87A7FE3B1EB9 /* Pet.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Pet.swift; sourceTree = ""; }; B20F5B27C6DF084C3222275831FF36FA /* Observable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Observable.swift; path = RxSwift/Observable.swift; sourceTree = ""; }; B2E7DCE840EC5362435064B17D0BBFAD /* Response.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Response.swift; path = Source/Response.swift; sourceTree = ""; }; B3A144887C8B13FD888B76AB096B0CA1 /* PetstoreClient-prefix.pch */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "PetstoreClient-prefix.pch"; sourceTree = ""; }; - B4CA6814AE828DFEC4A4C2C8C1D6CEA2 /* ApiResponse.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ApiResponse.swift; sourceTree = ""; }; - B4E90BC12F77D66B96AB27E026B2071E /* NumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = NumberOnly.swift; sourceTree = ""; }; B6990371A9A80E002FA4F9202898F908 /* StableCompositeDisposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = StableCompositeDisposable.swift; path = RxSwift/Disposables/StableCompositeDisposable.swift; sourceTree = ""; }; B79CDD0768E0E3C89BC024E89A064A92 /* SkipWhile.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SkipWhile.swift; path = RxSwift/Observables/Implementations/SkipWhile.swift; sourceTree = ""; }; B81B3933E10171B0DEC327AF324CAB2B /* Deferred.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Deferred.swift; path = RxSwift/Observables/Implementations/Deferred.swift; sourceTree = ""; }; + B98974498DE6D6290EEA35B2A9E347BB /* ArrayOfArrayOfNumberOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ArrayOfArrayOfNumberOnly.swift; sourceTree = ""; }; + B9EB90FD68C4C823BA7428D94E80A7B3 /* Return.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Return.swift; sourceTree = ""; }; BA07E65094529C952EA700B218342830 /* Generate.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Generate.swift; path = RxSwift/Observables/Implementations/Generate.swift; sourceTree = ""; }; BB0CDAD768516B5910C523D6FD9DDDD7 /* RefCountDisposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = RefCountDisposable.swift; path = RxSwift/Disposables/RefCountDisposable.swift; sourceTree = ""; }; - BC23A659B67F5C77068CA536C88CA9D0 /* PetAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = PetAPI.swift; sourceTree = ""; }; BCF2D4DFF08D2A18E8C8FE4C4B4633FB /* Pods-SwaggerClient-frameworks.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClient-frameworks.sh"; sourceTree = ""; }; BF14833C2F8396E3B757D6617A158F77 /* Scan.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Scan.swift; path = RxSwift/Observables/Implementations/Scan.swift; sourceTree = ""; }; BF5AA3394F57234FD887391D8462E74A /* CurrentThreadScheduler.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = CurrentThreadScheduler.swift; path = RxSwift/Schedulers/CurrentThreadScheduler.swift; sourceTree = ""; }; BFD66FC531DC3316915F7E2AAE2B6A22 /* InvocableType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = InvocableType.swift; path = RxSwift/Schedulers/Internal/InvocableType.swift; sourceTree = ""; }; C3B52905A9D268237A20541ACA7B0032 /* VirtualTimeScheduler.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = VirtualTimeScheduler.swift; path = RxSwift/Schedulers/VirtualTimeScheduler.swift; sourceTree = ""; }; - C4B474BD9070828C0F786071EEF46CD0 /* Pods_SwaggerClientTests.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_SwaggerClientTests.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + C4B474BD9070828C0F786071EEF46CD0 /* Pods_SwaggerClientTests.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = Pods_SwaggerClientTests.framework; path = "Pods-SwaggerClientTests.framework"; sourceTree = BUILT_PRODUCTS_DIR; }; C633A13A2613EC31323D384F9609061A /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; C65DE5E6BF07173C83EA47BB349F2DDB /* RetryWhen.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = RetryWhen.swift; path = RxSwift/Observables/Implementations/RetryWhen.swift; sourceTree = ""; }; C6CC8064928526F49074045925F035D4 /* SynchronizedOnType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SynchronizedOnType.swift; path = RxSwift/Concurrency/SynchronizedOnType.swift; sourceTree = ""; }; C715F3250F5956F3DE2A7425C2907DEB /* Event.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Event.swift; path = RxSwift/Event.swift; sourceTree = ""; }; - C9B2737214A9FBDFAFE4EFE2C5622B27 /* ReadOnlyFirst.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ReadOnlyFirst.swift; sourceTree = ""; }; + C779250D7B6267BBEC8FA6A297E951FD /* MixedPropertiesAndAdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MixedPropertiesAndAdditionalPropertiesClass.swift; sourceTree = ""; }; C9BB183146048CB232C4D14C6D55D2C6 /* Alamofire-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "Alamofire-dummy.m"; sourceTree = ""; }; CBC1C3173FE9526E8C2BAC46602DDB03 /* RxSwift-dummy.m */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.objc; path = "RxSwift-dummy.m"; sourceTree = ""; }; CC3823F28AD2D0BF76EE51C67D62622E /* Error.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Error.swift; path = RxSwift/Observables/Implementations/Error.swift; sourceTree = ""; }; @@ -462,24 +466,25 @@ CDA670567F47B7D61FD2AD2A4FE38A75 /* Lock.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Lock.swift; path = RxSwift/Concurrency/Lock.swift; sourceTree = ""; }; CEAD625F07E1C981EB9209B3DA915751 /* Disposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Disposable.swift; path = RxSwift/Disposable.swift; sourceTree = ""; }; CFA499B41FA9F74B4F5E4B7CAD68B9B8 /* SerialDisposable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SerialDisposable.swift; path = RxSwift/Disposables/SerialDisposable.swift; sourceTree = ""; }; + CFDD5568A22EED27D7570975E4B81B6B /* AnimalFarm.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AnimalFarm.swift; sourceTree = ""; }; D2600B00354FCEAD6E4563DFD061F60A /* Reduce.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Reduce.swift; path = RxSwift/Observables/Implementations/Reduce.swift; sourceTree = ""; }; D2841E5E2183846280B97F6E660DA26C /* Pods-SwaggerClient-resources.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClient-resources.sh"; sourceTree = ""; }; - D6115C108A2F1445CCA165DCE5321009 /* EnumClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = EnumClass.swift; sourceTree = ""; }; D8D4AC1285B8B93D51D709EB8A4722B3 /* DispatchQueueConfiguration.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = DispatchQueueConfiguration.swift; path = RxSwift/Schedulers/Internal/DispatchQueueConfiguration.swift; sourceTree = ""; }; D9DB7F4A2EC44DA0092B1CDDE8E815F3 /* Zip+arity.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Zip+arity.swift"; path = "RxSwift/Observables/Implementations/Zip+arity.swift"; sourceTree = ""; }; DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = PetstoreClient.xcconfig; sourceTree = ""; }; + DB59A7DB4A9B911E525ECC513D74D00D /* Fake_classname_tags123API.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Fake_classname_tags123API.swift; sourceTree = ""; }; DC9286F5A9F7FBD6C4ED9253577FF24E /* AsyncLock.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AsyncLock.swift; path = RxSwift/Concurrency/AsyncLock.swift; sourceTree = ""; }; DCA4E91A7DD69F9F8700A154A422124C /* Skip.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Skip.swift; path = RxSwift/Observables/Implementations/Skip.swift; sourceTree = ""; }; DCB71532385EC3045684D9E9D113E43A /* SchedulerType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SchedulerType.swift; path = RxSwift/SchedulerType.swift; sourceTree = ""; }; + DDAFDF0366C6686A7B947426AF20A128 /* FakeclassnametagsAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FakeclassnametagsAPI.swift; sourceTree = ""; }; DDFA4675690B4E1D35DDDC48A9D761C2 /* ServerTrustPolicy.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ServerTrustPolicy.swift; path = Source/ServerTrustPolicy.swift; sourceTree = ""; }; - DE164497A94DD3215ED4D1AE0D4703B1 /* Pods-SwaggerClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = "Pods-SwaggerClient.modulemap"; sourceTree = ""; }; + DE164497A94DD3215ED4D1AE0D4703B1 /* Pods-SwaggerClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = "Pods-SwaggerClient.modulemap"; sourceTree = ""; }; + DE8B2057191DB8F5E2AE31FB27135B6C /* MapTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MapTest.swift; sourceTree = ""; }; DFA043364F9F545E06F197708C5DF4F4 /* Alamofire.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = Alamofire.xcconfig; sourceTree = ""; }; - DFF589887A9AAE06637E527EC61117B0 /* MapTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = MapTest.swift; sourceTree = ""; }; E1C5527659E83F0356D7D6D07E422510 /* PublishSubject.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = PublishSubject.swift; path = RxSwift/Subjects/PublishSubject.swift; sourceTree = ""; }; E1E4BCB344D3C100253B24B79421F00A /* Pods-SwaggerClient-acknowledgements.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = "Pods-SwaggerClient-acknowledgements.plist"; sourceTree = ""; }; E354449BC8FB325A04E296000EA21A4C /* Observable+Debug.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = "Observable+Debug.swift"; path = "RxSwift/Observables/Observable+Debug.swift"; sourceTree = ""; }; - E3D1141B63DF38660CD6F3AC588A782B /* PetstoreClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = "sourcecode.module-map"; path = PetstoreClient.modulemap; sourceTree = ""; }; - E3FF8700849757249B929D7AFF652CD6 /* Extensions.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Extensions.swift; sourceTree = ""; }; + E3D1141B63DF38660CD6F3AC588A782B /* PetstoreClient.modulemap */ = {isa = PBXFileReference; includeInIndex = 1; path = PetstoreClient.modulemap; sourceTree = ""; }; E4CF671AB3A6FC0A3C32459BBC3A8B1A /* Sequence.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Sequence.swift; path = RxSwift/Observables/Implementations/Sequence.swift; sourceTree = ""; }; E4E6F4A58FE7868CA2177D3AC79AD2FA /* Pods-SwaggerClientTests-resources.sh */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.script.sh; path = "Pods-SwaggerClientTests-resources.sh"; sourceTree = ""; }; E5F02CD595850E252EA54047E7BCCED3 /* Buffer.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Buffer.swift; path = RxSwift/Observables/Implementations/Buffer.swift; sourceTree = ""; }; @@ -487,21 +492,24 @@ E7115642D80C61530A7AFBF0D201904E /* RxSwift.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; path = RxSwift.xcconfig; sourceTree = ""; }; E8859CCDF9BA2AA2D20BC8D4EC20886F /* ConcurrentMainScheduler.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ConcurrentMainScheduler.swift; path = RxSwift/Schedulers/ConcurrentMainScheduler.swift; sourceTree = ""; }; E8B3A2D64AD806CC76691CCF4BB5F3C4 /* DistinctUntilChanged.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = DistinctUntilChanged.swift; path = RxSwift/Observables/Implementations/DistinctUntilChanged.swift; sourceTree = ""; }; - E906A19EC726985BD8493A893CA9DD65 /* FakeAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FakeAPI.swift; sourceTree = ""; }; - E9CBBB398E7A62950FA8BC091CBE0359 /* PetstoreClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = PetstoreClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + E9CBBB398E7A62950FA8BC091CBE0359 /* PetstoreClient.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; name = PetstoreClient.framework; path = PetstoreClient.framework; sourceTree = BUILT_PRODUCTS_DIR; }; + EA68C5328B3080DB6504E903EE8FC138 /* OuterEnum.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = OuterEnum.swift; sourceTree = ""; }; + EB3C91F15E6A6CE25AA56BB132BD2282 /* FormatTest.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = FormatTest.swift; sourceTree = ""; }; EBF0B8BEB8BF4B7C5009AC72CD6119B9 /* Merge.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Merge.swift; path = RxSwift/Observables/Implementations/Merge.swift; sourceTree = ""; }; EC3028F293085C3E2F1664CF9718F348 /* LockOwnerType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = LockOwnerType.swift; path = RxSwift/Concurrency/LockOwnerType.swift; sourceTree = ""; }; ED59048292E27FA2681801951B7E1A18 /* Do.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Do.swift; path = RxSwift/Observables/Implementations/Do.swift; sourceTree = ""; }; + EE24724902D07CDE0116B09FAFD21D57 /* Dog.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Dog.swift; sourceTree = ""; }; EE2A0EFE7DA37E6A5F71BD5D0F261709 /* AnonymousObservable.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = AnonymousObservable.swift; path = RxSwift/Observables/Implementations/AnonymousObservable.swift; sourceTree = ""; }; EE91248F41F0FD4C2218A28C4BA8CE0D /* Switch.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Switch.swift; path = RxSwift/Observables/Implementations/Switch.swift; sourceTree = ""; }; + EF4F0123552CEF7C9700A7F1DA9C2C73 /* Models.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Models.swift; sourceTree = ""; }; F0D4E00A8974E74325E9E53D456F9AD4 /* Info.plist */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; F22FE315AC1C04A8749BD18281EE9028 /* Pods-SwaggerClientTests-umbrella.h */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.c.h; path = "Pods-SwaggerClientTests-umbrella.h"; sourceTree = ""; }; - F2E15D74AD528E3350D207603BBA1DF4 /* StoreAPI.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = StoreAPI.swift; sourceTree = ""; }; - F328163C591BBCCD1909AFA5B31CE95A /* AdditionalPropertiesClass.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = AdditionalPropertiesClass.swift; sourceTree = ""; }; + F3E1EA7F03A8F7699B4A38A0059B6DB6 /* Animal.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = Animal.swift; sourceTree = ""; }; + F607471BF9870E491AA86EFB89E5ACF9 /* HasOnlyReadOnly.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = HasOnlyReadOnly.swift; sourceTree = ""; }; F67B486CB679D53F61940EF8B2AEA799 /* ParameterEncoding.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ParameterEncoding.swift; path = Source/ParameterEncoding.swift; sourceTree = ""; }; F6D93B2A9ED15AC0B063CE15853B85CB /* OperationQueueScheduler.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = OperationQueueScheduler.swift; path = RxSwift/Schedulers/OperationQueueScheduler.swift; sourceTree = ""; }; F7896BF7FA73734CFDC3B1A2050D59D5 /* SynchronizedDisposeType.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = SynchronizedDisposeType.swift; path = RxSwift/Concurrency/SynchronizedDisposeType.swift; sourceTree = ""; }; - F8180325E22D8580EFE2473A67C0EAC0 /* User.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = User.swift; sourceTree = ""; }; + F7D5B61AC90BA0704509CAE6D0F2685B /* ClassModel.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; path = ClassModel.swift; sourceTree = ""; }; FA6A5837EF662D98F963312A6B51B18F /* Filter.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = Filter.swift; path = RxSwift/Observables/Implementations/Filter.swift; sourceTree = ""; }; FB170EFD14935F121CDE3211DB4C5CA3 /* Pods-SwaggerClientTests-acknowledgements.markdown */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text; path = "Pods-SwaggerClientTests-acknowledgements.markdown"; sourceTree = ""; }; FD6DDE63A17BACBF9A80A5639C8A9ED7 /* ObserverBase.swift */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = sourcecode.swift; name = ObserverBase.swift; path = RxSwift/Observers/ObserverBase.swift; sourceTree = ""; }; @@ -509,45 +517,45 @@ /* End PBXFileReference section */ /* Begin PBXFrameworksBuildPhase section */ - 05BA91ABD8AC918A49A9D7E0E3722C70 /* Frameworks */ = { + 00B367E71DEA345BA0E33861F036CD5A /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 14DD51004DF8C27A7D0491AEFEC5F464 /* Foundation.framework in Frameworks */, + F858AA68B5873886A02D05E91EB6BFF9 /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - 664036C73EDD24C538CB193844D6126B /* Frameworks */ = { + 87AF7EC7404199AC8C5D22375A6059BF /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 90F7EA6CA58725B9002FBFE8BA07D7B6 /* Foundation.framework in Frameworks */, + D32130A2C8AC5B1FF21AF43BCC2B5217 /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - A7891125D4872A8AB676BC961E14ABF6 /* Frameworks */ = { + 91EB53E8398F3575E0CEFD2FDC6ED098 /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - C904BD2FADF0C9E38026D04B6BA01520 /* Alamofire.framework in Frameworks */, - D79E6CFB94125C623492E6E13FD2229C /* Foundation.framework in Frameworks */, - AE0103F471441FA3FAA55EBC8E28B700 /* RxSwift.framework in Frameworks */, + 07F07937CCEA2757FE68A189000A94B2 /* Alamofire.framework in Frameworks */, + 2AB67E1A6679FE63FABA71B4788844F4 /* Foundation.framework in Frameworks */, + BCFF2C832999C9F7599D575DC7ADEFB5 /* RxSwift.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - B1729F851F648EC60EE93CDB3C8BAEAD /* Frameworks */ = { + 99195E4207764744AEC07ECCBCD550EB /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - 91C09AC2A52ED69A27C8D923139A006F /* Foundation.framework in Frameworks */, + A04BFC558D69E7DBB68023C80A9CFE4E /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; - FE8FC779CF4B0CFCC594E81C0FF86C7E /* Frameworks */ = { + B61347E4B942D85FB700CD798AEC3A6D /* Frameworks */ = { isa = PBXFrameworksBuildPhase; buildActionMask = 2147483647; files = ( - F206C370F63155D3468E0C188498C5DC /* Foundation.framework in Frameworks */, + BB0B398A709DABBED7B4B9BAA3601585 /* Foundation.framework in Frameworks */, ); runOnlyForDeploymentPostprocessing = 0; }; @@ -576,12 +584,57 @@ path = "../Target Support Files/RxSwift"; sourceTree = ""; }; - 5E2543AE40E062857224EB1DCE80B9E3 /* iOS */ = { + 49183FCAF0F17F400CC0C62EA451806A /* Models */ = { isa = PBXGroup; children = ( - 9610BA4403551C05999CF892D495F516 /* Foundation.framework */, + 6E742DEDE04FF6FAEC9F376ED9E6AE2C /* AdditionalPropertiesClass.swift */, + F3E1EA7F03A8F7699B4A38A0059B6DB6 /* Animal.swift */, + CFDD5568A22EED27D7570975E4B81B6B /* AnimalFarm.swift */, + 26F0BD741D5BE8D7ECA2569B96E3F60C /* ApiResponse.swift */, + B98974498DE6D6290EEA35B2A9E347BB /* ArrayOfArrayOfNumberOnly.swift */, + 6A6FD821125243353793A74C26AF6AB2 /* ArrayOfNumberOnly.swift */, + 943AD326EA457918AA6124DF2D2A8AE5 /* ArrayTest.swift */, + 882D08B71AAD3418842BE142C533D36B /* Cat.swift */, + A6E566ACDC2E2B9BD209C52F6FC3F038 /* Category.swift */, + F7D5B61AC90BA0704509CAE6D0F2685B /* ClassModel.swift */, + 0FE6ECDC7B7878E609AEE401961BF14E /* Client.swift */, + EE24724902D07CDE0116B09FAFD21D57 /* Dog.swift */, + 674818A79F12C550C32D5B20F9F2904C /* EnumArrays.swift */, + 2B96675384F47A8DB92E2D3370733CC1 /* EnumClass.swift */, + 4D623BDE9C79D43A58D9951169D5DCE8 /* EnumTest.swift */, + EB3C91F15E6A6CE25AA56BB132BD2282 /* FormatTest.swift */, + F607471BF9870E491AA86EFB89E5ACF9 /* HasOnlyReadOnly.swift */, + 8A79C16689E69DE8EF122B5638FFC47D /* List.swift */, + DE8B2057191DB8F5E2AE31FB27135B6C /* MapTest.swift */, + C779250D7B6267BBEC8FA6A297E951FD /* MixedPropertiesAndAdditionalPropertiesClass.swift */, + 3D74E3639B8306BCE21EAC827F2D0F06 /* Model200Response.swift */, + 139DB709435F037DC55BE45FDFF8D13D /* Name.swift */, + 71DB61F02CAB93E7ED7B2ECA67F3CF6C /* NumberOnly.swift */, + 0B517EAE75FC00740AEAA0C504C4B2C6 /* Order.swift */, + EA68C5328B3080DB6504E903EE8FC138 /* OuterEnum.swift */, + 7AAF332E1A7441FB724BBDE4A2D5FCDC /* Pet.swift */, + A20AD60386D12E72B2313A4ED186F1FE /* ReadOnlyFirst.swift */, + B9EB90FD68C4C823BA7428D94E80A7B3 /* Return.swift */, + 7DA5C1095D6C6A40025C2D36EE2C810E /* SpecialModelName.swift */, + 03A35854A2FF642B3B732D763DB0D0BD /* Tag.swift */, + A1CA3CB3CA69090E8097D77974F95F4E /* User.swift */, ); - name = iOS; + name = Models; + path = Models; + sourceTree = ""; + }; + 5057832E4BF5A63A3D14138D4DC02A76 /* APIs */ = { + isa = PBXGroup; + children = ( + DB59A7DB4A9B911E525ECC513D74D00D /* Fake_classname_tags123API.swift */, + 46C5EA7F33E59F5A0BAC7ED154EF5189 /* FakeAPI.swift */, + DDAFDF0366C6686A7B947426AF20A128 /* FakeclassnametagsAPI.swift */, + 46ADFA647DB262579870CDE7A7A9B130 /* PetAPI.swift */, + A776729DD3FE9677991E54DE267FD577 /* StoreAPI.swift */, + ACBCE80BA837EB73E5A6E45B40F004B8 /* UserAPI.swift */, + ); + name = APIs; + path = APIs; sourceTree = ""; }; 69750F9014CEFA9B29584C65B2491D2E /* Frameworks */ = { @@ -589,7 +642,7 @@ children = ( AA9C5856BEAE5090A7D1EB450A10C04F /* Alamofire.framework */, 19296A8C5E948345E5744A748B1CC720 /* RxSwift.framework */, - 5E2543AE40E062857224EB1DCE80B9E3 /* iOS */, + B0BAC2B4E5CC03E6A71598C4F4BB9298 /* iOS */, ); name = Frameworks; sourceTree = ""; @@ -606,17 +659,6 @@ ); sourceTree = ""; }; - 88ACCBA930FB2930A6EB5386B54BB6AC /* APIs */ = { - isa = PBXGroup; - children = ( - E906A19EC726985BD8493A893CA9DD65 /* FakeAPI.swift */, - BC23A659B67F5C77068CA536C88CA9D0 /* PetAPI.swift */, - F2E15D74AD528E3350D207603BBA1DF4 /* StoreAPI.swift */, - 118386CB29E583E2BCF45FFB0C584C22 /* UserAPI.swift */, - ); - path = APIs; - sourceTree = ""; - }; 88CE2B3F08C34DDB098AD8A5DCC1DF1E /* Pods-SwaggerClient */ = { isa = PBXGroup; children = ( @@ -635,42 +677,6 @@ path = "Target Support Files/Pods-SwaggerClient"; sourceTree = ""; }; - 8C92F4FC4122BA0949B5E0332BC5DA9A /* Models */ = { - isa = PBXGroup; - children = ( - F328163C591BBCCD1909AFA5B31CE95A /* AdditionalPropertiesClass.swift */, - 4B50A816814713052A83AD22ECB8E19D /* Animal.swift */, - 6097AF9273FDB02C8A4DED04AFF6B4AD /* AnimalFarm.swift */, - B4CA6814AE828DFEC4A4C2C8C1D6CEA2 /* ApiResponse.swift */, - 540B42E772FF76C6D4F5E68CCDADA9B3 /* ArrayOfArrayOfNumberOnly.swift */, - 4EBAF179E866C1F42E3C9F85162E2792 /* ArrayOfNumberOnly.swift */, - 21B120C00973CD2A57F3D566E760AF3E /* ArrayTest.swift */, - 4F28DB75084895EF23EDBC499D8B8BAE /* Cat.swift */, - 37E47D71F3FB3E8B7FBEA178972FB52D /* Category.swift */, - 9928726B622806E400277C57963B354B /* Client.swift */, - AAB8DD3379CB8E9DB0DC9E6B18356204 /* Dog.swift */, - 1FCFC11EBD20C97FB1BC4EFAEC6FEB37 /* EnumArrays.swift */, - D6115C108A2F1445CCA165DCE5321009 /* EnumClass.swift */, - 42105B8EAB28DFBC1FD088D5D8C08610 /* EnumTest.swift */, - 11A9D1B03B658EFF2011FD4ADF5B2C9B /* FormatTest.swift */, - AC8DF8745F891F2A12590D73550D0490 /* HasOnlyReadOnly.swift */, - 3A7FD39D7BA8415D865896B06564C124 /* List.swift */, - DFF589887A9AAE06637E527EC61117B0 /* MapTest.swift */, - 37CE09CBDF55D26A9D95DD15E7DEA056 /* MixedPropertiesAndAdditionalPropertiesClass.swift */, - 31C953CB2AF9E4E3D884BBA68E728307 /* Model200Response.swift */, - 1C79F2ABDEC68FB086941B1667F653AC /* Name.swift */, - B4E90BC12F77D66B96AB27E026B2071E /* NumberOnly.swift */, - 2364F4EAC509113B38791789DFC9F1E7 /* Order.swift */, - B1300E3C28C82031FA5C87A7FE3B1EB9 /* Pet.swift */, - C9B2737214A9FBDFAFE4EFE2C5622B27 /* ReadOnlyFirst.swift */, - 2E1E790656723DC52EAB91FF86121D3D /* Return.swift */, - 5F939073B0FDC62477A0C4F8E9AB7131 /* SpecialModelName.swift */, - 143E557A35666A5C3FB6A5EC601425AE /* Tag.swift */, - F8180325E22D8580EFE2473A67C0EAC0 /* User.swift */, - ); - path = Models; - sourceTree = ""; - }; 8F6D133867EE63820DFB7E83F4C51252 /* Support Files */ = { isa = PBXGroup; children = ( @@ -688,23 +694,18 @@ AD94092456F8ABCB18F74CAC75AD85DE /* Classes */ = { isa = PBXGroup; children = ( - BD3FA7FC606B6CEBD6392587B3661483 /* Swaggers */, + ECF20498E2F38FF69AC5DDAE5C5C6A8F /* Swaggers */, ); + name = Classes; path = Classes; sourceTree = ""; }; - BD3FA7FC606B6CEBD6392587B3661483 /* Swaggers */ = { + B0BAC2B4E5CC03E6A71598C4F4BB9298 /* iOS */ = { isa = PBXGroup; children = ( - 6292ECC342913CF10F15F320C0D10143 /* AlamofireImplementations.swift */, - A73F00E8ED2521B115946B7E20B760AF /* APIHelper.swift */, - 6E9F0D4DC6F738F2ECF8D716B7A9A5C7 /* APIs.swift */, - E3FF8700849757249B929D7AFF652CD6 /* Extensions.swift */, - 2E73416EE991BBE43467BA22F2A155A5 /* Models.swift */, - 88ACCBA930FB2930A6EB5386B54BB6AC /* APIs */, - 8C92F4FC4122BA0949B5E0332BC5DA9A /* Models */, + AE307308EA13685E2F9959277D7E355A /* Foundation.framework */, ); - path = Swaggers; + name = iOS; sourceTree = ""; }; C1398CE2D296EEBAA178C160CA6E6AD6 /* Products */ = { @@ -916,6 +917,7 @@ 071C49108B4E79C630858AAC7F0CE05F /* Zip+CollectionType.swift */, 352B044AF42A1F07B97F734A9A002EB0 /* Support Files */, ); + name = RxSwift; path = RxSwift; sourceTree = ""; }; @@ -924,6 +926,7 @@ children = ( AD94092456F8ABCB18F74CAC75AD85DE /* Classes */, ); + name = PetstoreClient; path = PetstoreClient; sourceTree = ""; }; @@ -937,6 +940,21 @@ path = ../..; sourceTree = ""; }; + ECF20498E2F38FF69AC5DDAE5C5C6A8F /* Swaggers */ = { + isa = PBXGroup; + children = ( + 7827148096A3B614608E8642496DB653 /* AlamofireImplementations.swift */, + 2A0F510D3CD5F6FE074AA8A702B78FD4 /* APIHelper.swift */, + 37E5B1C1BA4FC86C3AD6DD6412AD5C3F /* APIs.swift */, + 9CFD31C609D01246A22B3FA2FFB24D83 /* Extensions.swift */, + EF4F0123552CEF7C9700A7F1DA9C2C73 /* Models.swift */, + 5057832E4BF5A63A3D14138D4DC02A76 /* APIs */, + 49183FCAF0F17F400CC0C62EA451806A /* Models */, + ); + name = Swaggers; + path = Swaggers; + sourceTree = ""; + }; EE14BA59F507638F30ECDEFFC935EC4B /* Alamofire */ = { isa = PBXGroup; children = ( @@ -959,79 +977,119 @@ 1686EFB15DF3376D43E734228C9AC2B5 /* Validation.swift */, C88FF959AA4210888E41ABF1F3AD5668 /* Support Files */, ); + name = Alamofire; path = Alamofire; sourceTree = ""; }; /* End PBXGroup section */ /* Begin PBXHeadersBuildPhase section */ - 9C8BBB69FE8BD651A7BBC07E32AED31A /* Headers */ = { + 1353AC7A6419F876B294A55E5550D1E4 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 725EED04ED27CA8159CB2683F1EFD45A /* Pods-SwaggerClient-umbrella.h in Headers */, + 31F8B86E3672D0B828B6352C875649C4 /* Pods-SwaggerClientTests-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - A64BD5719B056B151F824BD760B4A651 /* Headers */ = { + 411A88E43D5D9D797C82EAD090B6B7C3 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 4BBB6718D338DEE74DFD3CF900E4F471 /* PetstoreClient-umbrella.h in Headers */, + 281AFAEA94C9F83ACC6296BBD7A0D2E4 /* Pods-SwaggerClient-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - EFDF3B631BBB965A372347705CA14854 /* Headers */ = { + 691B088D6F7D232C1D4DE2F2D48F5C8D /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 9469DF81ECB494E84675969B5E13374C /* Alamofire-umbrella.h in Headers */, + C249F2741D7B2B023551F0AB64D2B680 /* RxSwift-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - F60A7D60DDD1F897B44E7BA0428B3666 /* Headers */ = { + 8708BA92148E6F95F83F04D3E7C2C37B /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 8FDC68762B1353B7D179CD811826C1D4 /* RxSwift-umbrella.h in Headers */, + 1AE357121BEFD2364713E49652563C18 /* PetstoreClient-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; - FF84DA06E91FBBAA756A7832375803CE /* Headers */ = { + B4002B6E97835FDCCAA5963EFE09A3E0 /* Headers */ = { isa = PBXHeadersBuildPhase; buildActionMask = 2147483647; files = ( - 897283A0B7F5299913327CC8FD6CC997 /* Pods-SwaggerClientTests-umbrella.h in Headers */, + 1B9EDEDC964E6B08F78920B4F4B9DB84 /* Alamofire-umbrella.h in Headers */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXHeadersBuildPhase section */ /* Begin PBXNativeTarget section */ - 462B200BD111D7F438E47B7C42B6772F /* Pods-SwaggerClientTests */ = { + 136F0A318F13DF38351AC0F2E6934563 /* Pods-SwaggerClient */ = { isa = PBXNativeTarget; - buildConfigurationList = 245A935A321D16F418F4D34C5D17D2B6 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */; + buildConfigurationList = F74B56615E0AC0F998019998CF3D73B7 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */; buildPhases = ( - 0529825EC79AED06C77091DC0F061854 /* Sources */, - FE8FC779CF4B0CFCC594E81C0FF86C7E /* Frameworks */, - FF84DA06E91FBBAA756A7832375803CE /* Headers */, + CAA04C85A4D103374E9D4360A031FE9B /* Sources */, + B61347E4B942D85FB700CD798AEC3A6D /* Frameworks */, + 411A88E43D5D9D797C82EAD090B6B7C3 /* Headers */, + ); + buildRules = ( + ); + dependencies = ( + AF4FFAE64524D9270D895911B9A3ABB3 /* PBXTargetDependency */, + 9188E15F2308611275AADD534748A210 /* PBXTargetDependency */, + 4DAA97CFDA7F8099D3A7AFC561A555B9 /* PBXTargetDependency */, + ); + name = "Pods-SwaggerClient"; + productName = "Pods-SwaggerClient"; + productReference = 057FC3E5DE19EA8F4DD600557D771032 /* Pods_SwaggerClient.framework */; + productType = "com.apple.product-type.framework"; + }; + 1659E380E4083C0797DF45CB55BD4B06 /* PetstoreClient */ = { + isa = PBXNativeTarget; + buildConfigurationList = 93731AE6CEEC94039ABF4BE22F8F02C3 /* Build configuration list for PBXNativeTarget "PetstoreClient" */; + buildPhases = ( + 772299274DEF952EB29BD3A7ABA06F6C /* Sources */, + 91EB53E8398F3575E0CEFD2FDC6ED098 /* Frameworks */, + 8708BA92148E6F95F83F04D3E7C2C37B /* Headers */, + ); + buildRules = ( + ); + dependencies = ( + 2BCA34A8619FC17AFB64B13EE92340FF /* PBXTargetDependency */, + 0BDA04BDC0CA4284616C7044ECE972DB /* PBXTargetDependency */, + ); + name = PetstoreClient; + productName = PetstoreClient; + productReference = E9CBBB398E7A62950FA8BC091CBE0359 /* PetstoreClient.framework */; + productType = "com.apple.product-type.framework"; + }; + 4D2B9AFA8496D210BBF45667A75DC671 /* RxSwift */ = { + isa = PBXNativeTarget; + buildConfigurationList = 8714ADE2D5CC658EE140FCAA7466E8E1 /* Build configuration list for PBXNativeTarget "RxSwift" */; + buildPhases = ( + 439236C6722903DB8C55DECC827A59C1 /* Sources */, + 00B367E71DEA345BA0E33861F036CD5A /* Frameworks */, + 691B088D6F7D232C1D4DE2F2D48F5C8D /* Headers */, ); buildRules = ( ); dependencies = ( ); - name = "Pods-SwaggerClientTests"; - productName = "Pods-SwaggerClientTests"; - productReference = C4B474BD9070828C0F786071EEF46CD0 /* Pods_SwaggerClientTests.framework */; + name = RxSwift; + productName = RxSwift; + productReference = 84A09D760BA2EA13D5BE269086BAD34C /* RxSwift.framework */; productType = "com.apple.product-type.framework"; }; - 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */ = { + 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */ = { isa = PBXNativeTarget; - buildConfigurationList = 3CFB42910790CF0BDBCCEBAACD6B9367 /* Build configuration list for PBXNativeTarget "Alamofire" */; + buildConfigurationList = 419E5D95491847CD79841B971A8A3277 /* Build configuration list for PBXNativeTarget "Alamofire" */; buildPhases = ( - 120C4E824DDCCA024C170A491FF221A5 /* Sources */, - B1729F851F648EC60EE93CDB3C8BAEAD /* Frameworks */, - EFDF3B631BBB965A372347705CA14854 /* Headers */, + 32B9974868188C4803318E36329C87FE /* Sources */, + 99195E4207764744AEC07ECCBCD550EB /* Frameworks */, + B4002B6E97835FDCCAA5963EFE09A3E0 /* Headers */, ); buildRules = ( ); @@ -1042,60 +1100,21 @@ productReference = 5B598E168B47485DC60F9DBBCBEEF5BB /* Alamofire.framework */; productType = "com.apple.product-type.framework"; }; - 7E04F4E0C9D1C499E7C5C2E0653893A5 /* Pods-SwaggerClient */ = { + F3DF8DD6DBDCB07B04D7B1CC8A462562 /* Pods-SwaggerClientTests */ = { isa = PBXNativeTarget; - buildConfigurationList = C17E886D20DFCEDEFC84423D6652F7EE /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */; + buildConfigurationList = B462F7329881FF6565EF44016BE2B959 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */; buildPhases = ( - EDDE9277BF55CC0EE317B81A0DB026A1 /* Sources */, - 05BA91ABD8AC918A49A9D7E0E3722C70 /* Frameworks */, - 9C8BBB69FE8BD651A7BBC07E32AED31A /* Headers */, - ); - buildRules = ( - ); - dependencies = ( - C9B7EA4A29DBD0225CC347E19EBAC59F /* PBXTargetDependency */, - 31D9C92344926342E3D2800111C05269 /* PBXTargetDependency */, - 57DC5B1E798B66E24E2BEC74CDB6BDF2 /* PBXTargetDependency */, - ); - name = "Pods-SwaggerClient"; - productName = "Pods-SwaggerClient"; - productReference = 057FC3E5DE19EA8F4DD600557D771032 /* Pods_SwaggerClient.framework */; - productType = "com.apple.product-type.framework"; - }; - C4E60855AA94FBE9BED593C66E802B44 /* PetstoreClient */ = { - isa = PBXNativeTarget; - buildConfigurationList = 7DF97ED1E0EE5A6EE2D512082340E388 /* Build configuration list for PBXNativeTarget "PetstoreClient" */; - buildPhases = ( - F0B9B68AEF2C8244DF160B8D7760FC96 /* Sources */, - A7891125D4872A8AB676BC961E14ABF6 /* Frameworks */, - A64BD5719B056B151F824BD760B4A651 /* Headers */, - ); - buildRules = ( - ); - dependencies = ( - 0914D2C9D102467AAEF4C87BF8554F3F /* PBXTargetDependency */, - E99BEC0CA5D267345DB18624139BB1B1 /* PBXTargetDependency */, - ); - name = PetstoreClient; - productName = PetstoreClient; - productReference = E9CBBB398E7A62950FA8BC091CBE0359 /* PetstoreClient.framework */; - productType = "com.apple.product-type.framework"; - }; - F2EB58B8ED276D1F9F2527FA7E10F017 /* RxSwift */ = { - isa = PBXNativeTarget; - buildConfigurationList = CE8777EAC188365AD9FDF766368E9E8F /* Build configuration list for PBXNativeTarget "RxSwift" */; - buildPhases = ( - 6A7E9D376BD6C8D1817C151E286A203F /* Sources */, - 664036C73EDD24C538CB193844D6126B /* Frameworks */, - F60A7D60DDD1F897B44E7BA0428B3666 /* Headers */, + BDFDEE831A91E115AA482B4E9E9B5CC8 /* Sources */, + 87AF7EC7404199AC8C5D22375A6059BF /* Frameworks */, + 1353AC7A6419F876B294A55E5550D1E4 /* Headers */, ); buildRules = ( ); dependencies = ( ); - name = RxSwift; - productName = RxSwift; - productReference = 84A09D760BA2EA13D5BE269086BAD34C /* RxSwift.framework */; + name = "Pods-SwaggerClientTests"; + productName = "Pods-SwaggerClientTests"; + productReference = C4B474BD9070828C0F786071EEF46CD0 /* Pods_SwaggerClientTests.framework */; productType = "com.apple.product-type.framework"; }; /* End PBXNativeTarget section */ @@ -1119,424 +1138,294 @@ projectDirPath = ""; projectRoot = ""; targets = ( - 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */, - C4E60855AA94FBE9BED593C66E802B44 /* PetstoreClient */, - 7E04F4E0C9D1C499E7C5C2E0653893A5 /* Pods-SwaggerClient */, - 462B200BD111D7F438E47B7C42B6772F /* Pods-SwaggerClientTests */, - F2EB58B8ED276D1F9F2527FA7E10F017 /* RxSwift */, + 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */, + 1659E380E4083C0797DF45CB55BD4B06 /* PetstoreClient */, + 136F0A318F13DF38351AC0F2E6934563 /* Pods-SwaggerClient */, + F3DF8DD6DBDCB07B04D7B1CC8A462562 /* Pods-SwaggerClientTests */, + 4D2B9AFA8496D210BBF45667A75DC671 /* RxSwift */, ); }; /* End PBXProject section */ /* Begin PBXSourcesBuildPhase section */ - 0529825EC79AED06C77091DC0F061854 /* Sources */ = { + 32B9974868188C4803318E36329C87FE /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - C546890220177F840E8AFC829D0E3FEB /* Pods-SwaggerClientTests-dummy.m in Sources */, + 9ED2BB2981896E0A39EFA365503F58CE /* AFError.swift in Sources */, + A9EEEA7477981DEEBC72432DE9990A4B /* Alamofire-dummy.m in Sources */, + F8B3D3092ED0417E8CDF32033F6122F5 /* Alamofire.swift in Sources */, + 61200D01A1855D7920CEF835C8BE00B0 /* DispatchQueue+Alamofire.swift in Sources */, + B65FCF589DA398C3EFE0128064E510EC /* MultipartFormData.swift in Sources */, + A2A6F71B727312BD45CC7A4AAD7B0AB7 /* NetworkReachabilityManager.swift in Sources */, + EFD264FC408EBF3BA2528E70B08DDD94 /* Notifications.swift in Sources */, + BE5C67A07E289FE1F9BE27335B159997 /* ParameterEncoding.swift in Sources */, + 5387216E723A3C68E851CA15573CDD71 /* Request.swift in Sources */, + CB6D60925223897FFA2662667DF83E8A /* Response.swift in Sources */, + F6BECD98B97CBFEBE2C96F0E9E72A6C0 /* ResponseSerialization.swift in Sources */, + 7D8CC01E8C9EFFF9F4D65406CDE0AB66 /* Result.swift in Sources */, + 62F65AD8DC4F0F9610F4B8B4738EC094 /* ServerTrustPolicy.swift in Sources */, + 7B5FE28C7EA4122B0598738E54DBEBD8 /* SessionDelegate.swift in Sources */, + AE1EF48399533730D0066E04B22CA2D6 /* SessionManager.swift in Sources */, + 3626B94094672CB1C9DEA32B9F9502E1 /* TaskDelegate.swift in Sources */, + 10EB23E9ECC4B33E16933BB1EA560B6A /* Timeline.swift in Sources */, + BBEFE2F9CEB73DC7BD97FFA66A0D9D4F /* Validation.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - 120C4E824DDCCA024C170A491FF221A5 /* Sources */ = { + 439236C6722903DB8C55DECC827A59C1 /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 62143065F94E53F437DCE5D7A998D66D /* AFError.swift in Sources */, - 8D463A0A4C65C02FDD5211F0F3C6F8B8 /* Alamofire-dummy.m in Sources */, - 7CA5A9BA5246FDA8227233E310029392 /* Alamofire.swift in Sources */, - E2A1C34237B4E928E5F85C097F4C2551 /* DispatchQueue+Alamofire.swift in Sources */, - C7A3408350643ADE1018826C766EE356 /* MultipartFormData.swift in Sources */, - E59BF19C0AFA68B741552319FC478C7B /* NetworkReachabilityManager.swift in Sources */, - 0C1B4E9FFB8B81E8833A3BAD537B1990 /* Notifications.swift in Sources */, - AF158CAAF4DD319009AFC855DC995D90 /* ParameterEncoding.swift in Sources */, - 12118C354EFA36292F82A8D0CFCE45B2 /* Request.swift in Sources */, - 86ED08F33B7D357932A9AB743E9D9EA7 /* Response.swift in Sources */, - B8154C96802336E5DDA5CEE97C3180A0 /* ResponseSerialization.swift in Sources */, - DF1BBF94997A2F4248B42B25EA919EC2 /* Result.swift in Sources */, - C0AEA97E7684DDAD56998C0AE198A433 /* ServerTrustPolicy.swift in Sources */, - 907AB123FBC8BC9340D5B7350CE828DF /* SessionDelegate.swift in Sources */, - A79AC30123B0C2177D67F6ED6A1B3215 /* SessionManager.swift in Sources */, - E1F583CB4A68A928CD197250AA752926 /* TaskDelegate.swift in Sources */, - 3982B850C43B41BA6D25F440F0412E9B /* Timeline.swift in Sources */, - FFFDD494EE6D1B83DDAF5F2721F685A6 /* Validation.swift in Sources */, + 78AF9433B59B2461906FB4C7CE14EAD8 /* AddRef.swift in Sources */, + ADC308C751B162605CADD7B2607B4ACE /* Amb.swift in Sources */, + 1599B2B0C322141E606E052CCF6DF766 /* AnonymousDisposable.swift in Sources */, + 9DF4E09974356DD2D110EA032EB62343 /* AnonymousInvocable.swift in Sources */, + 679CCD2004F3BE664BD29DCD24F8720F /* AnonymousObservable.swift in Sources */, + D2A169038DE483C1BDDCCC98D481D092 /* AnonymousObserver.swift in Sources */, + EA3B754F53BF2FF3A9D8356804B3C4F3 /* AnyObserver.swift in Sources */, + 5CE698373AEAC34BF21476BAE3712B31 /* AsyncLock.swift in Sources */, + 1851EC327040C26D75F45182143E7144 /* Bag.swift in Sources */, + 29526349B56218CE4C9264D9F6201F63 /* BehaviorSubject.swift in Sources */, + 756A29D46B56B372C3EE5E68F9743377 /* BinaryDisposable.swift in Sources */, + 162D30EFBFE1F5802A959E8E7CBB3710 /* BooleanDisposable.swift in Sources */, + 458FA584CDB71AE9830BCC1A4E4D4FF6 /* Buffer.swift in Sources */, + 1C041AB7E2713FD821BC2E652BE0EC78 /* Cancelable.swift in Sources */, + 92B896654273A74DEE2476C6BE4BDD1B /* Catch.swift in Sources */, + C73DFF3AA1280FACA7CACDBFF71A2936 /* CombineLatest+arity.swift in Sources */, + 4BD508985B5C133140C548982A19E3B5 /* CombineLatest+CollectionType.swift in Sources */, + EFDB09EE7CEB884EA5D0845270B0D9E4 /* CombineLatest.swift in Sources */, + 939CAB10FB8DECCAF5A28CC1E9D8DB5F /* CompositeDisposable.swift in Sources */, + 629F339A792FC3BA79143E5BAFFA4397 /* Concat.swift in Sources */, + A01C09BC95A182057BB4EA1B08249CE9 /* ConcurrentDispatchQueueScheduler.swift in Sources */, + 6497B3BDB92F75CA4674410D306E5A63 /* ConcurrentMainScheduler.swift in Sources */, + 63AF411E7E37CD092972B24F8A46B320 /* ConnectableObservable.swift in Sources */, + 0221646A8FCF91976DAF6E10037787D0 /* ConnectableObservableType.swift in Sources */, + 0449D812A9F4067D62EFCD1E35BF8493 /* CurrentThreadScheduler.swift in Sources */, + CA289FD7425460134B9FDC10EEAA34C8 /* Debug.swift in Sources */, + E0A79A55EA2332A5D1D667DBF3DF7B23 /* Debunce.swift in Sources */, + E9BC567B7ED82A70E2C6292F73EA029E /* Deferred.swift in Sources */, + 437B5E5936E2A383F91A07C547BA0109 /* Delay.swift in Sources */, + 9E5EBD1BA9BB272951DC0E1251CA2DD1 /* DelaySubscription.swift in Sources */, + D435B6D25377202D652C72BCBACACE72 /* DispatchQueueConfiguration.swift in Sources */, + AB22C13842BCA5EE159452B138A8D301 /* DispatchQueueSchedulerQOS.swift in Sources */, + 8B866A13625D176C6326050C6AA1F8F9 /* Disposable.swift in Sources */, + CAEB12DA70330D5717A5D121CACA03B6 /* Disposables.swift in Sources */, + 98AACEB7F606A88E4B306330192E5975 /* DisposeBag.swift in Sources */, + 72A9C6FBBA1600C06CB8472811B54AF2 /* DisposeBase.swift in Sources */, + 83286EB57D7CFBDA46AF576E406BF897 /* DistinctUntilChanged.swift in Sources */, + 9321EBC33C18CBE00C2951EF3B9B4CF5 /* Do.swift in Sources */, + 7AE9ABB0D070765CD3A2782323796E11 /* ElementAt.swift in Sources */, + 8C804A370CD817E358B0D21F203E323B /* Empty.swift in Sources */, + CD1F7E9B3685AFE754062FA775F4E3FE /* Error.swift in Sources */, + 4E29A5D80DC4928398E0715E20C2F0A9 /* Errors.swift in Sources */, + 900E355135430AA421B2F3DC19861D53 /* Event.swift in Sources */, + A1DB16C285F06567A78DCFCF7AB39559 /* Filter.swift in Sources */, + BC87664B5F6C8BC129E3F1A934D924EE /* Generate.swift in Sources */, + 487A5AE3D456D777A5F1B0A507910967 /* HistoricalScheduler.swift in Sources */, + B25BF9072151D940AA78B0E9382504EE /* HistoricalSchedulerTimeConverter.swift in Sources */, + A0AEF215337C675C0C9D4DA3AD47C0B0 /* ImmediateScheduler.swift in Sources */, + FFF6A927B97436C264AE502F4073F99A /* ImmediateSchedulerType.swift in Sources */, + 98AB1A4CFBA9CF20D7D1EC71028E5CE3 /* InfiniteSequence.swift in Sources */, + 872BCED0FBA10BE1678D67CD5C44866F /* InvocableScheduledItem.swift in Sources */, + 8EA25311918806DF4F83D6868BBD7296 /* InvocableType.swift in Sources */, + A59B89468079463EB9AC21B1C2350EEE /* Just.swift in Sources */, + 8805D8BFE7EC9C1997653FD13ABC7EBD /* Lock.swift in Sources */, + A51FE519908B879535E81FEDC0DBC98F /* LockOwnerType.swift in Sources */, + B17535B8EBBD411A6081573043D30F31 /* MainScheduler.swift in Sources */, + 088CDF43843D8177D2C3CA04ECF477A2 /* Map.swift in Sources */, + 3F148509017DC1201BC0AB8F72A028A4 /* Merge.swift in Sources */, + E6EC18479004E7A7B8BF8FAE90B7E347 /* Multicast.swift in Sources */, + 6E9EBC66CCD6984C2714A99AC05DDDC7 /* Never.swift in Sources */, + 52FF0B4B7C5E6E6686CCA24A762DF339 /* NopDisposable.swift in Sources */, + D382B28DCD1F82E1F650F89DFCBD64A0 /* Observable+Aggregate.swift in Sources */, + E6E4EB6A4A97F1CD83A7218EB724EC2B /* Observable+Binding.swift in Sources */, + 14FCC2DE88E639EDEF2C9587D504EE02 /* Observable+Concurrency.swift in Sources */, + 4BE987E5E7AC8E7E421C18E38EDF849D /* Observable+Creation.swift in Sources */, + 35C87ED9143FAB83747CA0D845C7A56F /* Observable+Debug.swift in Sources */, + 37FBB11D6EAEE47A481A564353B1BDE6 /* Observable+Multiple.swift in Sources */, + 93DA3EC7181A2059753780193C442CF9 /* Observable+Single.swift in Sources */, + 7776BD46E8DC958E5D689C1EF0D7D9B9 /* Observable+StandardSequenceOperators.swift in Sources */, + 5F4E9CC2E005F0EF79EE16C449CE5014 /* Observable+Time.swift in Sources */, + 8BAC216EFD1E982F95F10FC4B79D866B /* Observable.swift in Sources */, + 0CCA66D8F9D12256C9728A13B9345378 /* ObservableConvertibleType.swift in Sources */, + 15D38817973CA78ADCAE26ED41E2D9DC /* ObservableType+Extensions.swift in Sources */, + 7DB045E607D7B6585EAE0B558E84BAF3 /* ObservableType.swift in Sources */, + EBC8F4ADBFA4F599ECD9F410EC13FA4F /* ObserveOn.swift in Sources */, + FA986D2344B34BEED8A7F9142D56B012 /* ObserveOnSerialDispatchQueue.swift in Sources */, + D51CB7DE9242D61897C3163738E11A14 /* ObserverBase.swift in Sources */, + D885A735919FBECDE7DA18BC96E0FDCA /* ObserverType.swift in Sources */, + 98D52F7232BC55786259F3112924CC76 /* OperationQueueScheduler.swift in Sources */, + 3600531BA5F611A9EE5EA846DD312668 /* Platform.Darwin.swift in Sources */, + F0B98968CA62F49E6C2C0E9D649335C2 /* Platform.Linux.swift in Sources */, + 409DA149C49F7F61DCAA1DCE2786B639 /* PriorityQueue.swift in Sources */, + F5ECC0B923DAE7296ED67B1D5FA6EE5A /* Producer.swift in Sources */, + B3DE6999E9E0A07335C2565879235589 /* PublishSubject.swift in Sources */, + 2BAC4971843D4E00AF7D6AF9573D1178 /* Queue.swift in Sources */, + 4C3894EA6AD4C277A9B4461E4E7AE5CC /* Range.swift in Sources */, + D7BA08B7F4A42FAE35089BD2EB5FE14A /* RecursiveScheduler.swift in Sources */, + DB1DED2ECA2FF0286F5A1E5D29C57BFC /* Reduce.swift in Sources */, + 9DF467656B93EAC2D6C74A581F7F4996 /* RefCount.swift in Sources */, + F87AB32B9D9BB3C73B84FDEA55DA3D53 /* RefCountDisposable.swift in Sources */, + EF29C4B09F26C026D6D981A17A8D1EC9 /* Repeat.swift in Sources */, + BB747BB0A5A74A7A45992B41353312B1 /* ReplaySubject.swift in Sources */, + E8B2D130DB11E7307FFA4CB6B70144BD /* RetryWhen.swift in Sources */, + 6D957505CBECFAF28FCF9FABC12E42E4 /* Rx.swift in Sources */, + 8E4410D5B684FBD5A39A565F2A858F75 /* RxMutableBox.swift in Sources */, + 16F2433104C74017B1C2B19CDEBEEC05 /* RxSwift-dummy.m in Sources */, + 40F082318D2694EA912536272D15A38A /* Sample.swift in Sources */, + CA4C542B3AFCA8BA0BBBED70997533E7 /* Scan.swift in Sources */, + 3DAA143E7ABE537D34B5758395939EEF /* ScheduledDisposable.swift in Sources */, + C2E4654F62808427D4036CB8B187398E /* ScheduledItem.swift in Sources */, + E9B90B5F9AFC8AD6DE96962E26809281 /* ScheduledItemType.swift in Sources */, + 35DBFF86DD0CA850FC7ACC31DF26C3E8 /* SchedulerServices+Emulation.swift in Sources */, + 0A5120C593F775DF154691CB199A7D03 /* SchedulerType.swift in Sources */, + 4239CB3B20869FDA3301AC4260A9AE09 /* Sequence.swift in Sources */, + F3D885F23F252FB5067F329AC79B7061 /* SerialDispatchQueueScheduler.swift in Sources */, + 1761B2FAEA9E798C38CDB40E9F962B53 /* SerialDisposable.swift in Sources */, + A49EECACA3890884D39C598BD7448922 /* ShareReplay1.swift in Sources */, + 1163E697FCB1975E40860517DFAB745B /* ShareReplay1WhileConnected.swift in Sources */, + 5F0E524F9C245F81D9A6E5C87329ED20 /* SingleAssignmentDisposable.swift in Sources */, + 6F80F5879B0BE9D3A472E81ED5E43FD9 /* SingleAsync.swift in Sources */, + 8CABBD38AFEDFFA8349FB8B6BE420478 /* Sink.swift in Sources */, + 3EDAC5FFF5988DA7BA7E50DC267F3CDB /* Skip.swift in Sources */, + D90D6093A045966A088FAF8942C13DC6 /* SkipUntil.swift in Sources */, + 5EECEA9F61D071962E55CD14E8EE129C /* SkipWhile.swift in Sources */, + 396DDB3E1B44FE30B107D2A356F00A12 /* StableCompositeDisposable.swift in Sources */, + F51913280A0EEFA38C2A204B89970C71 /* StartWith.swift in Sources */, + 8B5E461B10C674D46F5481FD20962C24 /* String+Rx.swift in Sources */, + C97CE444346C9E3CBFBC823AE1A5A406 /* SubjectType.swift in Sources */, + 109085E3744B26294B9BD37F1F48EF35 /* SubscribeOn.swift in Sources */, + 7240AD3893117AC68586350A767FD725 /* SubscriptionDisposable.swift in Sources */, + F3A822DA3BB1D90241240079797DFFD2 /* Switch.swift in Sources */, + A33BAE1DC4388BF44127464B70E60EB7 /* SynchronizedDisposeType.swift in Sources */, + 695098AE3B0C2A8FB77ED7375660F922 /* SynchronizedOnType.swift in Sources */, + B955A0D89BAB57C15C5AFB4415670140 /* SynchronizedSubscribeType.swift in Sources */, + 0B58317AAEBFD468C0009A9878E1B06C /* SynchronizedUnsubscribeType.swift in Sources */, + C8FA14D51FBDB80FA0DBD76A1BCDBBAB /* TailRecursiveSink.swift in Sources */, + 40A642981EB56E5E59F4DE9103B68FBF /* Take.swift in Sources */, + 22D4353F338AD63894E26312507BA233 /* TakeLast.swift in Sources */, + FEA1EA2AEF2FAAAEC1CAB4CEC09A5C43 /* TakeUntil.swift in Sources */, + 2B9A74F0F6B8AF3DF6E7342D7FB52B78 /* TakeWhile.swift in Sources */, + 86625ACF8CA13736E625596A07B8B7E5 /* Throttle.swift in Sources */, + 5C9887CFF67F09F2A0E398D1E9981830 /* Timeout.swift in Sources */, + A3970D1C65251653C0CF76FFD94F740E /* Timer.swift in Sources */, + 0E8CEDEC1B06DE07042BC955BBFB6B5A /* ToArray.swift in Sources */, + 544D6A3D00743EB6F72DB2661A83332B /* Using.swift in Sources */, + AA6FB6E0BA72C32CE18850691DD4110B /* Variable.swift in Sources */, + 5594A40E65D9F78F95F5E3F11D0BCB7F /* VirtualTimeConverterType.swift in Sources */, + CE48930965CDF16840B88942D8EA7F7F /* VirtualTimeScheduler.swift in Sources */, + 59C79B6ADABA12D730115EC9DEF8F095 /* Window.swift in Sources */, + FB0EC665855DB0DA10E966C1FEE9D82A /* WithLatestFrom.swift in Sources */, + 74B813F26F26A1E10638FAFB0410930E /* Zip+arity.swift in Sources */, + E211B50B1189FF93765BE7DE351B4C12 /* Zip+CollectionType.swift in Sources */, + EB9A861FC8F1EF1D73536E073A0DAE2F /* Zip.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - 6A7E9D376BD6C8D1817C151E286A203F /* Sources */ = { + 772299274DEF952EB29BD3A7ABA06F6C /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 3C8D9D4AEB46F0B4DEDAB30ED78ED09B /* AddRef.swift in Sources */, - DC91D2B8BC1EC99F9B74CF445A19005A /* Amb.swift in Sources */, - 9BAFCCF754F7F196B0D5DF7344B056A2 /* AnonymousDisposable.swift in Sources */, - 92CDD6BA927A65D2D7649A3EAEE614A6 /* AnonymousInvocable.swift in Sources */, - 46D933AC1613C571C86910219533DAC2 /* AnonymousObservable.swift in Sources */, - D4D4D5FE43F384FCCA89F729AF34E43B /* AnonymousObserver.swift in Sources */, - 5E96DB7D8016B5ECA60EF1ABBF4C9316 /* AnyObserver.swift in Sources */, - E1E73580E1913FA2D4474AFE4C831872 /* AsyncLock.swift in Sources */, - A96D27F8BDA637AE9A130247470CA258 /* Bag.swift in Sources */, - A00C8DA2C061E9BC4A2E7156EE310CA3 /* BehaviorSubject.swift in Sources */, - 85EA3775A4ADB9E7E6914C412019270F /* BinaryDisposable.swift in Sources */, - C842467FD23FD483772A34EA9459F863 /* BooleanDisposable.swift in Sources */, - 70D64FC560118734D818E70D3C7A4912 /* Buffer.swift in Sources */, - 235105D4FCA03A11BDCC787B29212095 /* Cancelable.swift in Sources */, - A1B5A22E74B1373611A469BE88DC1EE4 /* Catch.swift in Sources */, - 82BFEA5A9BE0C7B2DF14F5F6118DB991 /* CombineLatest+arity.swift in Sources */, - 083755107A86EC6D606053A78CEF9CD9 /* CombineLatest+CollectionType.swift in Sources */, - 4F38AFAF093ECB2A8D93D3DE9C98ADC8 /* CombineLatest.swift in Sources */, - 6CE6F5B167A4B7566CFFEE56B67239C8 /* CompositeDisposable.swift in Sources */, - 48A6A9AEDEECCC13E59D6727F3F6B909 /* Concat.swift in Sources */, - B4F7B11796652B2E497EF54AA2AFE725 /* ConcurrentDispatchQueueScheduler.swift in Sources */, - 228068D3B473355FA62C3000C01C345C /* ConcurrentMainScheduler.swift in Sources */, - E44DEDBDAC4EEA91E39BD6DEF4C65B4D /* ConnectableObservable.swift in Sources */, - 4347C7C8760CB49492C88A5C18D52025 /* ConnectableObservableType.swift in Sources */, - 97A5B15AEC073D49C79C8A59EE567047 /* CurrentThreadScheduler.swift in Sources */, - 33A4A78056F4CCC2B817132F94274EC4 /* Debug.swift in Sources */, - 892D9388A33363EDDFC06F081063BBD8 /* Debunce.swift in Sources */, - A16C502B0C5F71A2E21337AC8C0130DC /* Deferred.swift in Sources */, - 1871B729DFBD1875464E540B377CACE7 /* Delay.swift in Sources */, - 70D16DD8BA7F964F3E76B13E44705AE3 /* DelaySubscription.swift in Sources */, - B01E14EA657B49BA55409AC598206F94 /* DispatchQueueConfiguration.swift in Sources */, - 55D13124EE1214ECCF135D0E0FC9C458 /* DispatchQueueSchedulerQOS.swift in Sources */, - 9764CCDC4EA1A450FB9171B86E2C3B74 /* Disposable.swift in Sources */, - 53A2091316233D86F4645F6E065D89AB /* Disposables.swift in Sources */, - ECC14F0BF67A78F13A9DFC1A1276E768 /* DisposeBag.swift in Sources */, - 7A3CBDF9E3DD8027E8921BCE0B0FB37C /* DisposeBase.swift in Sources */, - 8C227EADBDC0D6FC1D0EE5793410EEC1 /* DistinctUntilChanged.swift in Sources */, - 0162269373E8D70962040A60C8A2AECC /* Do.swift in Sources */, - B23B5B628FE6763B871CB7B47B427F2A /* ElementAt.swift in Sources */, - 593D55A8F626ECFA103ACBA040C282F4 /* Empty.swift in Sources */, - 63F7F79C18F8AF9B3D79C45D55C4D50F /* Error.swift in Sources */, - 73FAB57CEA903474F9B1551C0FCE38B1 /* Errors.swift in Sources */, - 6E3307AC9498657F294D85DDC8FC0698 /* Event.swift in Sources */, - CABAB67F7B053EBAD25A19E18F5A365E /* Filter.swift in Sources */, - F2FC27A487E71DFA2970FDD03917E98B /* Generate.swift in Sources */, - 653773A852071886BD196728C3442093 /* HistoricalScheduler.swift in Sources */, - 8E9788974BE928C098BF09021AC827FE /* HistoricalSchedulerTimeConverter.swift in Sources */, - 8319BA89A71C51A1CDAD9486D1B1FAB9 /* ImmediateScheduler.swift in Sources */, - 23CC52EA7E5D0C3091C4831DD0538F5A /* ImmediateSchedulerType.swift in Sources */, - 6ADA43CE9BFD89A4FF37957AE67415AB /* InfiniteSequence.swift in Sources */, - EEBDC2202378A853515CEDBA0E87A02C /* InvocableScheduledItem.swift in Sources */, - 047BDA8912431386EE90FFBC76BC9CCD /* InvocableType.swift in Sources */, - 23EBCC9364B1D44D13792A38546AAF05 /* Just.swift in Sources */, - 6CD385EF41BE97583B0D4AC1C73F4FC6 /* Lock.swift in Sources */, - 888E3937954E7F5AEE4437715EDABE61 /* LockOwnerType.swift in Sources */, - F602A81B02D33A867E28950F09CB7950 /* MainScheduler.swift in Sources */, - 3466CDFC2DAB7DB81DA6CC788AC9AD08 /* Map.swift in Sources */, - FE946FA2D5211EBB3DA4436928744878 /* Merge.swift in Sources */, - 808C6F6D24D42BAE2B8690C4137E1FD5 /* Multicast.swift in Sources */, - 91327B24F86EC5073E784FEC47A7FF31 /* Never.swift in Sources */, - 82BDD854873780B9B6A00D707C590D84 /* NopDisposable.swift in Sources */, - 90CE7172BFBC1B8CC1347240490B7A91 /* Observable+Aggregate.swift in Sources */, - 7706DE50AA1AE44F83AE01E005C6EE09 /* Observable+Binding.swift in Sources */, - A5A9FA4D864686FA386AA04986E9CE7E /* Observable+Concurrency.swift in Sources */, - D4DAB0E2808F20B7F69A43421D97EF73 /* Observable+Creation.swift in Sources */, - 7A46D890787929E9F64ED9E20EAC8D01 /* Observable+Debug.swift in Sources */, - AC8CCAC0DAAAF5F6940886E5E1DE8ED3 /* Observable+Multiple.swift in Sources */, - DBCA805921D74D8C0F75357698888D75 /* Observable+Single.swift in Sources */, - B8A1612F427E0B11A29B2B2381BAD0B9 /* Observable+StandardSequenceOperators.swift in Sources */, - E06E03B21F53C8340F13775CA721E653 /* Observable+Time.swift in Sources */, - D434DDFA87AEF17496BC262DFF8EE1F6 /* Observable.swift in Sources */, - 59AC0C2DEA19DF652C183497B130AB54 /* ObservableConvertibleType.swift in Sources */, - 48D0FE30F7A899CD3F215578FE11A60B /* ObservableType+Extensions.swift in Sources */, - 7817F2EB72E0297B963A66E5D57C3C3C /* ObservableType.swift in Sources */, - E0036D67D7DC4D27C10E78B69C4A6E66 /* ObserveOn.swift in Sources */, - 66E1C03C8978BFA629322B67EC1FEAAD /* ObserveOnSerialDispatchQueue.swift in Sources */, - E62D1FF32E8E841D95C7605DC2326CC0 /* ObserverBase.swift in Sources */, - 757F2481571387FD67CE700E0CA4FC00 /* ObserverType.swift in Sources */, - 70D05AE6E0CA5C728364BDCCF1690364 /* OperationQueueScheduler.swift in Sources */, - AF03379E34C5E10CC1BF8FA363782964 /* Platform.Darwin.swift in Sources */, - C3A43FE39B20D8E39D9A659E79C17E13 /* Platform.Linux.swift in Sources */, - E43F7792E4EBE3E084F1A4BA0674F978 /* PriorityQueue.swift in Sources */, - 7377FD300132572266E0A8E8C5EF5C3D /* Producer.swift in Sources */, - 574137A86E632F04666B26D4D08EBBCA /* PublishSubject.swift in Sources */, - 5EF11FD3F5132F0D758106D5A1839EFD /* Queue.swift in Sources */, - 39FD9729A5A057AEE5C8AE5ADA8E2BD5 /* Range.swift in Sources */, - 2949D296A9402B72555FC4D70F89C1B1 /* RecursiveScheduler.swift in Sources */, - 1A7AB9EBE479596D845762259BE8383C /* Reduce.swift in Sources */, - D0F605CAAA32A271A59EAD2048F67CC5 /* RefCount.swift in Sources */, - F9C6D5E918F61C1D1DDD5EA9776CE443 /* RefCountDisposable.swift in Sources */, - 80B16232CCADCF82932E0330DC4D1914 /* Repeat.swift in Sources */, - 00AC08D3311EED30D0AD1A3625E59205 /* ReplaySubject.swift in Sources */, - 22CBE613DD3D3017B518443D9CC483A6 /* RetryWhen.swift in Sources */, - 78DBB82C9F119EFE0F20ECF67653527F /* Rx.swift in Sources */, - 9AB059185280765490C0E433752F146A /* RxMutableBox.swift in Sources */, - 34FD242EA0961D19B5085E0F2306E217 /* RxSwift-dummy.m in Sources */, - F3E157EB0CAC8B6C2E2BD07466F92D2E /* Sample.swift in Sources */, - D4887288E6CFF6769CE53F3CD110D4A5 /* Scan.swift in Sources */, - 8AD0A8DA5AA35E8BA0F8713A265CE500 /* ScheduledDisposable.swift in Sources */, - B61600C58CBE58868C4702BCF5CAEAD5 /* ScheduledItem.swift in Sources */, - 4C796D627D95C751F644BA87C977703F /* ScheduledItemType.swift in Sources */, - 2B73B02014135E6ED432B5CE9FF29317 /* SchedulerServices+Emulation.swift in Sources */, - F9179CDF3270195CDE81F9A8E25708F1 /* SchedulerType.swift in Sources */, - 68CCD0A796233B7273E768EBF214E44C /* Sequence.swift in Sources */, - B0B99436B00EC9F7D147419410E1EB28 /* SerialDispatchQueueScheduler.swift in Sources */, - 4261F7974060EE431E1B856F1B8E2255 /* SerialDisposable.swift in Sources */, - 34F0B8FCC3C95C8FAF4DF2A02A598EE6 /* ShareReplay1.swift in Sources */, - 6B2AA1879A2C24557D511EBAD7A0A90B /* ShareReplay1WhileConnected.swift in Sources */, - 0DE677931A1F044D391C615C04CBB686 /* SingleAssignmentDisposable.swift in Sources */, - D9299DFFA1E563FE40D20D6A8F862AEF /* SingleAsync.swift in Sources */, - D6F8D75337CA0B3460ECD439557DAF42 /* Sink.swift in Sources */, - 48595C1AFD2E7CB7CD533F2A3F68F1C8 /* Skip.swift in Sources */, - 2AF0ED2053AD1C99CB51CA4D7CDEA3D6 /* SkipUntil.swift in Sources */, - 2AF3A8F09DF3E7BA132AA7A1F86815E5 /* SkipWhile.swift in Sources */, - A01079B70FD11F77D5BFA97A17D5DD3C /* StableCompositeDisposable.swift in Sources */, - F192AA41D02E24DF198589D331AC91F8 /* StartWith.swift in Sources */, - 7C7F11F06E6632A8B6CA5D885A4359E0 /* String+Rx.swift in Sources */, - A3858D68DA1815F7C85FE5DF787A420A /* SubjectType.swift in Sources */, - C5EE9EA0FF27B0CD481DEC9CCBEB9B68 /* SubscribeOn.swift in Sources */, - C71DA674BC5AC89073E0170D73DB4211 /* SubscriptionDisposable.swift in Sources */, - 05A8ACC35B8D704B3C5C612B8C455000 /* Switch.swift in Sources */, - 74FE21F5B6AD7C96AC3A5D54EC4F4658 /* SynchronizedDisposeType.swift in Sources */, - 5B36B442ACCAB8B10FD9B7C070AF3876 /* SynchronizedOnType.swift in Sources */, - 429BE094F0F21528D6BECA33A851CB75 /* SynchronizedSubscribeType.swift in Sources */, - 5548470ACE5A9410F9CCBE745BD37D79 /* SynchronizedUnsubscribeType.swift in Sources */, - 7F272983804E09CA202744094FA825A8 /* TailRecursiveSink.swift in Sources */, - 8BD21A68A1BC65D8768A5F07D3493A54 /* Take.swift in Sources */, - 7475F22B7E0A1D58AF411E0D6FAFB989 /* TakeLast.swift in Sources */, - 09E3F185921EE80B6A8574D8FFE1BD93 /* TakeUntil.swift in Sources */, - F190B693D0C5D992919A262BA7BE199C /* TakeWhile.swift in Sources */, - EBE7965594C7671CC4A8888F0629B247 /* Throttle.swift in Sources */, - D69295D230361ED8905CEE612A3852BE /* Timeout.swift in Sources */, - E08918514E8F59676B26E9E916434A1E /* Timer.swift in Sources */, - D84278A3E02240D3B3D2646A92D0365C /* ToArray.swift in Sources */, - C438E6F9EBF52C2AAC2248425C463F41 /* Using.swift in Sources */, - 00BD15385B629C2FF723D9331469BAA5 /* Variable.swift in Sources */, - E7F3738D1DAEE1D331AD940791EB84D7 /* VirtualTimeConverterType.swift in Sources */, - DB36B0D8053C3E0F80B3B965F7ACB5E9 /* VirtualTimeScheduler.swift in Sources */, - AFF8F11EF178EE7E5C15273C9134E9ED /* Window.swift in Sources */, - 99EFEF3664F48D14AE41E0A9D3B82575 /* WithLatestFrom.swift in Sources */, - 7292E398D51E4CCF054DD48FB5078217 /* Zip+arity.swift in Sources */, - C883730C6F20B30D751FFEE0735901AC /* Zip+CollectionType.swift in Sources */, - F845AB46D82DCC081D307559323D3483 /* Zip.swift in Sources */, + E4F6AAAFFF99939D5C80443F241076C2 /* AdditionalPropertiesClass.swift in Sources */, + 63D86CF493F2C70C2409B913DD2D0C11 /* AlamofireImplementations.swift in Sources */, + 5382CBF07361D5CFFCEB419ABEEBAE0E /* Animal.swift in Sources */, + 2B2101DDE5F3F89829C97803394458AF /* AnimalFarm.swift in Sources */, + 7D10EF5F5F3467B99B649EE02B1634ED /* APIHelper.swift in Sources */, + 3328BA01BCCCECFDBBEDEEFF3CCD05EB /* ApiResponse.swift in Sources */, + 062C20D29D7AD2C0E7A0D7AE550DE9F6 /* APIs.swift in Sources */, + 3D4A0A8C49E96B63D39A068F659753F4 /* ArrayOfArrayOfNumberOnly.swift in Sources */, + AE94049378B4BA30FC9FBD26F51E8752 /* ArrayOfNumberOnly.swift in Sources */, + 41D778987ECFC57E351E47B9005A8654 /* ArrayTest.swift in Sources */, + 090DBF1159B2EBC6121CE7A25C43E077 /* Cat.swift in Sources */, + 349DDDD57933EC038E197AB311CD9EE0 /* Category.swift in Sources */, + 7FBE764B6393502DFA0BE214E448AFD9 /* ClassModel.swift in Sources */, + B045BC1306771707276CB9229C053D69 /* Client.swift in Sources */, + 8BE87EACAC0762B15EDC69EBD7A114BE /* Dog.swift in Sources */, + C923A3CEB1B961D932EA8674F3C1624C /* EnumArrays.swift in Sources */, + 96B6621209C448453E1885BA9BDCF135 /* EnumClass.swift in Sources */, + DB709E146F237239C63104F1C5EBE07B /* EnumTest.swift in Sources */, + 5B2D440791BB76EA748BB4A569E23434 /* Extensions.swift in Sources */, + 91175A80C63A374714DB3FE8E2A10D63 /* Fake_classname_tags123API.swift in Sources */, + AE931ACCD677929BEEACFC36BF7E599C /* FakeAPI.swift in Sources */, + 221537EB63018A7754EBCFD77365207B /* FakeclassnametagsAPI.swift in Sources */, + 2DE8A243AEE62B187B1D55155A13B1C9 /* FormatTest.swift in Sources */, + DCBCCD7A3FF80774C73079B96532E764 /* HasOnlyReadOnly.swift in Sources */, + 0E2DD1006CC9C02DFAD673DD5280E557 /* List.swift in Sources */, + FE5891A9EF835D86AE2BB2D57CD8D096 /* MapTest.swift in Sources */, + 013738A9F5E8DF3395706FEC20FDF8D7 /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */, + 8C368CB39D3AE9360F707CF96C88668D /* Model200Response.swift in Sources */, + D83B893DA10E7DE300BCA932BFC482FE /* Models.swift in Sources */, + 52C682CEA4D8DDC0AF22641B9846D617 /* Name.swift in Sources */, + 0F5270DB24F4A4548F32041D1CD323DB /* NumberOnly.swift in Sources */, + 6E68210BCE3BDF381A1420941F85677E /* Order.swift in Sources */, + 24C4FB6AC73B140AC544D7F3AD9DEF41 /* OuterEnum.swift in Sources */, + E73383F4147AB8F5103BFE1C68720372 /* Pet.swift in Sources */, + D34D118EDB07AA0B8A9C0A5B675E0B3D /* PetAPI.swift in Sources */, + 13CFA690D9CC702B738AD5BE565A26F8 /* PetstoreClient-dummy.m in Sources */, + 23C1B0BA16848ABB6682F6178610A3BB /* ReadOnlyFirst.swift in Sources */, + EA68CA94EE7F5E0BC134B92492421DF5 /* Return.swift in Sources */, + 0FC47816DB453AC183ECF2D15CBEB71E /* SpecialModelName.swift in Sources */, + 1C108E383325980455CFA85FE8BA1C2D /* StoreAPI.swift in Sources */, + B4E1123BBC7D88BA10BE260B752D7AF4 /* Tag.swift in Sources */, + 3A499A9713E73488885B4E2465EFD87C /* User.swift in Sources */, + EE05C3B3D37B6161230EF7AC42246A39 /* UserAPI.swift in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - EDDE9277BF55CC0EE317B81A0DB026A1 /* Sources */ = { + BDFDEE831A91E115AA482B4E9E9B5CC8 /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 8B68A752ED9CC80E5478E4FEC5A5F721 /* Pods-SwaggerClient-dummy.m in Sources */, + 897985FA042CD12B825C3032898FAB26 /* Pods-SwaggerClientTests-dummy.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; - F0B9B68AEF2C8244DF160B8D7760FC96 /* Sources */ = { + CAA04C85A4D103374E9D4360A031FE9B /* Sources */ = { isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( - 212900708A3B494433AECD019BD79157 /* AdditionalPropertiesClass.swift in Sources */, - 65ED93DEF4591F54C2880494351CA6F7 /* AlamofireImplementations.swift in Sources */, - 49B1F862D3BB1B67D727CA236DCA4186 /* Animal.swift in Sources */, - 23AEDE30379915D1E14CD25D944CEFC0 /* AnimalFarm.swift in Sources */, - CF75AB2ED64CA8ECA674B82141DA316F /* APIHelper.swift in Sources */, - F51BEB4A6F1861204AD8597CAF1FDB70 /* ApiResponse.swift in Sources */, - 8F5948652EA1CF06C34E0D6A830E7BE0 /* APIs.swift in Sources */, - BA86FFC682A2DF3A665412BDF7F8B311 /* ArrayOfArrayOfNumberOnly.swift in Sources */, - 0C4A4EDF05C06B46B99A1D36C0973424 /* ArrayOfNumberOnly.swift in Sources */, - 6F59E16DECD1161E0B5E85CE6C4191CB /* ArrayTest.swift in Sources */, - DDBDBC5F23168FFFB0F12BF8CFE2A331 /* Cat.swift in Sources */, - 5627FC863DAFDCBF304BC5BE3D686579 /* Category.swift in Sources */, - 7B01800C259E84AA3473B97C91BE4413 /* Client.swift in Sources */, - 197DB00E595F00C62788B1239666CF8C /* Dog.swift in Sources */, - AD6C662421FF660459054629765E1FFD /* EnumArrays.swift in Sources */, - D55B44239838DE293637D6649F19BE5E /* EnumClass.swift in Sources */, - 2C449875BD73A407FF53E9380808755D /* EnumTest.swift in Sources */, - E9AEB14DCE9E25709D67501E831A3741 /* Extensions.swift in Sources */, - 9490DA82FE8622215C0773C3BA2CCD8E /* FakeAPI.swift in Sources */, - 6B35E48C6592669D7BEFB7E35F668714 /* FormatTest.swift in Sources */, - A65CA5E8A3E9CAD64CE11435CDB122BF /* HasOnlyReadOnly.swift in Sources */, - D469333019EE55C32F0D24AEB34FF05B /* List.swift in Sources */, - 35822A01775F81D8B7A305FCD2EC77B3 /* MapTest.swift in Sources */, - 3AF25F320BC03E431002BCC54E3DBC1F /* MixedPropertiesAndAdditionalPropertiesClass.swift in Sources */, - 0988131CC53D61D4E48651006AFEEF65 /* Model200Response.swift in Sources */, - 55472E2E4658CD991DD57233461EC825 /* Models.swift in Sources */, - 4C6F42FA59EBB09764862C1D45A6E6E4 /* Name.swift in Sources */, - DD10F0A204C1CD7B1C8D2491AF51B19C /* NumberOnly.swift in Sources */, - C0FFEB35A4789DD451541E14EE8665D3 /* Order.swift in Sources */, - DC8F004AD7DAF6DC2502826B89B37ADA /* Pet.swift in Sources */, - 586A549AC868DDCC812192E3D7358236 /* PetAPI.swift in Sources */, - 5950E448321A164283DD0BFF0B2454D8 /* PetstoreClient-dummy.m in Sources */, - 42B9BD0E336B60310DD54BF6997E0639 /* ReadOnlyFirst.swift in Sources */, - 702217FFA5DB91BE8977CE2035BC9674 /* Return.swift in Sources */, - 04C2E716A99005A656A41D84616AE2A8 /* SpecialModelName.swift in Sources */, - 837D8B267C7FA680961A2278A22B6CBA /* StoreAPI.swift in Sources */, - 052C18D9BBA192DF3EE8BF2E3CE2FA6F /* Tag.swift in Sources */, - 5B0BEBB0CC885FAE26CCA3399D2414BE /* User.swift in Sources */, - DE4ABC7DBFBDCF1D3CA605DF6B89375F /* UserAPI.swift in Sources */, + 91BCA631F516CB40742B0D2B1A211246 /* Pods-SwaggerClient-dummy.m in Sources */, ); runOnlyForDeploymentPostprocessing = 0; }; /* End PBXSourcesBuildPhase section */ /* Begin PBXTargetDependency section */ - 0914D2C9D102467AAEF4C87BF8554F3F /* PBXTargetDependency */ = { + 0BDA04BDC0CA4284616C7044ECE972DB /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + name = RxSwift; + target = 4D2B9AFA8496D210BBF45667A75DC671 /* RxSwift */; + targetProxy = AF4C6DAA6164778C6EBF37BCF640D9CB /* PBXContainerItemProxy */; + }; + 2BCA34A8619FC17AFB64B13EE92340FF /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = Alamofire; - target = 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */; - targetProxy = F1E5395123722AA17088B7B857A96DFB /* PBXContainerItemProxy */; + target = 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */; + targetProxy = F0987BDEAF8B78B1C59BF9D0D522B6F2 /* PBXContainerItemProxy */; }; - 31D9C92344926342E3D2800111C05269 /* PBXTargetDependency */ = { + 4DAA97CFDA7F8099D3A7AFC561A555B9 /* PBXTargetDependency */ = { + isa = PBXTargetDependency; + name = RxSwift; + target = 4D2B9AFA8496D210BBF45667A75DC671 /* RxSwift */; + targetProxy = A50F0C9B9BA00FA72637B7EE5F05D32C /* PBXContainerItemProxy */; + }; + 9188E15F2308611275AADD534748A210 /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = PetstoreClient; - target = C4E60855AA94FBE9BED593C66E802B44 /* PetstoreClient */; - targetProxy = D6508A8A1DB5D04976ECA9641101DB50 /* PBXContainerItemProxy */; + target = 1659E380E4083C0797DF45CB55BD4B06 /* PetstoreClient */; + targetProxy = 2B4A36E763D78D2BA39A638AF167D81A /* PBXContainerItemProxy */; }; - 57DC5B1E798B66E24E2BEC74CDB6BDF2 /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - name = RxSwift; - target = F2EB58B8ED276D1F9F2527FA7E10F017 /* RxSwift */; - targetProxy = 1E7EDC9660FD64A123EAC6BDA4C055AC /* PBXContainerItemProxy */; - }; - C9B7EA4A29DBD0225CC347E19EBAC59F /* PBXTargetDependency */ = { + AF4FFAE64524D9270D895911B9A3ABB3 /* PBXTargetDependency */ = { isa = PBXTargetDependency; name = Alamofire; - target = 79C040AFDDCE1BCBF6D8B5EB0B85887F /* Alamofire */; - targetProxy = 80996B8BB3446668F158E7817336A6E4 /* PBXContainerItemProxy */; - }; - E99BEC0CA5D267345DB18624139BB1B1 /* PBXTargetDependency */ = { - isa = PBXTargetDependency; - name = RxSwift; - target = F2EB58B8ED276D1F9F2527FA7E10F017 /* RxSwift */; - targetProxy = FC6D081637D61546C57A22A579082205 /* PBXContainerItemProxy */; + target = 88E9EC28B8B46C3631E6B242B50F4442 /* Alamofire */; + targetProxy = 0B2AA791B256C6F1530511EEF7AB4A24 /* PBXContainerItemProxy */; }; /* End PBXTargetDependency section */ /* Begin XCBuildConfiguration section */ - 08217EFF5AE225FB3D3816849CCDF66F /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = DFA043364F9F545E06F197708C5DF4F4 /* Alamofire.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - PRODUCT_NAME = Alamofire; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_OPTIMIZATION_LEVEL = "-Onone"; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - 3FA451D268613890FA8A5A03801E11D5 /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - ALWAYS_SEARCH_USER_PATHS = NO; - CLANG_ANALYZER_NONNULL = YES; - CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; - CLANG_CXX_LIBRARY = "libc++"; - CLANG_ENABLE_MODULES = YES; - CLANG_ENABLE_OBJC_ARC = YES; - CLANG_WARN_BOOL_CONVERSION = YES; - CLANG_WARN_CONSTANT_CONVERSION = YES; - CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES; - CLANG_WARN_EMPTY_BODY = YES; - CLANG_WARN_ENUM_CONVERSION = YES; - CLANG_WARN_INT_CONVERSION = YES; - CLANG_WARN_OBJC_ROOT_CLASS = YES; - CLANG_WARN_UNREACHABLE_CODE = YES; - CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; - COPY_PHASE_STRIP = YES; - ENABLE_NS_ASSERTIONS = NO; - GCC_C_LANGUAGE_STANDARD = gnu99; - GCC_PREPROCESSOR_DEFINITIONS = ( - "POD_CONFIGURATION_RELEASE=1", - "$(inherited)", - ); - GCC_WARN_64_TO_32_BIT_CONVERSION = YES; - GCC_WARN_ABOUT_RETURN_TYPE = YES; - GCC_WARN_UNDECLARED_SELECTOR = YES; - GCC_WARN_UNINITIALIZED_AUTOS = YES; - GCC_WARN_UNUSED_FUNCTION = YES; - GCC_WARN_UNUSED_VARIABLE = YES; - IPHONEOS_DEPLOYMENT_TARGET = 9.3; - STRIP_INSTALLED_PRODUCT = NO; - SYMROOT = "${SRCROOT}/../build"; - VALIDATE_PRODUCT = YES; - }; - name = Release; - }; - 4CFB00A9DB30C1AB84EA600E59DA29AC /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = E7115642D80C61530A7AFBF0D201904E /* RxSwift.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/RxSwift/RxSwift-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/RxSwift/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 8.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/RxSwift/RxSwift.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - PRODUCT_NAME = RxSwift; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_OPTIMIZATION_LEVEL = "-Onone"; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - 5AC7EF025F8BAC995BC28B04C8354C99 /* Release */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 86B1DDCB9E27DF43C2C35D9E7B2E84DA /* Pods-SwaggerClient.release.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClient/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.3; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MACH_O_TYPE = staticlib; - MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; - OTHER_LDFLAGS = ""; - OTHER_LIBTOOLFLAGS = ""; - PODS_ROOT = "$(SRCROOT)"; - PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; - PRODUCT_NAME = Pods_SwaggerClient; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Release; - }; - 5E62115DE8C09934BF8D2FE5D15FED1E /* Debug */ = { + 13E96A645A77DAD1FD4F541F18F5DDBF /* Debug */ = { isa = XCBuildConfiguration; buildSettings = { ALWAYS_SEARCH_USER_PATHS = NO; @@ -1554,6 +1443,7 @@ CLANG_WARN_OBJC_ROOT_CLASS = YES; CLANG_WARN_UNREACHABLE_CODE = YES; CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + CODE_SIGNING_REQUIRED = NO; COPY_PHASE_STRIP = NO; ENABLE_TESTABILITY = YES; GCC_C_LANGUAGE_STANDARD = gnu99; @@ -1573,16 +1463,19 @@ GCC_WARN_UNUSED_VARIABLE = YES; IPHONEOS_DEPLOYMENT_TARGET = 9.3; ONLY_ACTIVE_ARCH = YES; + PROVISIONING_PROFILE_SPECIFIER = NO_SIGNING/; STRIP_INSTALLED_PRODUCT = NO; SYMROOT = "${SRCROOT}/../build"; }; name = Debug; }; - 6161884591FEFA5F71C711B597CE27A1 /* Release */ = { + 41F520CFF612518498A587936FC387AB /* Release */ = { isa = XCBuildConfiguration; - baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; + baseConfigurationReference = E7115642D80C61530A7AFBF0D201904E /* RxSwift.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; DEFINES_MODULE = YES; @@ -1591,14 +1484,14 @@ DYLIB_INSTALL_NAME_BASE = "@rpath"; ENABLE_STRICT_OBJC_MSGSEND = YES; GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/PetstoreClient/PetstoreClient-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/PetstoreClient/Info.plist"; + GCC_PREFIX_HEADER = "Target Support Files/RxSwift/RxSwift-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/RxSwift/Info.plist"; INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.0; + IPHONEOS_DEPLOYMENT_TARGET = 8.0; LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/PetstoreClient/PetstoreClient.modulemap"; + MODULEMAP_FILE = "Target Support Files/RxSwift/RxSwift.modulemap"; MTL_ENABLE_DEBUG_INFO = NO; - PRODUCT_NAME = PetstoreClient; + PRODUCT_NAME = RxSwift; SDKROOT = iphoneos; SKIP_INSTALL = YES; SWIFT_VERSION = 3.0; @@ -1608,75 +1501,13 @@ }; name = Release; }; - 784D45BD01B6A4A066ED5EC84115205A /* Release */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = DFA043364F9F545E06F197708C5DF4F4 /* Alamofire.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.0; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; - MTL_ENABLE_DEBUG_INFO = NO; - PRODUCT_NAME = Alamofire; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Release; - }; - A27E1245AFDABFBEB69C61C7323F1E14 /* Debug */ = { - isa = XCBuildConfiguration; - baseConfigurationReference = 969C2AF48F4307163B301A92E78AFCF2 /* Pods-SwaggerClientTests.debug.xcconfig */; - buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - CURRENT_PROJECT_VERSION = 1; - DEBUG_INFORMATION_FORMAT = dwarf; - DEFINES_MODULE = YES; - DYLIB_COMPATIBILITY_VERSION = 1; - DYLIB_CURRENT_VERSION = 1; - DYLIB_INSTALL_NAME_BASE = "@rpath"; - ENABLE_STRICT_OBJC_MSGSEND = YES; - GCC_NO_COMMON_BLOCKS = YES; - INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClientTests/Info.plist"; - INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 9.3; - LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MACH_O_TYPE = staticlib; - MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.modulemap"; - MTL_ENABLE_DEBUG_INFO = YES; - OTHER_LDFLAGS = ""; - OTHER_LIBTOOLFLAGS = ""; - PODS_ROOT = "$(SRCROOT)"; - PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; - PRODUCT_NAME = Pods_SwaggerClientTests; - SDKROOT = iphoneos; - SKIP_INSTALL = YES; - SWIFT_VERSION = 3.0; - TARGETED_DEVICE_FAMILY = "1,2"; - VERSIONING_SYSTEM = "apple-generic"; - VERSION_INFO_PREFIX = ""; - }; - name = Debug; - }; - A91459477FF04D96ED89E9CED1099ABB /* Debug */ = { + 466F03BB1172FC58D62A0C5C6E26CC05 /* Debug */ = { isa = XCBuildConfiguration; baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = dwarf; DEFINES_MODULE = YES; @@ -1703,11 +1534,219 @@ }; name = Debug; }; - DE0D64BEDAD0869824D3EC1C6A2B2208 /* Release */ = { + 621A10F5C0A994B466277661C1B2C19F /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = DFA043364F9F545E06F197708C5DF4F4 /* Alamofire.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + PRODUCT_NAME = Alamofire; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Release; + }; + 6F355BDE9B985A954B8C1269718C073F /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = E7115642D80C61530A7AFBF0D201904E /* RxSwift.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/RxSwift/RxSwift-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/RxSwift/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 8.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/RxSwift/RxSwift.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + PRODUCT_NAME = RxSwift; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + 798EF38B2EE5675B2E1B00FE56665BF4 /* Release */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = DADAB10704E49D6B9E18F59F995BB88F /* PetstoreClient.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/PetstoreClient/PetstoreClient-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/PetstoreClient/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/PetstoreClient/PetstoreClient.modulemap"; + MTL_ENABLE_DEBUG_INFO = NO; + PRODUCT_NAME = PetstoreClient; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Release; + }; + 7DF398BA95C03133FA075421DCE0F3A2 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = 969C2AF48F4307163B301A92E78AFCF2 /* Pods-SwaggerClientTests.debug.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClientTests/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.3; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MACH_O_TYPE = staticlib; + MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + OTHER_LDFLAGS = ""; + OTHER_LIBTOOLFLAGS = ""; + PODS_ROOT = "$(SRCROOT)"; + PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; + PRODUCT_NAME = Pods_SwaggerClientTests; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + 862AF3139CD84E18D34FAF2F43CD0DA6 /* Release */ = { + isa = XCBuildConfiguration; + buildSettings = { + ALWAYS_SEARCH_USER_PATHS = NO; + CLANG_ANALYZER_NONNULL = YES; + CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; + CLANG_CXX_LIBRARY = "libc++"; + CLANG_ENABLE_MODULES = YES; + CLANG_ENABLE_OBJC_ARC = YES; + CLANG_WARN_BOOL_CONVERSION = YES; + CLANG_WARN_CONSTANT_CONVERSION = YES; + CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES; + CLANG_WARN_EMPTY_BODY = YES; + CLANG_WARN_ENUM_CONVERSION = YES; + CLANG_WARN_INT_CONVERSION = YES; + CLANG_WARN_OBJC_ROOT_CLASS = YES; + CLANG_WARN_UNREACHABLE_CODE = YES; + CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; + CODE_SIGNING_REQUIRED = NO; + COPY_PHASE_STRIP = YES; + ENABLE_NS_ASSERTIONS = NO; + GCC_C_LANGUAGE_STANDARD = gnu99; + GCC_PREPROCESSOR_DEFINITIONS = ( + "POD_CONFIGURATION_RELEASE=1", + "$(inherited)", + ); + GCC_WARN_64_TO_32_BIT_CONVERSION = YES; + GCC_WARN_ABOUT_RETURN_TYPE = YES; + GCC_WARN_UNDECLARED_SELECTOR = YES; + GCC_WARN_UNINITIALIZED_AUTOS = YES; + GCC_WARN_UNUSED_FUNCTION = YES; + GCC_WARN_UNUSED_VARIABLE = YES; + IPHONEOS_DEPLOYMENT_TARGET = 9.3; + PROVISIONING_PROFILE_SPECIFIER = NO_SIGNING/; + STRIP_INSTALLED_PRODUCT = NO; + SYMROOT = "${SRCROOT}/../build"; + VALIDATE_PRODUCT = YES; + }; + name = Release; + }; + 8C48CCCB862EC56A4174F6E1715688C9 /* Debug */ = { + isa = XCBuildConfiguration; + baseConfigurationReference = DFA043364F9F545E06F197708C5DF4F4 /* Alamofire.xcconfig */; + buildSettings = { + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; + CURRENT_PROJECT_VERSION = 1; + DEBUG_INFORMATION_FORMAT = dwarf; + DEFINES_MODULE = YES; + DYLIB_COMPATIBILITY_VERSION = 1; + DYLIB_CURRENT_VERSION = 1; + DYLIB_INSTALL_NAME_BASE = "@rpath"; + ENABLE_STRICT_OBJC_MSGSEND = YES; + GCC_NO_COMMON_BLOCKS = YES; + GCC_PREFIX_HEADER = "Target Support Files/Alamofire/Alamofire-prefix.pch"; + INFOPLIST_FILE = "Target Support Files/Alamofire/Info.plist"; + INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; + IPHONEOS_DEPLOYMENT_TARGET = 9.0; + LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; + MODULEMAP_FILE = "Target Support Files/Alamofire/Alamofire.modulemap"; + MTL_ENABLE_DEBUG_INFO = YES; + PRODUCT_NAME = Alamofire; + SDKROOT = iphoneos; + SKIP_INSTALL = YES; + SWIFT_OPTIMIZATION_LEVEL = "-Onone"; + SWIFT_VERSION = 3.0; + TARGETED_DEVICE_FAMILY = "1,2"; + VERSIONING_SYSTEM = "apple-generic"; + VERSION_INFO_PREFIX = ""; + }; + name = Debug; + }; + C45D0F76749207E7E5705591412F9A28 /* Release */ = { isa = XCBuildConfiguration; baseConfigurationReference = 849FECBC6CC67F2B6800F982927E3A9E /* Pods-SwaggerClientTests.release.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; DEFINES_MODULE = YES; @@ -1737,11 +1776,13 @@ }; name = Release; }; - F1F1A3CC13606FEEF2ABA674B2059B17 /* Debug */ = { + C5CA9151745B15E40168EB5564219ADA /* Debug */ = { isa = XCBuildConfiguration; baseConfigurationReference = 549C6527D10094289B101749047807C5 /* Pods-SwaggerClient.debug.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = dwarf; DEFINES_MODULE = YES; @@ -1772,11 +1813,13 @@ }; name = Debug; }; - F8180A5437D656509ADD5F64F2E9C343 /* Release */ = { + DA5584B68BA62D0430D7F179D8B4EA21 /* Release */ = { isa = XCBuildConfiguration; - baseConfigurationReference = E7115642D80C61530A7AFBF0D201904E /* RxSwift.xcconfig */; + baseConfigurationReference = 86B1DDCB9E27DF43C2C35D9E7B2E84DA /* Pods-SwaggerClient.release.xcconfig */; buildSettings = { - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; + "CODE_SIGN_IDENTITY[sdk=appletvos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = ""; + "CODE_SIGN_IDENTITY[sdk=watchos*]" = ""; CURRENT_PROJECT_VERSION = 1; DEBUG_INFORMATION_FORMAT = "dwarf-with-dsym"; DEFINES_MODULE = YES; @@ -1785,14 +1828,18 @@ DYLIB_INSTALL_NAME_BASE = "@rpath"; ENABLE_STRICT_OBJC_MSGSEND = YES; GCC_NO_COMMON_BLOCKS = YES; - GCC_PREFIX_HEADER = "Target Support Files/RxSwift/RxSwift-prefix.pch"; - INFOPLIST_FILE = "Target Support Files/RxSwift/Info.plist"; + INFOPLIST_FILE = "Target Support Files/Pods-SwaggerClient/Info.plist"; INSTALL_PATH = "$(LOCAL_LIBRARY_DIR)/Frameworks"; - IPHONEOS_DEPLOYMENT_TARGET = 8.0; + IPHONEOS_DEPLOYMENT_TARGET = 9.3; LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks @loader_path/Frameworks"; - MODULEMAP_FILE = "Target Support Files/RxSwift/RxSwift.modulemap"; + MACH_O_TYPE = staticlib; + MODULEMAP_FILE = "Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.modulemap"; MTL_ENABLE_DEBUG_INFO = NO; - PRODUCT_NAME = RxSwift; + OTHER_LDFLAGS = ""; + OTHER_LIBTOOLFLAGS = ""; + PODS_ROOT = "$(SRCROOT)"; + PRODUCT_BUNDLE_IDENTIFIER = "org.cocoapods.${PRODUCT_NAME:rfc1034identifier}"; + PRODUCT_NAME = Pods_SwaggerClient; SDKROOT = iphoneos; SKIP_INSTALL = YES; SWIFT_VERSION = 3.0; @@ -1805,56 +1852,56 @@ /* End XCBuildConfiguration section */ /* Begin XCConfigurationList section */ - 245A935A321D16F418F4D34C5D17D2B6 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - A27E1245AFDABFBEB69C61C7323F1E14 /* Debug */, - DE0D64BEDAD0869824D3EC1C6A2B2208 /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; 2D8E8EC45A3A1A1D94AE762CB5028504 /* Build configuration list for PBXProject "Pods" */ = { isa = XCConfigurationList; buildConfigurations = ( - 5E62115DE8C09934BF8D2FE5D15FED1E /* Debug */, - 3FA451D268613890FA8A5A03801E11D5 /* Release */, + 13E96A645A77DAD1FD4F541F18F5DDBF /* Debug */, + 862AF3139CD84E18D34FAF2F43CD0DA6 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - 3CFB42910790CF0BDBCCEBAACD6B9367 /* Build configuration list for PBXNativeTarget "Alamofire" */ = { + 419E5D95491847CD79841B971A8A3277 /* Build configuration list for PBXNativeTarget "Alamofire" */ = { isa = XCConfigurationList; buildConfigurations = ( - 08217EFF5AE225FB3D3816849CCDF66F /* Debug */, - 784D45BD01B6A4A066ED5EC84115205A /* Release */, + 8C48CCCB862EC56A4174F6E1715688C9 /* Debug */, + 621A10F5C0A994B466277661C1B2C19F /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - 7DF97ED1E0EE5A6EE2D512082340E388 /* Build configuration list for PBXNativeTarget "PetstoreClient" */ = { + 8714ADE2D5CC658EE140FCAA7466E8E1 /* Build configuration list for PBXNativeTarget "RxSwift" */ = { isa = XCConfigurationList; buildConfigurations = ( - A91459477FF04D96ED89E9CED1099ABB /* Debug */, - 6161884591FEFA5F71C711B597CE27A1 /* Release */, + 6F355BDE9B985A954B8C1269718C073F /* Debug */, + 41F520CFF612518498A587936FC387AB /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - C17E886D20DFCEDEFC84423D6652F7EE /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */ = { + 93731AE6CEEC94039ABF4BE22F8F02C3 /* Build configuration list for PBXNativeTarget "PetstoreClient" */ = { isa = XCConfigurationList; buildConfigurations = ( - F1F1A3CC13606FEEF2ABA674B2059B17 /* Debug */, - 5AC7EF025F8BAC995BC28B04C8354C99 /* Release */, + 466F03BB1172FC58D62A0C5C6E26CC05 /* Debug */, + 798EF38B2EE5675B2E1B00FE56665BF4 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; }; - CE8777EAC188365AD9FDF766368E9E8F /* Build configuration list for PBXNativeTarget "RxSwift" */ = { + B462F7329881FF6565EF44016BE2B959 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClientTests" */ = { isa = XCConfigurationList; buildConfigurations = ( - 4CFB00A9DB30C1AB84EA600E59DA29AC /* Debug */, - F8180A5437D656509ADD5F64F2E9C343 /* Release */, + 7DF398BA95C03133FA075421DCE0F3A2 /* Debug */, + C45D0F76749207E7E5705591412F9A28 /* Release */, + ); + defaultConfigurationIsVisible = 0; + defaultConfigurationName = Release; + }; + F74B56615E0AC0F998019998CF3D73B7 /* Build configuration list for PBXNativeTarget "Pods-SwaggerClient" */ = { + isa = XCConfigurationList; + buildConfigurations = ( + C5CA9151745B15E40168EB5564219ADA /* Debug */, + DA5584B68BA62D0430D7F179D8B4EA21 /* Release */, ); defaultConfigurationIsVisible = 0; defaultConfigurationName = Release; diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h index 6b71676a9bd4..02327b85e884 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Alamofire/Alamofire-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double AlamofireVersionNumber; diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h index 75c63f7c53e0..435b682a1068 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/PetstoreClient/PetstoreClient-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double PetstoreClientVersionNumber; diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown index a58bb263e128..17a96585de11 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.markdown @@ -1,234 +1,6 @@ # Acknowledgements This application makes use of the following third party libraries: -## Alamofire - -Copyright (c) 2014-2016 Alamofire Software Foundation (http://alamofire.org/) - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. - - -## PetstoreClient - - Apache License - Version 2.0, January 2004 - http://www.apache.org/licenses/ - - TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION - - 1. Definitions. - - "License" shall mean the terms and conditions for use, reproduction, - and distribution as defined by Sections 1 through 9 of this document. - - "Licensor" shall mean the copyright owner or entity authorized by - the copyright owner that is granting the License. - - "Legal Entity" shall mean the union of the acting entity and all - other entities that control, are controlled by, or are under common - control with that entity. For the purposes of this definition, - "control" means (i) the power, direct or indirect, to cause the - direction or management of such entity, whether by contract or - otherwise, or (ii) ownership of fifty percent (50%) or more of the - outstanding shares, or (iii) beneficial ownership of such entity. - - "You" (or "Your") shall mean an individual or Legal Entity - exercising permissions granted by this License. - - "Source" form shall mean the preferred form for making modifications, - including but not limited to software source code, documentation - source, and configuration files. - - "Object" form shall mean any form resulting from mechanical - transformation or translation of a Source form, including but - not limited to compiled object code, generated documentation, - and conversions to other media types. - - "Work" shall mean the work of authorship, whether in Source or - Object form, made available under the License, as indicated by a - copyright notice that is included in or attached to the work - (an example is provided in the Appendix below). - - "Derivative Works" shall mean any work, whether in Source or Object - form, that is based on (or derived from) the Work and for which the - editorial revisions, annotations, elaborations, or other modifications - represent, as a whole, an original work of authorship. For the purposes - of this License, Derivative Works shall not include works that remain - separable from, or merely link (or bind by name) to the interfaces of, - the Work and Derivative Works thereof. - - "Contribution" shall mean any work of authorship, including - the original version of the Work and any modifications or additions - to that Work or Derivative Works thereof, that is intentionally - submitted to Licensor for inclusion in the Work by the copyright owner - or by an individual or Legal Entity authorized to submit on behalf of - the copyright owner. For the purposes of this definition, "submitted" - means any form of electronic, verbal, or written communication sent - to the Licensor or its representatives, including but not limited to - communication on electronic mailing lists, source code control systems, - and issue tracking systems that are managed by, or on behalf of, the - Licensor for the purpose of discussing and improving the Work, but - excluding communication that is conspicuously marked or otherwise - designated in writing by the copyright owner as "Not a Contribution." - - "Contributor" shall mean Licensor and any individual or Legal Entity - on behalf of whom a Contribution has been received by Licensor and - subsequently incorporated within the Work. - - 2. Grant of Copyright License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - copyright license to reproduce, prepare Derivative Works of, - publicly display, publicly perform, sublicense, and distribute the - Work and such Derivative Works in Source or Object form. - - 3. Grant of Patent License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - (except as stated in this section) patent license to make, have made, - use, offer to sell, sell, import, and otherwise transfer the Work, - where such license applies only to those patent claims licensable - by such Contributor that are necessarily infringed by their - Contribution(s) alone or by combination of their Contribution(s) - with the Work to which such Contribution(s) was submitted. If You - institute patent litigation against any entity (including a - cross-claim or counterclaim in a lawsuit) alleging that the Work - or a Contribution incorporated within the Work constitutes direct - or contributory patent infringement, then any patent licenses - granted to You under this License for that Work shall terminate - as of the date such litigation is filed. - - 4. Redistribution. You may reproduce and distribute copies of the - Work or Derivative Works thereof in any medium, with or without - modifications, and in Source or Object form, provided that You - meet the following conditions: - - (a) You must give any other recipients of the Work or - Derivative Works a copy of this License; and - - (b) You must cause any modified files to carry prominent notices - stating that You changed the files; and - - (c) You must retain, in the Source form of any Derivative Works - that You distribute, all copyright, patent, trademark, and - attribution notices from the Source form of the Work, - excluding those notices that do not pertain to any part of - the Derivative Works; and - - (d) If the Work includes a "NOTICE" text file as part of its - distribution, then any Derivative Works that You distribute must - include a readable copy of the attribution notices contained - within such NOTICE file, excluding those notices that do not - pertain to any part of the Derivative Works, in at least one - of the following places: within a NOTICE text file distributed - as part of the Derivative Works; within the Source form or - documentation, if provided along with the Derivative Works; or, - within a display generated by the Derivative Works, if and - wherever such third-party notices normally appear. The contents - of the NOTICE file are for informational purposes only and - do not modify the License. You may add Your own attribution - notices within Derivative Works that You distribute, alongside - or as an addendum to the NOTICE text from the Work, provided - that such additional attribution notices cannot be construed - as modifying the License. - - You may add Your own copyright statement to Your modifications and - may provide additional or different license terms and conditions - for use, reproduction, or distribution of Your modifications, or - for any such Derivative Works as a whole, provided Your use, - reproduction, and distribution of the Work otherwise complies with - the conditions stated in this License. - - 5. Submission of Contributions. Unless You explicitly state otherwise, - any Contribution intentionally submitted for inclusion in the Work - by You to the Licensor shall be under the terms and conditions of - this License, without any additional terms or conditions. - Notwithstanding the above, nothing herein shall supersede or modify - the terms of any separate license agreement you may have executed - with Licensor regarding such Contributions. - - 6. Trademarks. This License does not grant permission to use the trade - names, trademarks, service marks, or product names of the Licensor, - except as required for reasonable and customary use in describing the - origin of the Work and reproducing the content of the NOTICE file. - - 7. Disclaimer of Warranty. Unless required by applicable law or - agreed to in writing, Licensor provides the Work (and each - Contributor provides its Contributions) on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or - implied, including, without limitation, any warranties or conditions - of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A - PARTICULAR PURPOSE. You are solely responsible for determining the - appropriateness of using or redistributing the Work and assume any - risks associated with Your exercise of permissions under this License. - - 8. Limitation of Liability. In no event and under no legal theory, - whether in tort (including negligence), contract, or otherwise, - unless required by applicable law (such as deliberate and grossly - negligent acts) or agreed to in writing, shall any Contributor be - liable to You for damages, including any direct, indirect, special, - incidental, or consequential damages of any character arising as a - result of this License or out of the use or inability to use the - Work (including but not limited to damages for loss of goodwill, - work stoppage, computer failure or malfunction, or any and all - other commercial damages or losses), even if such Contributor - has been advised of the possibility of such damages. - - 9. Accepting Warranty or Additional Liability. While redistributing - the Work or Derivative Works thereof, You may choose to offer, - and charge a fee for, acceptance of support, warranty, indemnity, - or other liability obligations and/or rights consistent with this - License. However, in accepting such obligations, You may act only - on Your own behalf and on Your sole responsibility, not on behalf - of any other Contributor, and only if You agree to indemnify, - defend, and hold each Contributor harmless for any liability - incurred by, or claims asserted against, such Contributor by reason - of your accepting any such warranty or additional liability. - - END OF TERMS AND CONDITIONS - - APPENDIX: How to apply the Apache License to your work. - - To apply the Apache License to your work, attach the following - boilerplate notice, with the fields enclosed by brackets "{}" - replaced with your own identifying information. (Don't include - the brackets!) The text should be enclosed in the appropriate - comment syntax for the file format. We also recommend that a - file or class name and description of purpose be included on the - same "printed page" as the copyright notice for easier - identification within third-party archives. - - Copyright {yyyy} {name of copyright owner} - - Licensed under the Apache License, Version 2.0 (the "License"); - you may not use this file except in compliance with the License. - You may obtain a copy of the License at - - http://www.apache.org/licenses/LICENSE-2.0 - - Unless required by applicable law or agreed to in writing, software - distributed under the License is distributed on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - See the License for the specific language governing permissions and - limitations under the License. - - ## RxSwift **The MIT License** diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist index e1bbdff7fc10..a9fa5ece37f7 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-acknowledgements.plist @@ -12,246 +12,10 @@ Type PSGroupSpecifier - - FooterText - Copyright (c) 2014-2016 Alamofire Software Foundation (http://alamofire.org/) - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. - - Title - Alamofire - Type - PSGroupSpecifier - - - FooterText - Apache License - Version 2.0, January 2004 - http://www.apache.org/licenses/ - - TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION - - 1. Definitions. - - "License" shall mean the terms and conditions for use, reproduction, - and distribution as defined by Sections 1 through 9 of this document. - - "Licensor" shall mean the copyright owner or entity authorized by - the copyright owner that is granting the License. - - "Legal Entity" shall mean the union of the acting entity and all - other entities that control, are controlled by, or are under common - control with that entity. For the purposes of this definition, - "control" means (i) the power, direct or indirect, to cause the - direction or management of such entity, whether by contract or - otherwise, or (ii) ownership of fifty percent (50%) or more of the - outstanding shares, or (iii) beneficial ownership of such entity. - - "You" (or "Your") shall mean an individual or Legal Entity - exercising permissions granted by this License. - - "Source" form shall mean the preferred form for making modifications, - including but not limited to software source code, documentation - source, and configuration files. - - "Object" form shall mean any form resulting from mechanical - transformation or translation of a Source form, including but - not limited to compiled object code, generated documentation, - and conversions to other media types. - - "Work" shall mean the work of authorship, whether in Source or - Object form, made available under the License, as indicated by a - copyright notice that is included in or attached to the work - (an example is provided in the Appendix below). - - "Derivative Works" shall mean any work, whether in Source or Object - form, that is based on (or derived from) the Work and for which the - editorial revisions, annotations, elaborations, or other modifications - represent, as a whole, an original work of authorship. For the purposes - of this License, Derivative Works shall not include works that remain - separable from, or merely link (or bind by name) to the interfaces of, - the Work and Derivative Works thereof. - - "Contribution" shall mean any work of authorship, including - the original version of the Work and any modifications or additions - to that Work or Derivative Works thereof, that is intentionally - submitted to Licensor for inclusion in the Work by the copyright owner - or by an individual or Legal Entity authorized to submit on behalf of - the copyright owner. For the purposes of this definition, "submitted" - means any form of electronic, verbal, or written communication sent - to the Licensor or its representatives, including but not limited to - communication on electronic mailing lists, source code control systems, - and issue tracking systems that are managed by, or on behalf of, the - Licensor for the purpose of discussing and improving the Work, but - excluding communication that is conspicuously marked or otherwise - designated in writing by the copyright owner as "Not a Contribution." - - "Contributor" shall mean Licensor and any individual or Legal Entity - on behalf of whom a Contribution has been received by Licensor and - subsequently incorporated within the Work. - - 2. Grant of Copyright License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - copyright license to reproduce, prepare Derivative Works of, - publicly display, publicly perform, sublicense, and distribute the - Work and such Derivative Works in Source or Object form. - - 3. Grant of Patent License. Subject to the terms and conditions of - this License, each Contributor hereby grants to You a perpetual, - worldwide, non-exclusive, no-charge, royalty-free, irrevocable - (except as stated in this section) patent license to make, have made, - use, offer to sell, sell, import, and otherwise transfer the Work, - where such license applies only to those patent claims licensable - by such Contributor that are necessarily infringed by their - Contribution(s) alone or by combination of their Contribution(s) - with the Work to which such Contribution(s) was submitted. If You - institute patent litigation against any entity (including a - cross-claim or counterclaim in a lawsuit) alleging that the Work - or a Contribution incorporated within the Work constitutes direct - or contributory patent infringement, then any patent licenses - granted to You under this License for that Work shall terminate - as of the date such litigation is filed. - - 4. Redistribution. You may reproduce and distribute copies of the - Work or Derivative Works thereof in any medium, with or without - modifications, and in Source or Object form, provided that You - meet the following conditions: - - (a) You must give any other recipients of the Work or - Derivative Works a copy of this License; and - - (b) You must cause any modified files to carry prominent notices - stating that You changed the files; and - - (c) You must retain, in the Source form of any Derivative Works - that You distribute, all copyright, patent, trademark, and - attribution notices from the Source form of the Work, - excluding those notices that do not pertain to any part of - the Derivative Works; and - - (d) If the Work includes a "NOTICE" text file as part of its - distribution, then any Derivative Works that You distribute must - include a readable copy of the attribution notices contained - within such NOTICE file, excluding those notices that do not - pertain to any part of the Derivative Works, in at least one - of the following places: within a NOTICE text file distributed - as part of the Derivative Works; within the Source form or - documentation, if provided along with the Derivative Works; or, - within a display generated by the Derivative Works, if and - wherever such third-party notices normally appear. The contents - of the NOTICE file are for informational purposes only and - do not modify the License. You may add Your own attribution - notices within Derivative Works that You distribute, alongside - or as an addendum to the NOTICE text from the Work, provided - that such additional attribution notices cannot be construed - as modifying the License. - - You may add Your own copyright statement to Your modifications and - may provide additional or different license terms and conditions - for use, reproduction, or distribution of Your modifications, or - for any such Derivative Works as a whole, provided Your use, - reproduction, and distribution of the Work otherwise complies with - the conditions stated in this License. - - 5. Submission of Contributions. Unless You explicitly state otherwise, - any Contribution intentionally submitted for inclusion in the Work - by You to the Licensor shall be under the terms and conditions of - this License, without any additional terms or conditions. - Notwithstanding the above, nothing herein shall supersede or modify - the terms of any separate license agreement you may have executed - with Licensor regarding such Contributions. - - 6. Trademarks. This License does not grant permission to use the trade - names, trademarks, service marks, or product names of the Licensor, - except as required for reasonable and customary use in describing the - origin of the Work and reproducing the content of the NOTICE file. - - 7. Disclaimer of Warranty. Unless required by applicable law or - agreed to in writing, Licensor provides the Work (and each - Contributor provides its Contributions) on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or - implied, including, without limitation, any warranties or conditions - of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A - PARTICULAR PURPOSE. You are solely responsible for determining the - appropriateness of using or redistributing the Work and assume any - risks associated with Your exercise of permissions under this License. - - 8. Limitation of Liability. In no event and under no legal theory, - whether in tort (including negligence), contract, or otherwise, - unless required by applicable law (such as deliberate and grossly - negligent acts) or agreed to in writing, shall any Contributor be - liable to You for damages, including any direct, indirect, special, - incidental, or consequential damages of any character arising as a - result of this License or out of the use or inability to use the - Work (including but not limited to damages for loss of goodwill, - work stoppage, computer failure or malfunction, or any and all - other commercial damages or losses), even if such Contributor - has been advised of the possibility of such damages. - - 9. Accepting Warranty or Additional Liability. While redistributing - the Work or Derivative Works thereof, You may choose to offer, - and charge a fee for, acceptance of support, warranty, indemnity, - or other liability obligations and/or rights consistent with this - License. However, in accepting such obligations, You may act only - on Your own behalf and on Your sole responsibility, not on behalf - of any other Contributor, and only if You agree to indemnify, - defend, and hold each Contributor harmless for any liability - incurred by, or claims asserted against, such Contributor by reason - of your accepting any such warranty or additional liability. - - END OF TERMS AND CONDITIONS - - APPENDIX: How to apply the Apache License to your work. - - To apply the Apache License to your work, attach the following - boilerplate notice, with the fields enclosed by brackets "{}" - replaced with your own identifying information. (Don't include - the brackets!) The text should be enclosed in the appropriate - comment syntax for the file format. We also recommend that a - file or class name and description of purpose be included on the - same "printed page" as the copyright notice for easier - identification within third-party archives. - - Copyright {yyyy} {name of copyright owner} - - Licensed under the Apache License, Version 2.0 (the "License"); - you may not use this file except in compliance with the License. - You may obtain a copy of the License at - - http://www.apache.org/licenses/LICENSE-2.0 - - Unless required by applicable law or agreed to in writing, software - distributed under the License is distributed on an "AS IS" BASIS, - WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - See the License for the specific language governing permissions and - limitations under the License. - - Title - PetstoreClient - Type - PSGroupSpecifier - FooterText **The MIT License** -**Copyright © 2015 Krunoslav Zaher** +**Copyright © 2015 Krunoslav Zaher** **All rights reserved.** Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: @@ -259,6 +23,8 @@ Permission is hereby granted, free of charge, to any person obtaining a copy of The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + License + MIT Title RxSwift Type diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh index 0a1561528cb9..25e9d37757fc 100755 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-resources.sh @@ -23,12 +23,6 @@ case "${TARGETED_DEVICE_FAMILY}" in ;; esac -realpath() { - DIRECTORY="$(cd "${1%/*}" && pwd)" - FILENAME="${1##*/}" - echo "$DIRECTORY/$FILENAME" -} - install_resource() { if [[ "$1" = /* ]] ; then @@ -70,7 +64,7 @@ EOM xcrun mapc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcmappingmodel`.cdm" ;; *.xcassets) - ABSOLUTE_XCASSET_FILE=$(realpath "$RESOURCE_PATH") + ABSOLUTE_XCASSET_FILE="$RESOURCE_PATH" XCASSET_FILES+=("$ABSOLUTE_XCASSET_FILE") ;; *) @@ -93,7 +87,7 @@ then # Find all other xcassets (this unfortunately includes those of path pods and other targets). OTHER_XCASSETS=$(find "$PWD" -iname "*.xcassets" -type d) while read line; do - if [[ $line != "`realpath $PODS_ROOT`*" ]]; then + if [[ $line != "${PODS_ROOT}*" ]]; then XCASSET_FILES+=("$line") fi done <<<"$OTHER_XCASSETS" diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h index b68fbb9611fa..2bdb03cd9399 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double Pods_SwaggerClientVersionNumber; diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig index 12fbf9e3f3a2..6bee65857b25 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.debug.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = YES EMBEDDED_CONTENT_CONTAINS_SWIFT = YES FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/RxSwift" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig index 12fbf9e3f3a2..6bee65857b25 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClient/Pods-SwaggerClient.release.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = YES EMBEDDED_CONTENT_CONTAINS_SWIFT = YES FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/RxSwift" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh index 0a1561528cb9..25e9d37757fc 100755 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-resources.sh @@ -23,12 +23,6 @@ case "${TARGETED_DEVICE_FAMILY}" in ;; esac -realpath() { - DIRECTORY="$(cd "${1%/*}" && pwd)" - FILENAME="${1##*/}" - echo "$DIRECTORY/$FILENAME" -} - install_resource() { if [[ "$1" = /* ]] ; then @@ -70,7 +64,7 @@ EOM xcrun mapc "$RESOURCE_PATH" "${TARGET_BUILD_DIR}/${UNLOCALIZED_RESOURCES_FOLDER_PATH}/`basename "$RESOURCE_PATH" .xcmappingmodel`.cdm" ;; *.xcassets) - ABSOLUTE_XCASSET_FILE=$(realpath "$RESOURCE_PATH") + ABSOLUTE_XCASSET_FILE="$RESOURCE_PATH" XCASSET_FILES+=("$ABSOLUTE_XCASSET_FILE") ;; *) @@ -93,7 +87,7 @@ then # Find all other xcassets (this unfortunately includes those of path pods and other targets). OTHER_XCASSETS=$(find "$PWD" -iname "*.xcassets" -type d) while read line; do - if [[ $line != "`realpath $PODS_ROOT`*" ]]; then + if [[ $line != "${PODS_ROOT}*" ]]; then XCASSET_FILES+=("$line") fi done <<<"$OTHER_XCASSETS" diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h index fb4cae0c0fdc..950bb19ca7a1 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double Pods_SwaggerClientTestsVersionNumber; diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig index 2c96b0511c80..baa93dce4dc1 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.debug.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/RxSwift" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 LD_RUNPATH_SEARCH_PATHS = $(inherited) '@executable_path/Frameworks' '@loader_path/Frameworks' diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig index 2c96b0511c80..baa93dce4dc1 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/Pods-SwaggerClientTests/Pods-SwaggerClientTests.release.xcconfig @@ -1,3 +1,4 @@ +ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO FRAMEWORK_SEARCH_PATHS = $(inherited) "$PODS_CONFIGURATION_BUILD_DIR/Alamofire" "$PODS_CONFIGURATION_BUILD_DIR/PetstoreClient" "$PODS_CONFIGURATION_BUILD_DIR/RxSwift" GCC_PREPROCESSOR_DEFINITIONS = $(inherited) COCOAPODS=1 LD_RUNPATH_SEARCH_PATHS = $(inherited) '@executable_path/Frameworks' '@loader_path/Frameworks' diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/RxSwift/RxSwift-umbrella.h b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/RxSwift/RxSwift-umbrella.h index b36f5f10373e..91c9282a73e8 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/RxSwift/RxSwift-umbrella.h +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/Pods/Target Support Files/RxSwift/RxSwift-umbrella.h @@ -1,4 +1,6 @@ +#ifdef __OBJC__ #import +#endif FOUNDATION_EXPORT double RxSwiftVersionNumber; diff --git a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj index 598d21e782e1..42c123e8f5b6 100644 --- a/samples/client/petstore/swift3/rxswift/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj +++ b/samples/client/petstore/swift3/rxswift/SwaggerClientTests/SwaggerClient.xcodeproj/project.pbxproj @@ -281,7 +281,7 @@ ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; - shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [[ $? != 0 ]] ; then\n cat << EOM\nerror: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\nEOM\n exit 1\nfi\n"; + shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n"; showEnvVarsInLog = 0; }; 898E536ECC2C4811DDDF67C1 /* [CP] Check Pods Manifest.lock */ = { @@ -296,7 +296,7 @@ ); runOnlyForDeploymentPostprocessing = 0; shellPath = /bin/sh; - shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [[ $? != 0 ]] ; then\n cat << EOM\nerror: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\nEOM\n exit 1\nfi\n"; + shellScript = "diff \"${PODS_ROOT}/../Podfile.lock\" \"${PODS_ROOT}/Manifest.lock\" > /dev/null\nif [ $? != 0 ] ; then\n # print error to STDERR\n echo \"error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.\" >&2\n exit 1\nfi\n"; showEnvVarsInLog = 0; }; 8A7961360961F06AADAF17C9 /* [CP] Embed Pods Frameworks */ = {