你如何在 AngularJS 下用 jqlite 找到第一个可见元素?

How do you find first visible element with jqlite under AngularJS?

因此,我有以下 Angular 指令自动对焦 Ionic 应用程序当前页面上的第一个 input 字段。当第一个字段未被隐藏时,它工作得很好。但是,如果它被 ng-hide 隐藏,逻辑就会失败。因此需要修改元素选择器以在我的指令中仅查找可见元素。

angular.module('myApp').directive('focusMe', function($timeout) {
    return {
        link: function(scope, element, attrs) {
            $timeout(function() {
                element.find('label')[0].focus(); 
            }, 150);
        }
    };
});

form 元素上使用上述指令,如下所示,

<form name="signinForm" ng-submit="signinForm.$valid && doSignin(credentials)" novalidate focus-me>

那么我应该如何更改我的 jQLite 查找查询以仅查找可见元素?根据文档,查找查找受标签名称限制。

你可以这样写:

element[0].querySelector('input:not(.ng-hide)').focus();

jQLite 只允许通过标签名称进行选择。所以我们可以使用纯 Javascript 版本,即 querySelector 以及使用 :not 选择器。

请参阅下面的工作示例:

angular.module('myApp', [])
  .directive('focusMe', function($timeout) {
    return {
      link: function(scope, element, attrs) {
        $timeout(function() {
          element[0].querySelector('input:not(.ng-hide)').focus();
        }, 150);
      }
    };
  });
<script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.23/angular.min.js"></script>

<form focus-me ng-app="myApp">

  <input type="text" name="firstName" ng-show="false" />
  <input type="text" name="lastName" ng-show="true" />
  <input type="text" name="email" />

</form>