/** * Contains basic inheritance mechanism * * Copyright (C) 2010 Mike Gerwitz * * This file is part of ease.js. * * ease.js is free software: you can redistribute it and/or modify it under the * terms of the GNU Lesser General Public License as published by the Free * Software Foundation, either version 3 of the License, or (at your option) * any later version. * * This program is distributed in the hope that it will be useful, but WITHOUT * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or * FITNESS FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public License * for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * * @author Mike Gerwitz * @package core */ var util = require( './util' ); /** * Stores class metadata internally (ensures data is encapsulated) * * The data in this object is hashed a class id. * * @type {Object. }>} */ var class_meta = {}; /** * Creates a class, inheriting either from the provided base class or the * default base class * * @param {Object} base object to extend (extends Class by default) * * @return {Object} extended class */ exports.extend = function( base ) { return extend.apply( this, arguments ); }; /** * Implements an interface or set of interfaces * * @param {...Interface} interfaces interfaces to implement * * @return {Class} new class containing interface abstractions */ exports.implement = function() { var args = Array.prototype.slice.call( arguments ); // apply to an empty (new) object args.unshift( exports.extend() ); return implement.apply( this, args ); }; /** * Determines whether the provided object is a class created through ease.js * * @param {Object} obj object to test * * @return {boolean} true if class (created through ease.js), otherwise false */ exports.isClass = function( obj ) { obj = obj || {}; return ( obj.prototype instanceof Class ) ? true : false ; }; /** * Determines whether the provided object is an instance of a class created * through ease.js * * @param {Object} obj object to test * * @return {boolean} true if instance of class (created through ease.js), * otherwise false */ exports.isClassInstance = function( obj ) { obj = obj || {}; return ( obj instanceof Class ) ? true : false; }; /** * Determines if the class is an instance of the given type * * The given type can be a class, interface, trait or any other type of object. * It may be used in place of the 'instanceof' operator and contains additional * enhancements that the operator is unable to provide due to prototypal * restrictions. * * @param {Object} type expected type * @param {Object} instance instance to check * * @return {boolean} true if instance is an instance of type, otherwise false */ exports.isInstanceOf = function( type, instance ) { var meta, implemented, i; try { // check prototype chain (with throw an error if type is not a // constructor (function) if ( instance instanceof type ) { return true; } } catch ( e ) {} // if no metadata is available, then our remaining checks cannot be // performed if ( !instance.__cid || !( meta = getMeta( instance.__cid ) ) ) { console.log( instance ); return false; } implemented = meta.implemented; i = implemented.length; // check implemented interfaces while ( i-- ) { if ( implemented[ i ] === type ) { return true; } } return false; }; /** * Alias for isInstanceOf() * * May read better in certain situations (e.g. Cat.isA( Mammal )) and more * accurately conveys the act of inheritance, implementing interfaces and * traits, etc. */ exports.isA = exports.isInstanceOf; /** * Default class implementation * * @return undefined */ function Class() {}; /** * Creates extend function * * The 'extending' parameter is used to override the functionality of abstract * class constructors, allowing them to be instantiated for use in a subclass's * prototype. * * @param {boolean} extending whether a class is currently being extended * * @return {Function} extend function */ var extend = ( function( extending ) { var class_id = 0; /** * Mimics class inheritance * * This method will mimic inheritance by setting up the prototype with the * provided base class (or, by default, Class) and copying the additional * properties atop of it. * * The class to inherit from (the first argument) is optional. If omitted, the * first argument will be considered to be the properties list. * * @return {Object} extended class */ return function extend() { // ensure we'll be permitted to instantiate abstract classes for the base extending = true; var args = Array.prototype.slice.call( arguments ), props = args.pop() || {}, base = args.pop() || Class, prototype = new base(); var properties = {}, abstract_methods = ( base.abstractMethods || [] ).slice(); util.propCopy( props, prototype, { each: function( name, value ) { // disallow use of our internal __initProps() method if ( name === '__initProps' ) { throw new Error( "__initProps is a reserved method" ); } this.performDefault( name, value ); }, property: function( name, value ) { properties[ name ] = value; this.performDefault( name, value ); }, method: function( name, func, is_abstract ) { var pre = prototype[ name ]; if ( ( pre === undefined ) && is_abstract ) { abstract_methods.push( name ); } this.performDefault( name, func, is_abstract ); }, methodOverride: function( name, pre, func ) { return util.overrideMethod( name, pre, func, abstract_methods ); }, } ); abstract_methods = util.arrayShrink( abstract_methods ); // reference to the parent prototype (for more experienced users) prototype.parent = base.prototype; // set up the new class var new_class = createCtor( abstract_methods ); attachPropInit( prototype, properties ); new_class.prototype = prototype; new_class.constructor = new_class; // important: call after setting prototype setupProps( new_class, abstract_methods, ++class_id ); // lock down the new class (if supported) to ensure that we can't add // members at runtime util.freeze( new_class ); // create internal metadata for the new class createMeta( new_class, base.prototype.__cid ); // we're done with the extension process extending = false; return new_class; }; /** * Creates the constructor for a new class * * This constructor will call the __constructor method for concrete classes * and throw an exception for abstract classes (to prevent instantiation). * * @param {Array.} abstract_methods list of abstract methods * * @return {Function} constructor */ function createCtor( abstract_methods ) { // concrete class if ( abstract_methods.length === 0 ) { var args = null; var __self = function() { if ( !( this instanceof __self ) ) { // store arguments to be passed to constructor and // instantiate new object args = arguments; return new __self(); } this.__initProps(); // call the constructor, if one was provided if ( this.__construct instanceof Function ) { // note that since 'this' refers to the new class (even // subtypes), and since we're using apply with 'this', the // constructor will be applied to subtypes without a problem this.__construct.apply( this, ( args || arguments ) ); args = null; } // attach any instance properties/methods (done after // constructor to ensure they are not overridden) attachInstanceOf( this ); }; return __self; } // abstract class else { return function() { if ( !extending ) { throw new Error( "Abstract classes cannot be instantiated" ); } }; } } } )( false ); /** * Implements interface(s) into an object * * This will copy all of the abstract methods from the interface and merge it * into the given object. * * @param {Object} base base object * @param {...Interface} interfaces interfaces to implement into dest * * @return {Object} destination object with interfaces implemented */ var implement = function() { var args = Array.prototype.slice.call( arguments ), dest = {}, base = args.shift(), len = args.length, arg = null, abstract_list = [], implemented = []; // add each of the interfaces for ( var i = 0; i < len; i++ ) { arg = args[ i ]; // copy all interface methods to the class (does not yet deep copy) util.propCopy( arg.prototype, dest ); implemented.push( arg ); } // create a new class with the implemented abstract methods var class_new = exports.extend( base, dest ); getMeta( class_new.__cid ).implemented = implemented; return class_new; } /** * Sets up common properties for the provided function (class) * * @param {Function} func function (class) to set up * @param {Array.} abstract_methods list of abstract method names * @param {number} class_id unique id to assign to class * * @return {undefined} */ function setupProps( func, abstract_methods, class_id ) { attachAbstract( func, abstract_methods ); attachExtend( func ); attachImplement( func ); attachId( func, class_id ); } /** * Attaches __initProps() method to the class prototype * * The __initProps() method will initialize class properties for that instance, * ensuring that their data is not shared with other instances (this is not a * problem with primitive data types). * * The __initProps() method will also initialize any parent properties * (recursive) to ensure that subtypes do not have a referencing issue, and * subtype properties take precedence over those of the parent. * * @param {Object} prototype prototype to attach method to * @param {Object} properties properties to initialize * * @return {undefined} */ function attachPropInit( prototype, properties ) { util.defineSecureProp( prototype, '__initProps', function() { // first initialize the parent's properties, so that ours will overwrite // them var parent_init = prototype.parent.__initProps; if ( parent_init instanceof Function ) { parent_init.call( this ); } // initialize each of the properties for this instance to // ensure we're not sharing prototype values for ( prop in properties ) { // initialize the value with a clone to ensure that they do // not share references (and therefore, data) this[ prop ] = util.clone( properties[ prop ] ); } }); } /** * Attaches isAbstract() method to the class * * @param {Function} func function (class) to attach method to * @param {Array} methods abstract method names * * @return {undefined} */ function attachAbstract( func, methods ) { var is_abstract = ( methods.length > 0 ) ? true: false; /** * Returns whether the class contains abstract methods (and is therefore * abstract) * * @return {Boolean} true if class is abstract, otherwise false */ util.defineSecureProp( func, 'isAbstract', function() { return is_abstract; }); // attach the list of abstract methods to the class (make the copy of the // methods to ensure that they won't be gc'd or later modified and screw up // the value) util.defineSecureProp( func, 'abstractMethods', methods ); } /** * Attaches extend method to the given function (class) * * @param {Function} func function (class) to attach method to * * @return {undefined} */ function attachExtend( func ) { /** * Shorthand for extending classes * * This method can be invoked on the object, rather than having to call * Class.extend( this ). * * @param {Object} props properties to add to extended class * * @return {Object} extended class */ util.defineSecureProp( func, 'extend', function( props ) { return extend( this, props ); }); } /** * Attaches implement method to the given function (class) * * @param {function()} func function (class) to attach method to * * @return {undefined} */ function attachImplement( func ) { util.defineSecureProp( func, 'implement', function() { var args = Array.prototype.slice.call( arguments ); args.unshift( func ); return implement.apply( this, args ); }); } /** * Attaches the unique id to the class and its prototype * * The unique identifier is used internally to match a class and its instances * with the class metadata. Exposing the id breaks encapsulation to a degree, * but is a lesser evil when compared to exposing all metadata. * * @param {Function} func function (class) to attach method to * @param {number} id id to assign * * @return {undefined} */ function attachId( func, id ) { util.defineSecureProp( func, '__cid', id ); util.defineSecureProp( func.prototype, '__cid', id ); } /** * Attaches partially applied isInstanceOf() method to class instance * * @param {Object} instance class instance to attach method to * * @return {undefined} */ function attachInstanceOf( instance ) { var method = function( type ) { return exports.isInstanceOf( type, instance ); }; util.defineSecureProp( instance, 'isInstanceOf', method ); util.defineSecureProp( instance, 'isA', method ); } /** * Initializes class metadata for the given class * * @param {Class} func class to initialize metadata for * * @return {undefined} */ function createMeta( func, parent_id ) { var id = func.__cid, parent_meta = ( ( parent_id ) ? getMeta( parent_id) : undefined ); // copy the parent prototype's metadata if it exists (inherit metadata) if ( parent_meta ) { // todo: deep (1) util.clone() when available class_meta[ id ] = { implemented: util.clone( parent_meta.implemented ), }; } else { // create empty class_meta[ id ] = { implemented: [], }; } } /** * Returns reference to metadata for the requested class * * Since a reference is returned (rather than a copy), the returned object can * be modified to alter the metadata. * * @param {number} id id of class to retrieve metadata for * * @return {Object} */ function getMeta( id ) { return class_meta[ id ]; }