5

我对以下情况感到困惑。假设我有一个带有行的表。当用户单击表中的按钮时,我希望用户表单使用 jQuery 向下滑动并显示带有所选行值的表单。这是我目前正在做的不太有意义的事情:

看法

<tr ng-click="setItemToEdit(item)" slide-down-form>

...

<form>
   <input type="test" ng-model={{itemToEdit.Property1}} >
   <button ng-click=saveEditedItem(item)" slide-up-form>
<form>

控制

$scope.itemToEdit = {};

$scope.setItemToEdit = function(item) {
    $scope.itemToEdit = item;
});

$scope.saveEditedItem = function(item) {
   myService.add(item);
   $scope.itemToEdit = {};
}

指令 - 上滑/下滑

var linker = function(scope, element, attrs) {
    $(form).slideUp(); //or slide down           
}

看来我的指令和我的控制逻辑太脱节了。例如,如果出现保存错误怎么办?由于 slideUp 事件已完成,该表单已被隐藏。在这种情况下,我很可能希望阻止 slideUp 操作。

我只使用了 AngularJS 大约一个星期,所以我确定我缺少一些东西。

4

1 回答 1

6

当然,这是一个常见的问题......这是解决这个问题的一种方法:基本上在指令中使用带有 $watch 的布尔值来触发表单的切换。除此之外,您只需将表单上的变量设置为要编辑的对象。

这是一些伪代码中的一般想法:

//create a directive to toggle an element with a slide effect.
app.directive('showSlide', function() {
   return {
     //restrict it's use to attribute only.
     restrict: 'A',

     //set up the directive.
     link: function(scope, elem, attr) {

        //get the field to watch from the directive attribute.
        var watchField = attr.showSlide;

        //set up the watch to toggle the element.
        scope.$watch(attr.showSlide, function(v) {
           if(v && !elem.is(':visible')) {
              elem.slideDown();
           }else {
              elem.slideUp();
           }
        });
     }
   }
});

app.controller('MainCtrl', function($scope) {
   $scope.showForm = false;
   $scope.itemToEdit = null;

   $scope.editItem = function(item) {
       $scope.itemToEdit = item;
       $scope.showForm = true;
   };
});

标记

<form show-slide="showForm" name="myForm" ng-submit="saveItem()">
    <input type="text" ng-model="itemToEdit.name" />
    <input type="submit"/>
</form>
<ul>
   <li ng-repeat="item in items">
         {{item.name}}
        <a ng-click="editItem(item)">edit</a>
   </li>
</ul>
于 2013-01-18T21:22:43.167 回答