JSONCodable alternatives and similar libraries
Based on the "JSON" category.
Alternatively, view JSONCodable alternatives based on common mentions on social networks and blogs.
-
AlamofireObjectMapper
An Alamofire extension which converts JSON response data into swift objects using ObjectMapper -
Gloss
DISCONTINUED. [Deprecated] A shiny JSON parsing library in Swift :sparkles: Loved by many from 2015-2021 -
EVReflection
Reflection based (Dictionary, CKRecord, NSManagedObject, Realm, JSON and XML) object mapping with extensions for Alamofire and Moya with RxSwift or ReactiveSwift -
JSONHelper
โ Convert anything into anything in one operation; JSON data into class instances, hex strings into UIColor/NSColor, y/n strings to booleans, arrays and dictionaries of these; anything you can make sense of! -
Genome
A simple, type safe, failure driven mapping library for serializing JSON to models in Swift 3.0 (Supports Linux) -
CodableAlamofire
DISCONTINUED. An extension for Alamofire that converts JSON data into Decodable objects. -
Elevate
Elevate is a JSON parsing framework that leverages Swift to make parsing simple, reliable and composable. -
JSONNeverDie
Auto reflection tool from JSON to Model, user friendly JSON encoder / decoder, aims to never die -
AlamofireJsonToObjects
An Alamofire extension which converts JSON response data into swift objects using EVReflection -
DynamicUI
Create a SwiftUI user interface through a JSON file. The JSON file will contain the structure of the user interface, and the program will create the user interface based on the JSON file.
InfluxDB - Purpose built for real-time analytics at any scale.
* Code Quality Rankings and insights are calculated and provided by Lumnify.
They vary from L1 to L5 with "L5" being the highest.
Do you think we are missing an alternative of JSONCodable or a related project?
README
JSONCodable
Hassle-free JSON encoding and decoding in Swift
Installation
Simply add the following to your
Cartfile
and runcarthage update
:github "matthewcheok/JSONCodable" ~> 3.0.1
or add the following to your
Podfile
and runpod install
:pod 'JSONCodable', '~> 3.0.1'
or clone as a git submodule,
or just copy files in the
JSONCodable
folder into your project.
TLDR
- Uses Protocol Extensions
- Error Handling
- Supports
let
properties - Supports
enum
properties backed by compatible values
Change Log
- Moved encoding and decoding methods to a helper class
JSONCodable is made of two separate protocols JSONEncodable
and JSONDecodable
.
JSONEncodable
allows your structs and classes to generateNSDictionary
or[String: AnyObject]
equivalents for use withNSJSONSerialization
.JSONDecodable
allows you to generate structs fromNSDictionary
coming in from a network request for example.
Decoding JSON
Take these two types for example:
struct User {
let id: Int
let name: String
var email: String?
var company: Company?
var friends: [User] = []
}
struct Company {
let name: String
var address: String?
}
You'd simply add conformance to JSONDecodable
(or to JSONCodable
):
extension User: JSONDecodable {
init(object: JSONObject) throws {
let decoder = JSONDecoder(object: object)
id = try decoder.decode("id")
name = try decoder.decode("full_name")
email = try decoder.decode("email")
company = try decoder.decode("company")
friends = try decoder.decode("friends")
}
}
extension Company: JSONDecodable {
init(object: JSONObject) throws {
let decoder = JSONDecoder(object: object)
name = try decoder.decode("name")
address = try decoder.decode("address")
}
}
Note on Class Extensions: After the update to Swift 2.2 adding an initializer in an extension for classes is no longer supported. The current suggested work around for this is to just add the initializer in the class definition. For structs extensions still work as that had previously in this case.
-
Then provide the implementations for init(object: JSONObject) throws
where JSONObject
is a typealias for [String:AnyObject]
.
As before, you can use this to configure the mapping between keys in the Dictionary to properties in your structs and classes.
let user = try User(object: JSON)
print("\(user)")
Result:
User(
id: 24,
name: "John Appleseed",
email: Optional("[email protected]"),
company: Optional(Company(
name: "Apple",
address: Optional("1 Infinite Loop, Cupertino, CA")
)),
friends: [
User(
id: 27,
name: "Bob Jefferson",
email: nil,
company: nil,
friends: []
),
User(
id: 29,
name: "Jen Jackson",
email: nil,
company: nil,
friends: []
)
]
)
Decoding Nested Arrays and Dictionary
Decoding also supports retrieving values using .
separators for dictionaries and [index]
for arrays. See below example:
name = try decoder.decode("value[0].properties.name")
Encoding JSON
Simply add conformance to JSONEncodable
(or to JSONCodable
):
extension User: JSONEncodable {
func toJSON() throws -> Any {
return try JSONEncoder.create({ (encoder) -> Void in
try encoder.encode(id, key: "id")
try encoder.encode(name, key: "full_name")
try encoder.encode(email, key: "email")
try encoder.encode(company, key: "company")
try encoder.encode(friends, key: "friends")
})
}
}
extension Company: JSONEncodable {}
The default implementation of func toJSON()
inspects the properties of your type using reflection (see Company
.) If you need a different mapping, you can provide your own implementation (see User
.)
Instantiate your struct, then use the func toJSON()
method to obtain a equivalent form suitable for use with NSJSONSerialization
:
let dict = try user.toJSON()
print("dict: \(dict)")
Result:
[full_name: John Appleseed, id: 24, email: [email protected], company: {
address = "1 Infinite Loop, Cupertino, CA";
name = Apple;
}, friends: (
{
friends = (
);
"full_name" = "Bob Jefferson";
id = 27;
},
{
friends = (
);
"full_name" = "Jen Jackson";
id = 29;
}
)]
Working with JSON Strings
The convenience initializer init?(JSONString: String)
is provided on JSONDecodable
. You may also use func toJSONString() throws -> String
to obtain a string equivalent of your types.
Transforming values
To transform values, create an instance of JSONTransformer
:
let JSONTransformerStringToNSURL = JSONTransformer<String, NSURL>(
decoding: {NSURL(string: $0)},
encoding: {$0.absoluteString})
A JSONTransformer
converts between 2 types, in this case, String
and NSURL
. It takes a closure for decoding and another for encoding, and in each case, you return an optional value of the corresponding type given an input type (you can return nil
if a transformation is not possible).
Next, use the overloaded versions of func encode()
and func decode()
to supply the transformer:
struct User {
...
var website: NSURL?
}
init(object: JSONObject) throws {
...
website = try JSONDictionary.decode("website", transformer: JSONTransformerStringToNSURL)
}
func toJSON() throws -> AnyObject {
return try JSONEncoder.create({ (encoder) -> Void in
...
try result.encode(website, key: "website", transformer: JSONTransformerStringToNSURL)
})
}
The following transformers are provided by default:
JSONTransformers.StringToNSURL
:String <-> NSURL
JSONTransformers.StringToNSDate
:String <-> NSDate
ISO format
Feel free to suggest more!
Extending JSONCodable (thanks to @raylillywhite)
This allows for JSONDecoder extensions that allow the type system to better aid in decoding. For example, you could do:
extension JSONDecoder {
public func decode(key: String) throws -> NSURL {
return try decode(key, transformer: JSONTransformers.StringToNSURL)
}
}
then you only need to do:
try url = decoder.decode("url")
instead of
try url = decoder.decode("url", JSONTransformers.StringToNSURL)
Example code
Refer to the included playground in the workspace for more details.
License
JSONCodable
is under the MIT license.
*Note that all licence references and agreements mentioned in the JSONCodable README section above
are relevant to that project's source code only.