----答案----
我目前正在尝试按照他们的标签上的字词对我的tableview进行排序。每行将具有用户可以选择的9种颜色中的至少一种(用户可以根据需要选择多种颜色)。关于如何组织表格,我有一个特定的顺序,但根据用户首先选择哪一行,行的顺序可以是任何(问题)。
我想的是我按照我希望在第二个屏幕中显示的单词的顺序创建一个数组:“红色,蓝色,绿色......”然后以某种方式将此数组连接到tableview。因此,如果tableview遵循此顺序(红色,蓝色,绿色,......),并且用户选择蓝色,则表格将被命名为“红色,绿色,......”。这意味着无论用户拥有或没有什么颜色,tableview都将遵循数组的顺序。我试图谷歌搜索这个问题的解决方案好几天似乎无法搞清楚。有什么建议?我已经粘贴了颜色加载的代码:
func loadColors() {
let colorQuery = PFQuery(className: "Colors")
colorQuery.whereKey("userID", equalTo: PFUser.current()?.objectId! ?? String()) //getting which user
colorQuery.limit = 10
colorQuery.findObjectsInBackground { (objects, error) in
if error == nil {
self.colorTypeArray.removeAll(keepingCapacity: false)
self.colorNameArray.removeAll(keepingCapacity: false)
self.colorObjectIDArray.removeAll(keepingCapacity: false)
for object in objects! {
self.colorTypeArray.append(object.value(forKey: "colorType") as! String) // add data to arrays
self.colorNameArray.append(object.value(forKey: "colorName") as! String) // add data to arrays
self.colorObjectIDArray.append(object.objectId!) //appends the objectid
}
self.tableView.reloadData()
} else {
print(error?.localizedDescription ?? String())
}
}
}
//places colors in rows
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: "Cell") as! ColorsCell //connects to color cell
cell.colorType.text = colorTypeArray[indexPath.row] //goes through array and puts colors on cell label
return cell
}
答案 0 :(得分:0)
据我了解你的问题,用户有一个颜色列表,可以添加更多颜色。您的目标是确保即使用户向列表添加任意颜色,它们也会保留您预定义的某些顺序。
以下是我将如何处理此问题的简化示例。基本上,正如您在问题中所说,您必须定义一组颜色,这些颜色将用作参考以了解正确的顺序(下面patternColors
)。
然后,当您的颜色列表发生变化时(例如,您从服务器检索列表,或者用户添加或删除了颜色),请按如下所示重新排序列表。
func sort(colors: [String]) -> [String] {
// This is the order I want the colors to be in.
var patternColors = ["Red", "Blue", "Green"]
// We use `map` to convert the array of three colors into
// an array of subarrays. Each subarray contains all the
// colors that match that particular pattern color (we use
// `filter` to find all these matching colors.
// Finally, we use `flatMap` to convert this array of
// subarrays back into a normal one-dimensional array.
var sortedColors = patternColors.map { patternColor in
colors.filter { color in
color == patternColor
}
}.flatMap { $0 }
return sortedColors
}
var unsortedColors = ["Blue", "Red", "Blue", "Red", "Red", "Blue", "Green", "Red"]
let sortedColors = sort(colors: unsortedColors)
print(sortedColors) // ["Red", "Red", "Red", "Red", "Blue", "Blue", "Blue", "Green"]