Con Swift 3 y Swift 4, String
tiene un método llamado data(using:allowLossyConversion:)
. data(using:allowLossyConversion:)
tiene la siguiente declaración:
func data(using encoding: String.Encoding, allowLossyConversion: Bool = default) -> Data?
Devuelve un dato que contiene una representación de la cadena codificada usando una codificación dada.
Con Swift 4, String
's data(using:allowLossyConversion:)
se puede usar junto con JSONDecoder
' s decode(_:from:)
para deserializar una cadena JSON en un diccionario.
Además, con Swift 3 y Swift 4, los String
's' data(using:allowLossyConversion:)
también se pueden usar junto con JSONSerialization
's' jsonObject(with:options:)
para deserializar una cadena JSON en un diccionario.
# 1 Solución Swift 4
Con Swift 4, JSONDecoder
tiene un método llamado decode(_:from:)
. decode(_:from:)
tiene la siguiente declaración:
func decode<T>(_ type: T.Type, from data: Data) throws -> T where T : Decodable
Decodifica un valor de nivel superior del tipo dado a partir de la representación JSON dada.
El siguiente código de Playground muestra cómo usar data(using:allowLossyConversion:)
y decode(_:from:)
para obtener un Dictionary
formato JSON String
:
let jsonString = """
{"password" : "1234", "user" : "andreas"}
"""
if let data = jsonString.data(using: String.Encoding.utf8) {
do {
let decoder = JSONDecoder()
let jsonDictionary = try decoder.decode(Dictionary<String, String>.self, from: data)
print(jsonDictionary) // prints: ["user": "andreas", "password": "1234"]
} catch {
// Handle error
print(error)
}
}
# 2 Solución Swift 3 y Swift 4
Con Swift 3 y Swift 4, JSONSerialization
tiene un método llamado jsonObject(with:options:)
. jsonObject(with:options:)
tiene la siguiente declaración:
class func jsonObject(with data: Data, options opt: JSONSerialization.ReadingOptions = []) throws -> Any
Devuelve un objeto Foundation a partir de datos JSON dados.
El siguiente código de Playground muestra cómo usar data(using:allowLossyConversion:)
y jsonObject(with:options:)
para obtener un Dictionary
formato JSON String
:
import Foundation
let jsonString = "{\"password\" : \"1234\", \"user\" : \"andreas\"}"
if let data = jsonString.data(using: String.Encoding.utf8) {
do {
let jsonDictionary = try JSONSerialization.jsonObject(with: data, options: []) as? [String : String]
print(String(describing: jsonDictionary)) // prints: Optional(["user": "andreas", "password": "1234"])
} catch {
// Handle error
print(error)
}
}