检查JavaScript中是否存在属性

时间:2012-11-06 10:04:04

标签: javascript jquery-mobile duck-typing

我是JavaScript新手,对鸭子打字概念有点困惑。据我所知,我理解这个概念。但这导致了我思想中的奇怪后果。我将用以下例子解释:

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

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

使用Chrome Remote Debugging时,此功能正常。但是在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);
}

可以请某人为我澄清一下吗?

3 个答案:

答案 0 :(得分: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

答案 1 :(得分:1)

使用try catch

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

答案 2 :(得分:0)

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

但是,该事件可能是 MouseEvent TouchEvent ,也可能不支持 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
}