使用 Codable 序列化为 JSON 时的快速字符串转义



我正在尝试按如下方式序列化我的对象:

import Foundation
struct User: Codable {
    let username: String
    let profileURL: String
}
let user = User(username: "John", profileURL: "http://google.com")
let json = try? JSONEncoder().encode(user)
if let data = json, let str = String(data: data, encoding: .utf8) {
    print(str)
}

但是在macOS上,我得到以下信息:

{"profileURL":"http://google.com","username":"John"}

(注意转义的"/"字符)。

在 Linux 机器上,我得到:

{"username":"John","profileURL":"http://google.com"}

如何使 JSONEncoder 返回未转义的?

我需要 JSON 中的字符串严格取消转义。

您可以使用.withoutEscapingSlashes选项来 json 解码器以避免转义斜杠

let user = User(username: "John", profileURL: "http://google.com")
let jsonEncoder = JSONEncoder()
jsonEncoder.outputFormatting = .withoutEscapingSlashes
let json = try? jsonEncoder.encode(user)
if let data = json, let str = String(data: data, encoding: .utf8) {
    print(str)
}

控制台 O/P

{"profileURL":"http://google.com","用户名":"John"}

<小时 />

注意:正如Martin R在注释中提到的/是一个有效的JSON转义序列。

我最终使用了replacingOccurrences(of:with:),这可能不是最好的解决方案,但它解决了这个问题:

import Foundation
struct User: Codable {
    let username: String
    let profileURL: String
}
let user = User(username: "John", profileURL: "http://google.com")
let json = try? JSONEncoder().encode(user)
if let data = json, let str = String(data: data, encoding: .utf8)?.replacingOccurrences(of: "\/", with: "/") {
    print(str)
    dump(str)
}

我明白了。问题是它不包含任何\字符。swift 的属性是它总是在控制台上返回这样的字符串。解决方法是 j-son 解析它。

不过,您可以使用下面的解决方案将"\/"替换为"/"字符串

 let newString = str.replacingOccurrences(of: "\/", with: "/") 
 print(newString)

在玩JSONEncoder/JSONDecoder时,我发现URL类型在编码 -> 解码时是有损的。

使用相对于另一个 URL 的字符串进行初始化。

init?(string: String, relativeTo: URL?)

可能会帮助这个苹果文档:https://developer.apple.com/documentation/foundation/url

但是,使用 PropertyList 版本:

let url = URL(string: "../", relativeTo: URL(string: "http://google.com"))! 
let url2 = PropertyListDecoder().decode([URL].self, from: PropertyListEncoder().encode([User]))

其他方式

let url = URL(string: "../", relativeTo: URL(string: "http://google.com"))! 
let url2 = JSONDecoder().decode([URL].self, from: JSONEncoder().encode([User]))

希望对您有所帮助!!

实际上你不能这样做,因为在macOS和Linux中是有点不同的转义系统。在 linux 上//是允许的,macOS - not(它使用 NSSerialization)。因此,您只需在字符串上添加百分比编码,这保证您在macOS和Linux上具有相等的字符串,将字符串正确发布到服务器并进行正确的验证。关于添加百分比转义集CharacterSet.urlHostAllowed .可以这样做:

init(name: String, profile: String){
        username = name
        if let percentedString = profile.addingPercentEncoding(withAllowedCharacters: CharacterSet.urlHostAllowed){
            profileURL = percentedString
        }else{
            profileURL = ""
        }
    }

以同样的方式,您可以删除百分比编码而且您不需要修改服务器端

!!

相关内容

  • 没有找到相关文章

最新更新