|
// Variation 1 (AOP format -> modifies behaviour without changing the `foo` method code) |
|
|
|
var obj = { |
|
foo: function(a, b, c) { |
|
console.log('foo', a, b, c); |
|
} |
|
}; |
|
|
|
var originalMethod = obj.foo; |
|
|
|
originalMethod(1, 2, 3) // => foo, a, b, c |
|
|
|
obj.foo = function(a, b, c) { |
|
console.log('before'); |
|
originalMethod.apply(this, arguments) |
|
console.log('after'); |
|
}; |
|
|
|
obj.foo(1, 2, 3) // => before; foo, a, b, c; after |
|
|
|
// Variation 2 (Same as the first but abstracted into reusable helper functions) |
|
|
|
function before(f, advice) { |
|
return function () { |
|
advice.apply(this, arguments); |
|
return f.apply(this, arguments); |
|
}; |
|
} |
|
function after(f, advice) { |
|
return function () { |
|
var result = f.apply(this, arguments); |
|
advice.call(this, result); |
|
return result; |
|
}; |
|
} |
|
|
|
var obj = { |
|
foo: function(a, b, c) { |
|
console.log('foo', a, b, c); |
|
} |
|
}; |
|
|
|
obj.foo = before(obj.foo, function(){ |
|
console.log('Before!!'); |
|
}); |
|
|
|
obj.foo = after(obj.foo, function(){ |
|
console.log('After!!'); |
|
}); |
|
|
|
obj.foo(1, 2, 3) // => Before!!; foo, a, b, c; After!! |
|
|
|
// Variation 3 ("Extract Surrounding" format -> not AOP as it modifies the source `foo` method) |
|
|
|
var obj = { |
|
foo: function(before, after) { |
|
if (before) before(); |
|
console.log('foo'); |
|
if (after) after(); |
|
} |
|
}; |
|
|
|
function before(){ |
|
console.log('before'); |
|
} |
|
|
|
function after(){ |
|
console.log('after'); |
|
} |
|
|
|
object.foo(before, after); |
|
|
|
// Different example of the second variation |
|
|
|
function logsArguments (fn) { |
|
return function () { |
|
console.log.apply(this, arguments); |
|
return fn.apply(this, arguments) |
|
} |
|
} |
|
|
|
function sum (a, b) { |
|
return a + b; |
|
} |
|
|
|
var logsSum = logsArguments(sum); |
|
|
|
console.log( |
|
logsSum(1, 3) |
|
); |