3

我是 JavaScript 新手,对鸭子类型的概念有点困惑。据我所知,我理解了这个概念。但这在我的想法中导致了一个奇怪的结果。我将通过以下示例进行解释:

我目前正在使用 jQuery Mobile 开发移动网络应用程序。有一次,我vmousedown为画布捕获了事件。我对触摸的压力感兴趣。我找到了Touch.webkitForce房产。

$('#canvas').live('vmousedown', function(e){
    console.log(e.originalEvent.originalEvent.touches[0].webkitForce);
}

这在使用Chrome的远程调试时工作正常。但是在Opera Firefly中测试的时候会抛出异常,因为该originalEvent属性不是触摸事件,而是点击事件。

所以每次我访问一个不在我权限下的对象的属性时,我是否必须检查存在和类型?

if( e.originalEvent &&
    e.originalEvent.originalEvent &&
    e.originalEvent.originalEvent.touches && 
    e.originalEvent.originalEvent.touches[0] && 
    e.originalEvent.originalEvent.touches[0].webkitForce) {

    console.log(e.originalEvent.originalEvent.touches[0].webkitForce);
}

请有人为我澄清一下吗?

4

3 回答 3

4

所以每次我访问一个不在我权限下的对象的属性时,我是否必须检查存在和类型?

是的,您必须一次检查整个路径,或者您可以将其自动化:

function deepObject(o, s) {
    var ss = s.split(".");

    while( o && ss.length ) {
        o = o[ss.shift()];
    }

    return o;
}

var isOk = deepObject(e, "originalEvent.originalEvent.touches.0.webkitForce");

if ( isOk ) {
    // isOk is e.originalEvent.originalEvent.touches.0.webkitForce;
}

测试用例:

var o = {
  a: {
    b: {
      c: {
        d: {
          e: {
          }
        }
      }
    }
  }
}

var a = deepObject(o, "a.b.c");
var b = deepObject(a, "d");

console.log(a); // {"d": {"e": {}}}
console.log(b); // {"e": {}}
console.log(deepObject(o, "1.2.3.3")); // undefined
于 2012-11-06T10:11:36.670 回答
1

使用尝试捕获

$('#canvas').live('vmousedown', function(e) {
   try {
       console.log(e.originalEvent.originalEvent.touches[0].webkitForce);
   } catch(e) {
       console.error('error ...');
   }
}
于 2012-11-06T10:22:33.920 回答
0

当您使用特定框架来捕获事件时,我认为您应该假设始终定义 originalEvent。如果不是,那么抛出错误可能是一件好事,因为在捕获事件的某个地方明显出错了。

但是,该事件可能是MouseEventTouchEvent,而且可能不支持webkitForce属性。这些是您可能想要检测的情况:

// assume that originalEvent is always be defined by jQuery
var originalEvent = e.originalEvent.originalEvent;
if (originalEvent instanceof TouchEvent) {  // if touch events are supported
  // the 'touches' property should always be present in a TouchEvent
  var touch = originalEvent.touches[0];
  if (touch) {
      if (touch.webkitForce) {
        // ...
      } else {
        // webkitForce not supported
      }
  }  // else no finger touching the screen for this event
} else {
   // probably a MouseEvent
}
于 2012-11-06T10:41:21.053 回答