JavaScript一直让我惊讶,这是另一个例子。我只是遇到了一些代码,一开始我不理解。所以我对它进行了调试,得到了这样的发现:

alert('a'['toUpperCase']());  //alerts 'A'

现在,如果toUpperCase()被定义为string类型的成员,这肯定是显而易见的,但最初对我来说没有意义。

不管怎么说,

does this work because toUpperCase is a member of 'a'? Or there is something else going on behind the scenes? the code I was reading has a function as follows: function callMethod(method) { return function (obj) { return obj[method](); //**how can I be sure method will always be a member of obj** } } var caps2 = map(['a', 'b', 'c'], callMethod('toUpperCase')); // ['A','B','C'] // ignoring details of map() function which essentially calls methods on every // element of the array and forms another array of result and returns it It is kinda generic function to call ANY methods on ANY object. But does that mean the specified method will already be an implicit member of the specified object?

我确信我对JavaScript函数的基本概念缺少一些认真的理解。请帮助我理解这一点。


当前回答

基本上javascript把所有东西都当作一个对象,或者说每个对象都可以被看作一个字典/关联数组。函数/方法的定义方式与对象完全相同——作为这个关联数组中的一个条目。

本质上,你是在引用/调用(注意'()')' a'对象的'toUpperCase'属性(在这里是字符串类型)。

以下是我脑海中的一些代码:

function myObject(){
    this.msg = "hey there! ;-)";
    this.woop = function(){
        alert(this.msg); //do whatever with member data
    }
}

var obj = new myObject();
alert( obj.msg );
alert( obj['msg'] );
obj['woop']();

其他回答

每个JavaScript对象都是一个哈希表,因此你可以通过指定一个键来访问它的成员。例如,如果一个变量是一个字符串,那么它应该有toUpperCase函数。你可以通过

var str = "a"
str['toUpperCase'](). // you get the method by its name as a key and invoke it.

通过inline str,你可以有下面

"a"["toUpperCase"]()

您可以使用.propertyName表示法或["propertyName"]表示法访问任何对象的成员。这就是JavaScript语言的特点。为了确保该成员在对象中,只需检查它是否被定义:

function callMethod(method) {
    return function (obj) {
        if (typeof(obj[method]) == 'function') //in that case, check if it is a function
           return obj[method](); //and then invoke it
    }
}

把它分解。

.toUpperCase()是String.prototype的一个方法 'a'是一个基本值,但会转换为它的Object表示形式 我们有两种可能的表示法来访问对象属性/方法,点表示法和括号表示法

So

'a'['toUpperCase'];

是String.prototype中通过括号符号对属性toUpperCase的访问。由于此属性引用了一个方法,因此可以通过attach()调用它。

'a'['toUpperCase']();

anyObject['anyPropertyName']与anyObject相同。当anyPropertyName没有问题字符时。

参见MDN中的“使用对象”。

toUpperCase方法附加到类型String上。当你在一个基本值上调用一个函数时,这里'a',它会自动提升为一个对象,这里是String:

在要对基本字符串或对象调用方法的上下文中 属性查找时,JavaScript会自动换行字符串 元素,并调用该方法或执行属性查找。

你可以通过记录String.prototype.toUpperCase来看到这个函数的存在。

javascript中几乎所有的东西都可以被当作对象。在你的例子中,字母本身充当一个字符串对象,toUpperCase可以作为它的方法被调用。方括号只是访问对象属性的另一种方式,由于toUpperCase是一个方法,因此需要在['toUpperCase']旁边使用simple括号(),形成['toUpperCase']()。

'a'['toUpperCase']()相当于'a'.toUpperCase()

'a'['toUpperCase']() // returns A
'a'.toUpperCase() // returns A