JsonAPI is a Swift JSON:API standard implementation.
 It has been greatly inspired from another library: Vox.
This library allows several types of use, from framework style to "raw" JSON:API object manipulation.
- Xcode 13.x
- Swift 5.5
These are currently the supported installation options:
To integrate JsonAPI into your Xcode project using Carthage, specify it in your Cartfile:
github "Aveine/JsonAPI" ~> 2.0 For usage and installation instructions, visit their website.
To integrate JsonAPI into your Xcode project using CocoaPods, specify it in your Podfile:
pod 'JsonAPISwift', '~> 2.0' For usage and installation instructions, visit their website.
To integrate JsonAPI into your Xcode project using Swift Package Manager, specify it in your Package.swift:
dependencies: [ .package(url: "https://github.com/aveine/JsonAPI.git", .upToNextMajor(from: "2.0.0")) ]For usage and installation instructions, visit their website.
import JsonAPI class Article: Resource { /*--------------- Attributes ---------------*/ var title: String? var descriptionText: String? var keywords: [String]? var viewsCount: Int? var isFeatured: Bool? var customObject: [String: Any]? /*----------- Nested Attributes ------------*/ struct Tag: ResourceNestedAttribute { var name: String? var meta: [String: Any]? /*---------- Custom mechanics ----------*/ /** Override the keys expected in the JSON API resource object's attributes to match the nested object's attributes Format => [resourceObjectAttributeKey: nestedObjectKey] */ override class var nestedAttributesKeys: [String : String] { return [ "tagName": "name" ] } /** Attributes that won't be serialized when serializing to a JSON API resource object */ override class var nestedExcludedAttributes: [String] { return [ "meta" ] } } var mainTag: Tag? var tags: [Tag]? /*------------- Relationships -------------*/ var authors: [Person]? var editor: Person? /*------------- Resource type -------------*/ // resource type should be defined, otherwise it is the class name override class var resourceType: String { return "articles" } /*------------- Custom mechanics -------------*/ /** Override the keys expected in the JSON API resource object's attributes to match the model's attributes Format => [resourceObjectAttributeKey: modelKey] */ override class var resourceAttributesKeys: [String : String] { return [ "description": "descriptionText" ] } /** Attributes that won't be serialized when serializing to a JSON API resource object */ override class var resourceExcludedAttributes: [String] { return [ "customObject" ] } }Create a client that will be used to communicate with your JSON:API server and which inherit from the following protocol Client:
/** A client using the library */ public protocol Client: AnyObject { /** Execute the request with the given parameters - Parameter path: Path on which the client must execute the request - Parameter method: HTTP method the client must use to execute the request - Parameter queryItems: Potential query items the client must send along with the request - Parameter body: Potential body the client must send along with the request - Parameter userInfo: Potential meta information that the user can provide to the client - Returns The response of the executed request */ func executeRequest(path: String, method: HttpMethod, queryItems: [URLQueryItem]?, body: Document.JsonObject?, userInfo: [String: Any]?) async throws -> ClientSuccessResponse } /** Represent a client success response */ public struct ClientSuccessResponse { /** HTTP metadata associated with the response */ public let response: HTTPURLResponse? /** Raw data present in the response from the HTTP request */ public let data: Data? /** Constructor - Parameter response: The HTTP metadata associated with the response - Parameter data: The raw data present in the response from the HTTP request */ public init(_ response: HTTPURLResponse?, _ data: Data?) { self.response = response self.data = data } } /** Different errors that can be returned by a client */ public enum ClientError: Error { /** Allow to correlate an error with raw response data from the HTTP request - Parameter error The error generating the failure - Parameter data The raw response data from the HTTP request related to the error */ case failure(_ error: Error?, _ data: Data?) }Within the executeRequest method use any networking library that you want.
For example with Alamofire you can create a client like this:
import JsonAPI import Alamofire public class AlamofireClient: Client { let baseUrl: URL public init() { self.baseUrl = URL(string: "https://api.com")! } func getHeaders() -> HTTPHeaders { return [ "Content-Type": "application/vnd.api+json", "Accept": "application/vnd.api+json" ] } public func executeRequest(path: String, method: HttpMethod, queryItems: [URLQueryItem]?, body: Document.JsonObject?, userInfo: [String: Any]?) async throws -> ClientSuccessResponse { var urlComponents = URLComponents.init(url: self.baseUrl.appendingPathComponent(path), resolvingAgainstBaseURL: false)! urlComponents.queryItems = queryItems let url = try! urlComponents.asURL() var request = URLRequest(url: url) request.httpMethod = method.rawValue self.getHeaders().forEach { request.setValue($0.value, forHTTPHeaderField: $0.name) } if let body = body { request.httpBody = try! JSONSerialization.data(withJSONObject: body) } let response = await AF .request(request) .validate(statusCode: 200..<300) .validate(contentType: ["application/vnd.api+json"]) .serializingData() .response if let error = response.error { throw ClientError.failure(error, response.data) } else { return ClientSuccessResponse(response.response, response.value) } } }The most common way to interact with your resource is to define a data source:
import JsonAPI let client = AlamofireClient() let dataSourceRouter = DataSource<Article>(client: client, strategy: .router(ScrudRouter())) let dataSourcePath = DataSource<Article>(client: client, strategy: .path("/<type>/<id>"))A data source need to have a strategy specified to know how to interact with your resource. The strategy can either be a router or a path.
For the strategy path, <id> and <type> annotations can be used. If possible, they'll get replaced with adequate values.
Routers allow you to define the paths to interacts with the resources.
For example, this is the implementation of the ScrudRouter within the library:
/** Router for classical SCRUD paths architecture - Search: resourceType - Create: resourceType - Read: resourceType/id - Update: resourceType/id - Delete: resourceType/id */ public class ScrudRouter: Router { public init() {} public func search(type: String) -> String { return type } public func create(resource: Resource) -> String { return resource.type } public func read(type: String, id: String) -> String { return "\(type)/\(id)" } public func update(resource: Resource) -> String { return "\(resource.type)/\(resource.id ?? "")" } public func delete(type: String, id: String) -> String { return "\(type)/\(id)" } public func delete(resource: Resource) -> String { return "\(resource.type)/\(resource.id ?? "")" } }import JsonAPI let client = AlamofireClient() let dataSource = DataSource<Article>(client: client, strategy: .router(ScrudRouter())) let articles = try await dataSource .search() .result()import JsonAPI let client = AlamofireClient() let dataSource = DataSource<Article>(client: client, strategy: .router(ScrudRouter())) let article = try await dataSource .read(id: "1") .result()import JsonAPI let client = AlamofireClient() let dataSource = DataSource<Article>(client: client, strategy: .router(ScrudRouter())) let article = Article() article.id = "1" article.title = "Title" let createdArticle try await dataSource .create(article) .result()import JsonAPI let client = AlamofireClient() let dataSource = DataSource<Article>(client: client, strategy: .router(ScrudRouter())) let article = Article() article.id = "1" article.title = "Another Title" let updatedArticle = try await dataSource .update(article) .result()import JsonAPI let client = AlamofireClient() let dataSource = DataSource<Article>(client: client, strategy: .router(ScrudRouter())) let article = Article() article.id = "1" let deletedArticle = try await dataSource .delete(article) .result()Or if you don't have previously fetched the resource:
import JsonAPI let client = AlamofireClient() let dataSource = DataSource<Article>(client: client, strategy: .router(ScrudRouter())) let deletedArticle = try await dataSource .delete(id: "1") .result()Since Pagination and Filtering can vary by server implementation, here is an example of how the library can be extended to support them.
extension ResourceCollectionRequest { /** Append the given filters to the request's query items - Parameter filters: Filters to append - Returns: The request with the filters query appended */ public func filters( _ filters: [ String: [ String ] ] ) -> Self { var queryItems: [ URLQueryItem ] = [] for filter in filters { queryItems.append( URLQueryItem( name: "filter[\(filter.key)]", value: filter.value.joined( separator: "," ) ) ) } return self.queryItems( queryItems ) } /** Append the given filters to the request's query items - Parameter key: Key of filter to append - Parameter value: Value(s) of filter to append - Returns: The request with the filters query appended */ public func filter( _ key: String, _ value: String...) -> Self { return self.filters( [ key: value ] ) } /** Append the given paging parameters to the request's query items - Parameter size: Maximum number of items to return - Parameter number: Page number to return - Returns: The request with the page query appended */ public func page( _ size: Int, number: Int? = nil ) -> Self { var queryItems: [ URLQueryItem ] = [ URLQueryItem( name: "page[size]", value: String( size ) ) ] if let number = number { queryItems.append( URLQueryItem( name: "page[number]", value: String( number ) ) ) } return self.queryItems( queryItems ) } }!! Section in progress !!
A complete API documentation can be found here.
import JsonAPI let client = AlamofireClient() let resourceRequest = ResourceRequest<Article>(path: "/articles/1", method: HttpMethod.get, client: client, resource: nil) let resourceCollectionRequest = ResourceCollectionRequest<Article>(path: "/articles", method: HttpMethod.get, client: client, resource: nil) let article = try await resourceRequest.result() let articles = try await resourceCollectionRequest.result()Coming soon