Created
November 1, 2015 20:22
-
-
Save gmmorris/99e73c89d7abfa8275e9 to your computer and use it in GitHub Desktop.
An example of a Constructor Prototype Composer in a more functional syntax for my How to Grok a Higher Order Class article
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/* | |
* A Higher Order Function which takes a Class definition and returns a new function. | |
* | |
* @param {Function} ClassToCompose The class definition we wish to analyze | |
* @return {Function} A function which takes a property name and return a boolean specifying whether | |
* the class has a method with that name which is composable | |
*/ | |
function isComposablePropertyOf(ClassToCompose) { | |
const proto = ClassToCompose.prototype; | |
return propertyName => { | |
if (proto.hasOwnProperty(propertyName)) { | |
const method = proto[propertyName]; | |
const {configurable, writable} = Object.getOwnPropertyDescriptor(proto, propertyName) || {}; | |
if (method instanceof Function && | |
// we can't change non configurable or writable methods | |
configurable && writable && | |
// touching the constructor won't help us here | |
method !== ClassToCompose) { | |
// granted, this syntax is kind of ugly | |
return true; | |
} | |
} | |
return false; | |
}; | |
} | |
export default function(methodComposer) { | |
return ClassToCompose => { | |
class ComposedClass extends ClassToCompose { | |
constructor() { | |
super(...arguments); | |
} | |
} | |
Object | |
.getOwnPropertyNames(ClassToCompose.prototype) | |
.filter(isComposablePropertyOf(ClassToCompose)) | |
.forEach(prop => { | |
ComposedClass.prototype[prop] = methodComposer(ClassToCompose.prototype[prop], prop); | |
}); | |
return ComposedClass; | |
}; | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import functionalComposer from './functional_higher_order_class.js'; | |
@functionalComposer(verbosify) | |
class ComposableBaseClassUsingDecorator { | |
doSomeCalculation(x, y) { | |
return x * y; | |
} | |
doSomethingIllegal() { | |
throw new Error('Oh no!'); | |
} | |
} | |
myVerboseInstance = new ComposableBaseClassUsingDecorator(); | |
ret = myVerboseInstance.doSomeCalculation(2, 5); | |
console.log(`doSomeCalculation() returned: ${ret}`); |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment