-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmethodOverloading.js
67 lines (55 loc) · 2.38 KB
/
methodOverloading.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
(function () {
/* method overloading */
function addMethod(object, name, func) {
/* old will be cached => Closure */
var old = object[name];
if (old) { old._name = func.name };
console.log("overLoading", func.name, "-------------------------")
object[name] = function () {
/* length 属性指明函数的形参个数。 */
/* Compare the length of attribute of the function with the length of arguments */
if (func.length === arguments.length) {
console.log("fire the target function params", Array.from(arguments))
/* 形参与实际参数的长度相等 */
/* Use the apply call to bind the context */
return func.apply(this, arguments)
} else if (typeof old === "function") {
console.log("old's name", old._name)
console.log("Previous function", Array.from(arguments))
/* 一直回退找目标函数 */
/* Use the apply call to bind the context */
return old.apply(this, arguments)
}
}
}
function find0() {
return this.names;
}
function find1(firstName) {
return this.names.filter(name => name.indexOf(firstName) === 0);
}
function find2(firstName, lastName) {
return this.names.filter(name => name === `${firstName} ${lastName}`);
}
var people = {
names: ["Dean Edwards", "Alex Russell", "Dean Tom"]
};
console.log("_______________ overloading start ________________")
addMethod(people, "find", find0);
addMethod(people, "find", find1);
addMethod(people, "find", find2);
console.log("_______________ overloading end ________________")
console.log(people.find()); // output ["Dean Edwards", "Alex Russell", "Dean Tom"]
console.log(people.find("Dean")); // output ["Dean Edwards", "Dean Tom"]
console.log(people.find("Dean", "Edwards")); // output ["Dean Edwards"]
console.log("_______________ the length of function start ________________")
console.log(Function.length); /* 1 */
console.log((function () { }).length); /* 0 */
console.log((function (a) { }).length); /* 1 */
console.log((function (a, b) { }).length); /* 2 etc. */
console.log((function (...args) { }).length);
// 0, rest parameter is not counted
console.log((function (a, b = 1, c) { }).length);
// 1, only parameters before the first one with a default value is counted
console.log("_______________ the length of function end ________________")
})()