我正在写一个微博应用程序来教自己angularJS。
现在一个恼人的问题是我对服务,工厂和提供商如此混乱。 在搜索它们之间的差异后,我选择服务来填充在我的应用程序中发布帖子的部分。
但后来我不断收到错误:TypeError:无法设置未定义的属性'get'
我的服务代码如下:
angular.module('mblogApp.services',[]).
service('Posts', function(){
var posts = [];
this.prototype.get = function(){return posts};
this.prototype.push = function(user, text){
var post = {
user: user,
text: text,
time: Date.now()
};
posts.push(post);
};
});
在我的控制器中,我写了类似的内容:
angular.module('mblogApp.controllers').
controller('makePostCtrl', ['Posts', function($scope, Posts){
posts.push($scope.user, $scope.text);
}]).
controller('showPostCtrl', ['Posts', function($scope, Posts){
$scope.posts = Posts.get();
}
]);
任何良好的做法都表示赞赏。 :)
这个问题让我非常难过。我真的厌倦了。想要找出错误的来源,并将我的代码重写成一个html文件,如下所示:
<!DOCTYPE html>
<html ng-app="app">
<head>
<title>Angular Service Demo</title>
<script type="text/javascript" src="angular/angular.js"></script>
</head>
<body>
<div ng-controller="makePostCtrl">
<label for="name">Name: </label>
<input type="text" ng-model="name">
<br>
<label for="text">Text: </label>
<input type="text" ng-model="text">
<br>
<button ng-click="post()">post</button>
</div>
<div ng-controller="showPostCtrl">
<ul>
<li ng-repeat="post in posts">
<p>Name: {{post.name}}</p>
<p>Text: {{post.text}}</p>
</li>
</ul>
</div>
</body>
<script type="text/javascript">
var app = angular.module('app', []);
app.service('posts', function(){
this.posts = function(){
var posts = [];
return {
get: function(){return posts},
push: function(user, text){
posts.push({
user: user,
text: text
});
}
};
};
});
app.controller('makePostCtrl ', ['posts',function($scope, posts){
$scope.post = function(){
posts.push($scope.user, $scope.text);
};
$scope.posts = posts.get();
}]);
app.controller('showPostCtrl')
</script>
</html>
,错误如下:
TypeError:无法调用未定义的方法'get'
答案 0 :(得分:1)
将服务代码更改为:
app.service('posts', function () {
var posts = [];
return {
get: function () {
return posts
},
push: function (user, text) {
posts.push({
user: user,
text: text
});
}
};
});
按顺序注入模块,你错过了'$ scope',因此模块注入不匹配。
app.controller('makePostCtrl', ['$scope', 'posts', function ($scope, posts) {
答案 1 :(得分:0)
我相信你缺少服务的依赖注入。试试这个
angular.module('mblogApp.controllers',['mblogApp.services']).
答案 2 :(得分:0)
试试这段代码。
在你的服务中做出这样的改变;
angular.module('mblogApp'). service('Posts', function(){
var post_values = [];
return {
get : function(){
return post_values
},
push : function(user, text){
var post = {
user: user,
text: text,
time: Date.now()
};
post_values.push(post);
}
};
});
和你的控制器;
var app = angular.module('mblogApp');
app.controller('makePostCtrl', ['Posts', function ($scope, Posts) {
Posts.push($scope.user, $scope.text);
});
app.controller('showPostCtrl', ['Posts', function ($scope, Posts) {
$scope.posts = Posts.get();
});