3

我正在尝试将 jqLit​​e 函数 element.html 直接作为观察者的侦听器传递:

angular.module('testApp', []).directive('test', function () {
  return {
    restrict: 'A',
    link: function (scope, element, attrs) {
      scope.$watch('someVariable', element.html); // <-- Passing the function handle as listener
    }
  };
});

但是由于某种原因这不起作用,因此作为一种解决方法,我将侦听器包装在一个函数中:

angular.module('testApp', []).directive('test', function () {
  return {
    restrict: 'A',
    link: function (scope, element, attrs) {
      scope.$watch('someVariable', function (newValue) {
        element.html(newValue);
      });
    }
  };
});

第二个例子有效。

我不明白为什么第一个例子被打破了。有任何想法吗?

编辑: 我忘了提,浏览器没有给我任何错误。它只是向我展示了一个空元素。

4

2 回答 2

1

实际上,这是因为 Angular 的注入器会自动改变this函数的属性,考虑一下:

var test = function(string) {
    return {
        html: function(value) {
            console.log(this);
        }
    }
}

$scope.$watch('my_watch_expression', test('string').html);

当您检查 的值时this,您会得到以下结果:

在此处输入图像描述

如您所见,它将在jQuery库上引发错误:

在此处输入图像描述

this没有empty函数,因此,它会抛出一个静默异常并且不会按预期工作。

于 2014-11-12T19:15:28.310 回答
-1

在官方文档中,https: //docs.angularjs.org/api/ng/type/$rootScope.Scope#$watch

$watch 中的第二个参数是监听器

"The listener is called only when the value ..."

从逻辑上讲,如果侦听器被“调用”,它必须是一个函数……或者我在这里错了。

当你这样做时:

link: function (scope, element, attrs) {
  scope.$watch('someVariable', element.html); // <-- Passing the function handle as listener
}

它查看在链接函数中传递的元素并尝试访问 .html 属性。它可能是一个函数,但它返回一个字符串......因此它成功运行,但不做任何日志记录,因为等效是这样的:

scope.$watch('someVariable', "<div> some content </div>"); 

这不会做任何事情,但不会导致任何错误。

如果你像以前一样将它包装在一个函数中,那么你可以用它做一些事情。

于 2014-11-12T18:20:40.917 回答