您好我正在为我的应用使用angularfire 我在这里列出我的服务和控制器。我计划得到已添加到特定帖子的评论数。这是我的控制器
app.controller('PostViewCtrl', function ($scope,
FIREBASE_URL,$routeParams,
Post, Auth, $timeout,$interval,$http, $rootScope, $firebase) {
var ref = new Firebase(FIREBASE_URL);
$scope.post = Post.get($routeParams.postId);
$scope.comments = Post.comments($routeParams.postId);
$scope.user = Auth.user;
$scope.signedIn = Auth.signedIn;
$scope.addComment = function () {
if(!$scope.commentText || $scope.commentText === '') {
return;
}
var Commentcreatedtime = moment().format('llll');
$scope.CommentcreatedTime = Commentcreatedtime;
var comment = {
createdTime: $scope.CommentcreatedTime,
text: $scope.commentText,
creator: $scope.user.profile.username,
creatorUID: $scope.user.uid,
creatorpic: $scope.user.profile.userpic,
commentimage: $scope.object.image.info.uuid
};
$scope.comments.$add(comment);
$scope.commentText = '';
$scope.object.image.info.uuid = '';
};
});
这是我的服务
'use strict';
app.factory('Post', function($firebase,FIREBASE_URL){
var ref = new Firebase(FIREBASE_URL);
var posts = $firebase(ref.child('posts')).$asArray();
var Post = {
all: posts,
create: function(post){
return posts.$add(post).then(function(postRef){
$firebase(ref.child('user_posts').child(post.creatorUID))
.$push(postRef.name());
return postRef;
});
},
get: function(postId){
return $firebase(ref.child('posts').child(postId)).$asObject();
},
delete: function(post){
return posts.$remove(post);
},
comments: function(postId){
return $firebase(ref.child('comments').child(postId)).$asArray();
}
};
return Post;
});
我尝试使用事务更新addComment事件上的计数器,如此
$scope.comments.$add(comment, function(error) {
if (!error) {
$firebase(ref.child('comments').child(postId)
.child('commentcount')).transaction(function (count) {
return count + 1;
});
}
});
但是这不会创建一个孩子来评论 - postId也没有计数器。请帮帮我。我是firebase和angular的新手,非常感谢你的帮助。
答案 0 :(得分:0)
您似乎使用的是旧版AngularFire。请更新到最新版本。虽然它可能不会对您发布的问题产生影响,但它会使AngularFire专家更容易回复(因为最新版本的文档最容易找到)。 < / p>
如果我忽略其他所有内容,则此代码是您更新帖子评论数量的代码。
$firebase(ref.child('comments').child(postId)
.child('commentcount')).transaction(function (count) {
return count + 1;
});
我不认为AngularFire会包装transaction
方法。即使它确实如此,我也不会使用AngularFire。 AngularFire提供从Firebase的常规JavaScript SDK到AngularJS前端的绑定。计数注释不是前端功能,所以我只想坚持使用JavaScript SDK。 显示注释计数是前端功能,因此我会使用AngularFire服务将其绑定到$scope
。
现在为实际代码:
var countRef = ref.child('comments').child(postId) .child('commentcount');
countRef.transaction(function (count) {
return (count || 0) + 1;
});
请注意,最后一个片段是来自Firebase documentation for transaction
的非常文字的副本。稍微可读的版本是:
var countRef = ref.child('comments').child(postId) .child('commentcount');
countRef.transaction(function (count) {
if (!count) {
// if count does not exist, we apparently don't have any comments yet
count = 0;
}
count = count + 1;
return count;
});