我使用SwiftyJSON从Web解析JSON,然后在tableView中显示这些值。我想添加一个功能,根据用户名按字母顺序对数据进行升序或降序排序。我是Swift的新手,无法对此进行排序。我将不胜感激任何帮助!
override func viewDidLoad(){
super.viewDidLoad()
getContactListJSON()
}
func getContactListJSON(){
let urlString = "http://jsonplaceholder.typicode.com/users"
let urlEncodedString = urlString.stringByAddingPercentEscapesUsingEncoding(NSUTF8StringEncoding)
let url = NSURL( string: urlEncodedString!)
var task = NSURLSession.sharedSession().dataTaskWithURL(url!) {(data, response, innerError) in
self.json = JSON(data: data)
self.contactsArray = json.arrayValue
dispatch_async(dispatch_get_main_queue(), {
}
task.resume()
}
这就是我填充tableView的方式。
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
var cell = tableView.dequeueReusableCellWithIdentifier("Cell", forIndexPath: indexPath) as? UITableViewCell
if cell == nil {
cell = UITableViewCell(style: UITableViewCellStyle.Value2, reuseIdentifier: "Cell")
}
cell!.textLabel?.text = self.contactsArray[indexPath.row]["name"].stringValue
cell!.detailTextLabel?.text = self.contactsArray[indexPath.row]["email"].stringValue
return cell!
}
答案 0 :(得分:2)
答案 1 :(得分:0)
在玩了一下之后,我发现了一个更加迅速友好的答案。我将在下面留下Objective-C样式作为参考,以防它有趣。值得注意的是 - 在第一个示例中,要排序的数组必须是可变的(var not let)才能使sort()起作用。在使用Obj-C排序描述符的第二个示例中,创建了一个新数组,并且原始数据没有变异 - 类似于sorted()
let contact1: [String: String] = ["name" : "Dare", "email" : "d@me.com"]
let contact2: [String: String] = ["name" : "Jack", "email" : "j@me.com"]
let contact3: [String: String] = ["name" : "Adam", "email" : "A@me.com"]
var contacts = [contact1, contact2, contact3]
contacts.sort({$0["name"] < $1["name"]})
println(contacts)
这已被Objective-C破坏了一些但似乎有效。这种方法相对于另一种方法的主要好处是这不区分大小写。虽然我确信有更好的方法可以用更新的语法来做同样的事情。
let contact1: [String: String] = ["name" : "Dare", "email" : "d@me.com"]
let contact2: [String: String] = ["name" : "Jack", "email" : "j@me.com"]
let contact3: [String: String] = ["name" : "Adam", "email" : "A@me.com"]
let contacts: Array = [contact1, contact2, contact3]
let nameDiscriptor = NSSortDescriptor(key: "name", ascending: true, selector: Selector("caseInsensitiveCompare:"))
let sorted = (contacts as NSArray).sortedArrayUsingDescriptors([nameDiscriptor])
println(sorted)
//这些打印以下
[
{
email = "A@me.com";
name = Adam;
},
{
email = "d@me.com";
name = Dare;
},
{
email = "j@me.com";
name = Jack;
}
]