我正在使用Firebase实时数据库来显示tableView中的帖子。当用户双击相应的单元格时,我想增加特定帖子的喜欢次数。
我进行了双击工作,并且已经打印出正确的indexPath
。
override func viewDidLoad() {
super.viewDidLoad()
// double tap
let doubleTapGestureRecognizer = UITapGestureRecognizer(target: self, action: #selector(handleDoubleTap(sender:)))
doubleTapGestureRecognizer.numberOfTapsRequired = 2
postTableView.addGestureRecognizer(doubleTapGestureRecognizer)
}
以下是我根据Firebase文档尝试更新喜欢的内容:
func handleDoubleTap(sender: UITapGestureRecognizer) {
let touchPoint = sender.location(in: postTableView)
if let indexPath = postTableView.indexPathForRow(at: touchPoint) {
print(indexPath)
let post = posts[indexPath.row]
let oldLikes = post.likes
let newLikes = oldLikes! + 1
let postUpdates = ["\(post.likes)": newLikes]
database.updateChildValues(postUpdates)
postTableView.reloadData()
}
}
它不会抛出任何错误但不起作用。
这是数据库结构:
以下是我宣布数据库的方式:
struct post {
let author : String!
let creationDateTime : String!
let content : String!
let likes : Int!
}
并在viewDidLoad
let database = FIRDatabase.database().reference()
这是我创建帖子的方式:
@IBAction func savePost(_ segue:UIStoryboardSegue) {
let addPostVC = segue.source as! AddPostViewController
let author = currentUser.displayName
let date = Date()
let formatter = DateFormatter()
formatter.dateFormat = "dd.MM.yyyy"
let dateResult = formatter.string(from: date)
let creationDateTime = "\(dateResult)"
let content = addPostVC.passTextContent
let likes = 0
let post : [String : AnyObject] = ["author" : author as AnyObject,
"content" : content as AnyObject,
"creationDateTime" : creationDateTime as AnyObject,
"likes" : likes as AnyObject]
database.child("Posts").childByAutoId().setValue(post)
}
这就是我如何检索viewDidLoad
database.child("Posts").queryOrderedByKey().observe(.childAdded, with: {
snapshot in
let postID = (snapshot.value as? NSDictionary)?["postID"] as? String ?? ""
let author = (snapshot.value as? NSDictionary)?["author"] as? String ?? ""
let content = (snapshot.value as? NSDictionary)?["content"] as? String ?? ""
let creationDateTime = (snapshot.value as? NSDictionary)?["creationDateTime"] as? String ?? ""
let likes = (snapshot.value as? NSDictionary)?["likes"] as? Int ?? 0
self.posts.insert(post(postID: postID, author: author, creationDateTime: creationDateTime, content: content, likes: likes), at: 0)
self.postTableView.reloadData()
})
答案 0 :(得分:0)
您的数据库引用存在问题。当您执行let database = FIRDatabase.database().reference()
时,您将引用数据库结构中的主节点。这意味着您将使用数据库Json中根目录下的结构。唯一的孩子就是Posts
密钥。
当你这样做时
let postUpdates = ["\(post.likes)": newLikes]
database.updateChildValues(postUpdates)
您正在尝试更新根节点下的值,这显然不存在。它能找到的唯一参考是键Posts
。
为了在正确的位置执行更新,您可以从主参考中获取子参考,尤其是您有兴趣更新的帖子。
例如,您可以执行以下操作:
let postReference = database.child("Here goes the post Id").
然后,您将能够在此新引用上正确使用updateChildValues
,因为它将更新特定帖子。
可能使用错误的另一件事是发送到updateChildValues
的字典。您必须提供的字典结构如下:
["key that you want to update": new value]
因此,在您的情况下,您应该提供以下字典,而不是提供之前的类似计数和新的计数:
let postUpdates = ["likes": newLikes]