1

我正在将服务器端 CRUD 应用程序转换为 Angular.js 并且有一个小问题。

我正在$http通过 获取我的数据并显示所有数据ng-repeat。我想让用户能够点击一个特定的项目并将他们重定向到资源。

那么如何将 URL 参数$http动态传递给 get 调用呢?

这是我建立资源链接的方式(car.id = 3)

<a ng-href="/#/cars/{{car.id}}">Edit</a>

该链接应转到http://local.dev/#/cars/3

那么如何在我的控制器中绑定动态 url 呢?

这是我的控制器的精简版

App.controller('CarIndexCtrl', ['$scope', '$http', '$location', function ($scope, $http, $location) {

   $scope.car = {};

   $http({
     method: 'GET',
     url:  $location.$$url,
   })
   .success(function (data, status, headers, config) {
     $scope.car = data;
   })
   .error(function (data, status, headers, config) {
     // error
   });

}]);

所以我有兴趣以角度方式绑定 URL。上述解决方案有效,但感觉非常像黑客。我对 Angular 不是很熟悉,所以我现在喜欢坚持使用默认值。我可能会在以后考虑restangular或ng-resource...

4

2 回答 2

2

上述解决方案有效,但感觉非常像黑客。

我不认为它的黑客或混乱的东西。

我会在控制器中生成 URL 列表(从我的角度来看,它更适合代码维护)而不附加 HTML。就像是:

 $scope.urlList = [];

    $http({
     method: 'GET',
     url:  $location.$url,
   })
   .success(function (data, status, headers, config) {
     $scope.car = data;
     $scope.urlList.push("/#/cars/" + data.id);
   })
   .error(function (data, status, headers, config) {
     // error
   });

在 HTML 之后:

<li ng-repeat="url in urlList" repeat-done="layoutDone()" ng-cloak>
    <a ng-href="{{url}}">Edit</a>
</li>

顺便说一句,我建议您使用一些加载器,因为我们从承诺(又名异步)生成的 URL 链接因此会延迟。

演示Fiddle

于 2013-10-15T11:30:26.740 回答
1

在你的 app.js 做这样的事情

 var app = angular.module('YourAPP');
        app.config(function ($routeProvider) {
            $routeProvider
                .when('/cars/:CarID', {
                    templateUrl: 'app/views/cars.html',
                    controller: 'CarIndexCtrl'
                });
    });

在你的控制器中

    App.controller('CarIndexCtrl', ['$scope', '$http', '$location', '$routeParams', function ($scope, $http, $location, $routeParams) {

       $scope.car = {};
        $scope.carid = $routeParams.CarID;
       $http({
         method: 'GET',
         url:  $location.$$url,
       })
       .success(function (data, status, headers, config) {
         $scope.car = data;
       })
       .error(function (data, status, headers, config) {
         // error
       });

}]);

并在控制器中的任何位置使用卡。希望能帮助到你。

于 2013-10-15T11:50:19.000 回答