12

我正在使用ng-repeat将表单元素绑定到我拥有的自定义对象的属性,例如:

 $scope.myObject = {
            'font-size': 10,
            'text-outline-width': 2,
            'border-color': 'black',
            'border-width': 3,
            'background-color': 'white',
            'color': '#fff'
    }

HTML:

<div ng-repeat='(key, prop) in myObject'>
    <p>{{key}} : {{prop}}</p>
    <input type='text' ng-model='myObject[key]'>
</div>

但是,每次我尝试在输入框中输入值时,文本框都会被取消选择,我必须重新选择它才能继续输入。

是否有另一种方法可以将这种双向绑定到一个对象,以便我可以自由输入?

这是 JSFiddle:http: //jsfiddle.net/AQCdv/1/

4

2 回答 2

22

输入不集中的原因是 Angular 在每次 myObject 更改时都重建了 DOM。您可以专门指示 ng-repeat 按键跟踪,因此不会发生不良行为。此外,这将需要更新版本的库 1.1.5:

function MyCtrl($scope) {
  $scope.myObject = {
    'font-size': 10,
    'text-outline-width': 2,
    'border-color': 'black',
    'border-width': 3,
    'background-color': 'white',
    'color': '#fff'
  }
}
<script src="http://code.angularjs.org/1.1.5/angular.min.js"></script>
<div ng-app ng-controller="MyCtrl">
  <div ng-repeat='(key, prop) in myObject track by key'>
    <p>{{key}} : {{prop}}</p>
    <input type='text' ng-model='myObject[key]'>
  </div>
</div>

更新了小提琴

于 2013-10-16T00:03:14.497 回答
0

这可以通过指令来解决。我创建了一个名为的指令,customBlur但您可以随意调用它,只要它在您的 HTML 中匹配即可。在此处查看小提琴:http: //jsfiddle.net/AQCdv/3/

angular.module('app', []).directive('customBlur', function() {
    return {
        restrict: 'A',
        require: 'ngModel',
        link: function(scope, elm, attr, ngModelCtrl) {
            if (attr.type === 'radio' || attr.type === 'checkbox') return; //ignore check boxes and radio buttons

            elm.unbind('input').unbind('keydown').unbind('change');
            elm.bind('blur', function() {
                scope.$apply(function() {
                    ngModelCtrl.$setViewValue(elm.val());
                });
            });
        }
    };
});

以及要使用的 HTML 指令,例如

<input type='text' ng-model='myObject[key] ' custom-blur>

该指令所做的是取消绑定产生模型更新的事件,这会导致您的文本字段失去焦点。现在,当文本字段失去焦点(模糊事件)时,模型会更新。

于 2013-10-15T23:51:32.303 回答