forked from dreamapplehappy/hacking-with-javascript
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcurry-2016-7-20.js
71 lines (63 loc) · 2.32 KB
/
curry-2016-7-20.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
68
69
70
71
function curryingHelper(fn) {
var _args = Array.prototype.slice.call(arguments, 1);
return function () {
var _newArgs = Array.prototype.slice.call(arguments);
var _totalArgs = _args.concat(_newArgs);
return fn.apply(this, _totalArgs);
}
}
function showMsg(name, age, fruit) {
console.log('My name is ' + name + ', I\'m ' + age + ' years old, ' + ' and I like eat ' + fruit);
}
//
//var curryingShowMsg1 = curryingHelper(showMsg, 'dreamapple');
//curryingShowMsg1(22, 'apple'); // My name is dreamapple, I'm 22 years old, and I like eat apple
//
//var curryingShowMsg2 = curryingHelper(showMsg, 'dreamapple', 20);
//curryingShowMsg2('watermelon'); // My name is dreamapple, I'm 20 years old, and I like eat watermelon
function betterCurryingHelper(fn, len) {
var length = len || fn.length;
return function () {
var allArgsFulfilled = (arguments.length >= length);
if (allArgsFulfilled) {
return fn.apply(this, arguments);
}
else {
var argsNeedFulfilled = [fn].concat(Array.prototype.slice.call(arguments));
return betterCurryingHelper(curryingHelper.apply(this, argsNeedFulfilled), length - arguments.length);
}
};
}
var betterShowMsg = betterCurryingHelper(showMsg);
betterShowMsg('dreamapple', 22, 'apple'); // My name is dreamapple, I'm 22 years old, and I like eat apple
betterShowMsg('dreamapple', 22)('apple'); // My name is dreamapple, I'm 22 years old, and I like eat apple
betterShowMsg('dreamapple')(22, 'apple'); // My name is dreamapple, I'm 22 years old, and I like eat apple
betterShowMsg('dreamapple')(22)('apple'); // My name is dreamapple, I'm 22 years old, and I like eat apple
//function add(a, b) {
// return a + b;
//}
//
//function curryingAdd(a) {
// return function(b) {
// return a + b;
// }
//}
//
//add(1, 2); // 3
//curryingAdd(1)(2); // 3
//function printInfo(name, song) {
// console.log(name + '喜欢的歌曲是: ' + song);
//}
//printInfo('Tom', '七里香');
//printInfo('Jerry', '雅俗共赏');
//
//
//function curryingPrintInfo(name) {
// return function(song) {
// console.log(name + '喜欢的歌曲是: ' + song);
// }
//}
//var tomLike = curryingPrintInfo('Tom');
//tomLike('七里香');
//var jerryLike = curryingPrintInfo('Jerry');
//jerryLike('雅俗共赏');