作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有这样的 JSON 数组
var json = NSArray() // array with json objects
//print json >>
json = (
{
Name = "Alen";
Score = 500;
},
{
Name = "John";
Score = 0;
},
{
Name = "Mark";
Score = 2000;
},
{
Name = "Steve";
Score = 300;
},
{
Name = "Ricky";
Score = 900;
}
)
我可以访问它的对象
(json[0] as! NSDictionary).object(forKey: "Name")
(json[0] as! NSDictionary).object(forKey: "Score")
我想根据分数对这个 JSON 数组进行排序。
我找到了这样的答案
let sortedArray = json.sorted(by: { $0.0 < $1.0 })
给出错误
Value of type 'Any' has no member '0'
然后我试了一下
let sortedArray = (json as! NSDictionary).sorted {(aDic, bDic) -> Bool in
return aDic.key < bDic.key
}
报错
Binary operator '<' cannot be applied to two 'Any' operands
你能指导我在 swift 4 中根据分数对数组进行排序吗?
最佳答案
这是一个很好的例子,说明为什么强烈建议您不要在 Swift 中使用 NSArray
和 NSDictionary
。
这两种集合类型都不提供类型信息,因此所有内容都被视为Any
。 Swift 标准库的大部分共享泛型 API 不能与 Any
一起使用,因此除非添加大量丑陋的类型转换,否则您无法利用强大的泛型函数。
如果所有值都是String
,声明你的数组为
var json = [[String:String]]()
然后你可以用
对数组进行排序let sortedArray = json.sorted { $0["Score"]! < $1["Score"]! }
最推荐的解决方案是将 JSON 直接解码为自定义结构
struct Player : Decodable {
let name : String
let score : String
private enum CodingKeys : String, CodingKey { case name = "Name", score = "Score" }
}
然后你摆脱所有类型转换,你可以按属性名排序
var players = [Player]()
let jsonString = """
[{"Name" : "Alen", "Score" : "500"},
{"Name" : "John", "Score" : "0"},
{"Name" : "Mark", "Score" : "2000"},
{"Name" : "Steve", "Score" : "300"},
{"Name" : "Ricky", "Score" : "900"}]
"""
let data = Data(jsonString.utf8)
do {
players = try JSONDecoder().decode([Player].self, from: data)
let sortedPlayers = players.sorted{ $0.score.compare($1.score, options: .numeric) == .orderedAscending }
print(sortedPlayers)
} catch { print(error) }
编辑:
使用异步方式加载 JSON (URLSession
)
切勿使用同步 Data(contentsOf
从远程 URL 加载数据。
var players = [Player]()
let jsonUrl = URL(string: "url.json")!
let task = URLSession.shared.dataTask(with : url) { [unowned self] (data, _, error) in
if let error = error { print(error); return }
do {
players = try JSONDecoder().decode([Player].self, from: data!).sorted{ $0.score < $1.score }
DispatchQueue.main.async { // reload the table view if necessary
self.tableView.reloadData()
}
} catch { print(error) }
}
task.resume()
关于swift - 如何在 swift 4 中对数组中的 JSON 数据进行排序,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/50017275/
我是一名优秀的程序员,十分优秀!