15

单击复选框时,是否有一种更简洁的方式将焦点委托给元素。这是我破解的肮脏版本:

HTML

<div ng-controller="MyCtrl">
    <input type="checkbox" ng-change="toggled()">
    <input id="name">
</div>

JavaScript

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

function MyCtrl($scope, $timeout) {
    $scope.value = "Something";
    $scope.toggled = function() {
        console.debug('toggled');
        $timeout(function() {
            $('#name').focus();
        }, 100);
    }
}

JSFiddle:http: //jsfiddle.net/U4jvE/8/

4

4 回答 4

17

这个怎么样 ?笨蛋

 $scope.$watch('isChecked', function(newV){
      newV && $('#name').focus();
    },true);

@asgoth 和 @Mark Rajcok 是正确的。我们应该使用指令。我只是懒惰。

这是指令版本。plunker我认为把它作为指令的一个很好的理由是你可以重用这个东西。

所以在您的 html 中,您可以将不同的模态分配给不同的集合

<input type="checkbox" ng-model="isCheckedN">
<input xng-focus='isCheckedN'>


directive('xngFocus', function() {
    return function(scope, element, attrs) {
       scope.$watch(attrs.xngFocus, 
         function (newValue) { 
            newValue && element.focus();
         },true);
      };    
});
于 2012-12-28T23:15:22.250 回答
7

另一个指令实现(不需要 jQuery),并借用了@maxisam 的一些代码:

myApp.directive('focus', function() {
    return function(scope, element) {
       scope.$watch('focusCheckbox', 
         function (newValue) { 
            newValue && element[0].focus()
         })
    }      
});

HTML:

<input type="checkbox" ng-model="focusCheckbox">
<input ng-model="name" focus>

小提琴

由于该指令不创建隔离作用域(或子作用域),因此该指令假定作用域已focusCheckbox定义属性。

于 2012-12-28T23:58:09.573 回答
5

如果您想让它更有趣,并支持要评估的任何表达式(不仅是变量),您可以这样做:

app.directive('autofocusWhen', function ($timeout) {
    return {
        link: function(scope, element, attrs) {
            scope.$watch(attrs.autofocusWhen, function(newValue){
                if ( newValue ) {
                    $timeout(function(){
                        element.focus();
                    });
                }
            });
        }
     };
});

而且您的 html 可以更加解耦,就像这样:

<input type="checkbox" ng-model="product.selected" />
{{product.description}}
<input type="text" autofocus-when="product.selected" />
于 2014-05-28T19:55:22.113 回答
0

更简洁的方法是使用指令来执行切换:

app.directive('toggle', function() {
   return {
      restrict: 'A',
      scope: {
         selector: '='
      },
      link: function(scope, element, attrs) {
          element.on('change', function() {
              $(scope.selector).focus();
              scope.$apply();
          });
      }
   }:
});

你的 html 会是这样的:

<input type='checkbox' toggle selector='#name'>
于 2012-12-28T23:51:01.733 回答