从外部调用函数 window.EventListener

Calling function from outside window.EventListener

所以我想在我的

之外调用一个函数
window.addEventListener('deviceorientation', function (event) {
            console.log(event.alpha + ' : ' + event.beta + ' : ' + event.gamma);
            this.adjustHeading(event.alpha);
        })

我要调用的函数:

adjustHeading: function (heading) {
        this.map.getModel().setViewRotation(heading, false);
    }

整个js:

(function ($) {
'use strict';

$.widget("symfony.GpsPosition", {

    //lots of code//

    listenForDeviceOrientation: function() {
       window.addEventListener('deviceorientation', function (event) {
            console.log(event.alpha + ' : ' + event.beta + ' : ' + event.gamma);
            this.adjustHeading(event.alpha);
        })},

    adjustHeading: function (heading) {
        this.map.getModel().setViewRotation(heading, false);
    }
});

}(jQuery));

我的问题是,来自 window.eventListener 的 this.adjustHeading(event.alpha); 调用不起作用,因为 adjustHeading() 在 windows 范围内不可用。

有什么方法可以绕过它并访问同一文件中的 JS 属性吗?

我正在为地图视图使用 smyfony 和 openlayers,如果这有帮助的话。

问题是因为您的代码期望事件处理函数中的 this 是对您提供给 $.widget 的设置对象的引用。但是在事件处理程序中,范围已更改,因此 this 指的是您将事件附加到的对象,在本例中为 window

要解决此问题,您可以使用 ES6 箭头函数来定义事件处理程序,因为它们不会影响处理程序的范围:

listenForDeviceOrientation: () => window.addEventListener('deviceorientation', e => this.adjustHeading(e.alpha)),
adjustHeading: heading => this.map.getModel().setViewRotation(heading, false);

或者您可以 'cache' 在外部作用域中声明的变量中的 this 引用,以在事件处理程序中使用:

$.widget("symfony.GpsPosition", {
  let _this = this;
    
  // lots of code...

  listenForDeviceOrientation: function() {
    window.addEventListener('deviceorientation', function(event) {
      _this.adjustHeading(event.alpha);
    })
  },
  adjustHeading: function(heading) {
    _this.map.getModel().setViewRotation(heading, false);
  }
});

前者更简洁,但在 IE 中不受支持,因此您的最佳选择将归结为您需要支持的浏览器。