5

Object 类同时具有方法和函数,这意味着它们都可以通过 Object.nameOfMethodOrFunction() 访问。以下问题What is the difference between a method and a function解释了方法和函数之间的区别,但没有解释如何在对象中创建它们。例如,下面的代码定义了 sayHi 方法。但是你如何在同一个对象中定义一个函数呢?

var johnDoe =
{
      fName : 'John',
      lName: 'Doe',
      sayHi: function()
      {
        return 'Hi There';
      }
};
4

3 回答 3

7

下面定义了两个类ClassAClassB,具有相同的功能但性质不同:

function ClassA(name){
    this.name = name;
    // Defines method ClassA.say in a particular instance of ClassA
    this.say = function(){
        return "Hi, I am " + this.name;
    }
}

function ClassB(name){
    this.name = name;
}
// Defines method ClassB.say in the prototype of ClassB
ClassB.prototype.say = function(){
    return "Hi, I am " + this.name;
}

如下图,它们在用法上并没有太大区别,都是“方法”。

var a = new ClassA("Alex");
alert(a.say());
var b = new ClassB("John");
alert(b.say());

所以现在你对“函数”的意思是什么,根据你作为评论给出的msdn链接,似乎“函数”只是一个“静态方法”,就像在 C# 或 Java 中一样?

// So here is a "static method", or "function"?
ClassA.createWithRandomName = function(){
    return new ClassA("RandomName"); // Obviously not random, but just pretend it is.
}

var a2 = ClassA.createWithRandomName(); // Calling a "function"?
alert(a2.say()); // OK here we are still calling a method.

所以这就是你的问题:

var johnDoe =
{
      fName : 'John',
      lName: 'Doe',
      sayHi: function()
      {
        return 'Hi There';
      }
};

好的,这是一个Object,但显然不是一个类。

于 2012-12-30T06:56:40.177 回答
0

用“方法在对象上。函数独立于对象”引用 Aaron。

从逻辑上讲,如果没有定义“this”,方法是没有用的。

考虑这个例子:

var johnDoe =
{
    fName: 'John',
    lName: 'Doe',
    sayHi: function () {
        return 'Hi There, my name is ' + this.fName;
    }
};

function sayHi2() {
    return 'Hi There, my last name is ' + this.lName;
}

//Will print Hi there, my first name is John
alert(johnDoe.sayHi());

//An undefined will be seen since there is no defined "this" in SayHi2.
alert(sayHi2());

//Call it properly now, using the oject johnDoe for the "this"
//Will print Hi there, my last name is Doe.
alert(sayHi2.call(johnDoe));
于 2012-12-30T07:04:11.467 回答
0
var johnDoe = {
  fName: 'John',
  lName: 'Doe',
  sayHi: function(){
    function message(){ return 'Hi there'; }
    return message();
  }
};

这与在 JavaScript 中创建“类”的对象声明方法一样好。请记住,函数仅在sayHi' 范围内有效。

但是,如果您将函数用作类结构,则具有更多的灵活性:

var johnDoe = function(){
  this.publicFunction = function(){
  };
  var privateFunction = function(){
  };
};
var jd = new johnDoe();
jd.publicFunction(); // accessible
jd.privateFunction(); // inaccessible

(尽管两者都被认为是方法,因为它们可以访问对象的范围)。

于 2012-12-30T06:43:50.273 回答