1

我收到了臭名昭著的未知提供者错误,并在这里查看了所有可能的答案,但我认为我遗漏了一些东西:

应用程序.js

var myApp = angular.module('myApp', [
    'ngResource',
    'myAppControllers',
    'myAppServices',
    'myAppFilters'
]).config([
    '$locationProvider',
    function(
        $locationProvider) {

        $locationProvider.html5Mode({
            enabled: true,
            requireBase: false,
            rewriteLinks: false
        });
    }]);

var myAppControllers = angular.module('myAppControllers', []);

var myAppServices = angular.module('myAppServices', []);

var myAppFilters = angular.module('myAppFilters', []);

项目.js

myAppServices.factory('Item',
    function($resource) {
        return $resource('/api/items/:id');
    });

项目服务.js (1)

myAppServices.factory('itemService',
    function($q,
             $http,
             Item) {

        return {
            delete: function(id){

// Item, $q and $http are undefined here

                return Item.delete({id: id}).$promise;
            }
        };
    });

替代ItemService.js (2)

myAppServices.factory('itemService', [
    '$q',
    '$http',
    'Item', // If I don't inject it here I can use this service with $q and $http
    function($q,
             $http,
             Item) {
        return {
            delete: function(id){
                return Item.delete(id).$promise;
            }
        };
    }]);

在我的控制器中:

myAppControllers.controller('ItemsCtrl', [
    '$scope',
    'itemService',
    function(
        $scope,
        itemService) {

        var ctrl = this;

        ctrl.ItemService = ItemService;

        ctrl.deleteItem = function(id){

            ctrl.itemService.delete(id)
                .then(function(response){
                    console.log(response);
                }, function (error) {
                    console.log(error);
            });

        };
    }]);
  1. 因此,如果我在(1)中尝试,我会得到 undefined.delete is not a function in itemService

  2. 如果我在(2)中尝试,应用程序无法加载:

    Unknown provider: ItemProvider <- Item <- itemService

那么我做错了什么?

4

2 回答 2

1

您在这里有多个问题。

  • 您需要myAppServices作为依赖项myAppControllers才能在控制器中使用它。

    因此,以下应该是您的操作方式:

    var myAppServices = angular.module('myAppServices', []);
    var myAppControllers = angular.module('myAppControllers', ['myAppServices']);
    
  • myAppServices模块中,您有Item使用的服务,$resource但您没有ngResource作为myAppServices.

这是您在 plunker 中的代码,没有错误

编辑:还要确保您的所有文件都index.html正确包含在内!

于 2017-05-04T09:30:16.753 回答
0

我认为在 $resource 中你缺少参数它应该看起来像

$resource('/api/items/:id', {id:'@id'});

再次尝试(1),未定义是因为这个

而且你的删除应该是这样的

return Item.delete({id : id}).$promise;
于 2017-05-04T09:53:57.773 回答