0

我对javascript很陌生,所以也许这是一个愚蠢的错误。我创建了一个像下面这样的对象:

function objA(){
    this.prop1;
    this.prop2;
    this.prop3;
    this.func1=function(){
        alert('func1');
    }
    this.func2=function(){
        alert('func2');
    }
}

我现在有一个要传递对象的函数:

var foo=new objA;

function test(foo){....}

问题是当我调用 test() 时,我执行了 objA(objA.func1 和 objA.func2)中的函数。我只想获取 objA 的属性值。我必须使用另一个函数和一个数组,用 objA 的属性填充数组,然后传递数组:

var arrayA={}

function fillArray(data){
    arrayA.prop1=data.prop1;
    arrayA.prop2=data.prop2;
    arrayA.prop3=data.prop3;
}

function test(arrayA){....}

这是唯一的方法还是我做错了什么?

4

1 回答 1

2

函数对象的属性(它们是一等值),因此它们for (var propName in myObj)像任何其他属性一样出现在循环中。您可以通过以下方式避免进一步检查它们:

for (var prop in myObj){
  if (!myObj.hasOwnProperty(prop)) continue; // Skip inherited properties
  var val = myObj[prop];
  if (typeof val === 'function'))  continue; // Skip functions

  // Must be my own, non-function property
}

或者,在现代浏览器中,您可以将特定属性(如您的函数)设为 non-enumerable,这样它们就不会出现在for ... in循环中:

function objA(){
  this.prop1 = 42;
  Object.defineProperty(this,'func1',{
    value:function(){
     ...
    }
  });
}

有关这方面的更多信息,请参阅Object.defineProperty或的文档Object.defineProperties

最后,如果您不需要将函数定义为闭包,您可以在对象的原型上定义它们,在这种情况下,hasOwnProperty测试将导致它们被跳过:

function objA(){
  this.prop1 = 42;
}
objA.prototype.func1 = function(){
  // operate on the object generically
};

var a = new objA;
"func1" in a;              // true
a.hasOwnProperty("func1"); // false
于 2012-05-23T16:09:48.240 回答