/**
 * @class ST.pageobject.Base
 * A PageObject is a simple class upon which custom methods can be defined to encapsulate 
 * common tasks associated with writing tests via the Sencha Test Futures API.
 *
 * ## Anatomy
 * A custom PageObject class has 2 main requirements:
 *
 * ### Class Name
 * To define a PageObject, you will use the following syntax:
 *
 *      ST.pageobject.define('MyCustomPageObject', {
 *          type: 'custom'
 *      });
 * 
 * In this example, "MyCustomPageObject" is the name of the custom PageObject class we are creating, 
 * it's fully qualified name being:
 *
 *      ST.pageobject.MyCustomPageObject
 *
 * ### Type
 * The "type" must be a unique key, per project, that identifies the PageObject (and will be used
 * to register the PageObject with the PageObject Manager). In our example above, "custom"
 * is the custom type for our PageObject class.
 *
 * ### Custom Methods
 * Beyond the requirements for creating a custom PageObject class, you can additional define 
 * any number of custom methods that encapsulate logic that you can use within your tests in a much less verbose way.
 *
 * For example, if we have a loginButton in our page that we wish to locate, we can create a custom method on our 
 * PageObject that returns a Component Future:
 *
 *      ST.pageobject.define('MyCustomPageObject', {
 *          type: 'custom',
 *
 *          getLoginButton: function () {
 *              return ST.button('#myLoginButton');
 *          }
 *      });  
 *
 * In this example, the "loginButton" method encapsulates the location of the button component. So now, instead of having
 * to use the verbose form (ST.button(...)), we can simply use our PageObject's custom methods:
 *
 *      var myPO = ST.PageObject.get('custom');
 *      var button = myPO.getLoginButton();
 *
 * Besides locating elements, however, we can additionally use PageObjects to encapsulate more complex functionality.
 *
 *      ST.pageobject.define('MyCustomPageObject', {
 *          type: 'custom',
 *
 *          getLoginButton: function () {
 *              return ST.button('#myLoginButton');
 *          },
 *
 *          submitLogin: function () {
 *              var button = this.getLoginButton();
 *              button.click();
 *         }
 *      });  
 *
 * In this example, we added a new method (submitLogin) which not only uses the other custom method to retrieve the 
 * button Future, but also executes the click() method from the Sencha Test API upon it. There are, of course, much more
 * complex scenarios that are supported, but hopefully this gives you a good taste of what is possible with PageObjects.
 */
ST.pageobject.Base = ST.define({
    type: 'basepageobject',
    $isPageObject: true,
    
    /**
     * @method getType
     * Returns the custom type used to uniquely identify this PageObject class
     * @return {String}
     */
    getType: function () {
        return this.type || this.name.toLowerCase();
    },
 
    /**
     * @method getName
     * Returns the short name for this PageObject class (e.g., ST.pageobject.Custom => "Custom")
     * @return {String}
     */
    getName: function () {
        return this.name;
    }
});
 
ST.pageobject._validateLocatorFn = function (def) {
    var hasLocator = !!def.locator,
        hasType = !!def.type;
 
    return hasLocator && hasType;
}
 
ST.pageobject._createLocatorFn = function (cls, key, def) {
    var type = def.type,
        locator = def.locator,
        fn;
 
    fn = function () {
        return ST[type](locator);
    }
 
    cls.prototype[key] = fn;
}
 
ST.pageobject.define = function (pageObjectName, body) {
    if (!body.extend) {
        // TODO: Do we want to allow extension of page objects?
        // it's free, but will it cause headaches?
        body.extend = ST.pageobject.Base;
    }
 
    var locators = body._locators,
        // by default, page objects will be auto-registered with manager when the class 
        register = typeof body.register !== 'undefined' ? body.register : true;
 
    delete body.register;
    delete body._locators;
 
    var cls = ST.define(body), // deletes body.extend
        parts = pageObjectName.split('.'),
        methodScope = ST,
        classScope = ST.pageobject,
        type, className, locatorDef, locatorKey;
 
    while (parts.length > 1) {
        type = parts.shift();
 
        if (!classScope[type]) {
            classScope[type] = {};
        }
        if (!methodScope[type]) {
            methodScope[type] = {};
        }
    }
 
    type = parts[0];
 
    className = cls.prototype.$className = 'ST.pageobject.' + pageObjectName;
    cls.prototype.name = pageObjectName;
    cls.prototype.type = body.type || pageObjectName.toLowerCase();
 
    if (locators) {
        for (locatorKey in locators) {
            locatorDef = locators[locatorKey];
            if (ST.pageobject._validateLocatorFn(locatorDef)) {
                ST.pageobject._createLocatorFn(cls, locatorKey, locatorDef);
            }
        }
    }
 
    // add to ST.pageobject namesapce
    classScope[type] = cls;
 
    // register is a hook for testing; normally, page objects will auto-register themselves,
    // but we can specify register:false in the definition to prevent it and require manual registration
    if (register) {
        // register with PageObject Manager
        ST.PageObject.register(className);
    }
 
    return cls;
};
pan class="text plain null-grammar">    }
 
    /**
     * Defines a primitive class similar to the Ext JS class system. The following
     * features are provided:
     *
     *   * `extend`
     *   * `singleton`
     *   * `statics` (like ES6, all statics are inherited)
     *
     * @param {Object/Function} data The class body or a method that will return the
     * class body. The method is passed the class constructor as its single argument.
     * @param {Function} [onComplete] Optional completion method. Since this method is
     * synchronous, `onComplete` is called immediately.
     * @return {Function} The class constructor
     * @method define
     * @member ST
     */
    ST.define = function (data, onComplete) {
        var ctor = _makeCtor();
 
        if (typeof data === 'function') {
            data = data(ctor);
        }
 
        var extend = data.extend || _Base,
            proto = ctor.prototype,
            singleton = data.singleton,
            mixins = data.mixins,
            mixin, key, i;
 
        delete data.singleton;
        delete data.mixins;
 
        // debugger
        
        if (extend) {
            delete data.extend;
 
            // Copy ownProperties from the base (inheritable statics like ES6)
            ST.apply(ctor, extend, true);
 
            ctor.prototype = proto = ST.chain(ctor.superclass = extend.prototype);
            proto.self = ctor;
        }
 
        if (mixins) {
            mixins = ST.isArray(mixins) ? mixins : [mixins];
 
            for (i=0; i<mixins.length; i++) {
                mixin = mixins[i].prototype;
 
                for (key in mixin) {
                    if (proto[key] === undefined) {
                        proto[key] = mixin[key];
                    }
                }
            }
        }   
 
        if (data.statics) {
            // These will overwrite any inherited statics (as they should)
            ST.apply(ctor, data.statics);
 
            delete data.statics;
        }
 
        ST.apply(proto, data);
 
        if (onComplete) {
            onComplete.call(ctor, ctor);
        }
 
        if (singleton) {
            return new ctor();
        }
 
        return ctor;
    };
 
    ST.emptyFn = function () {};
 
    /**
     * Iterates an array or an iterable value and invoke the given callback function for
     * each item.
     *
     *     var countries = ['Vietnam', 'Singapore', 'United States', 'Russia'];
     *
     *     ST.each(countries, function(name, index, countriesItSelf) {
     *         console.log(name);
     *     });
     *
     *     var sum = function() {
     *         var sum = 0;
     *
     *         ST.each(arguments, function(value) {
     *             sum += value;
     *         });
     *
     *         return sum;
     *     };
     *
     *     sum(1, 2, 3); // returns 6
     *
     * The iteration can be stopped by returning `false` from the callback function.
     * Returning `undefined` (i.e `return;`) will only exit the callback function and
     * proceed with the next iteration of the loop.
     *
     *     ST.each(countries, function(name, index, countriesItSelf) {
     *         if (name === 'Singapore') {
     *             return false; // break here
     *         }
     *     });
     *
     * @param {Array|NodeList} iterable The value to be iterated.
     * TODO this fn param doc renders strange.... Function< /a>
     * @param {Function} fn The callback function. If it returns `false`, the iteration
     * stops and this method returns the current `index`. Returning `undefined` (i.e
     * `return;`) will only exit the callback function and proceed with the next iteration
     * in the loop.
     * @param {Object} fn.item The item at the current `index` in the passed `array`
     * @param {Number} fn.index The current `index` within the `array`
     * @param {Array} fn.allItems The `array` itself which was passed as the first argument
     * @param {Boolean} fn.return Return `false` to stop iteration.
     * @param {Object} [scope] The scope (`this` reference) in which the specified function
     * is executed.
     * @param {Boolean} [reverse=false] Reverse the iteration order (loop from the end to
     * the beginning).
     * @return {Boolean} If no iteration returns `false` then this method returns `true`.
     * Otherwise this method returns the index that returned `false`. See description for
     * the `fn` parameter.
     * @method each
     * @member ST
     */
    ST.each = function (iterable, fn, scope, reverse) {
        if (iterable) {
            var ln = iterable.length,
                i;
 
            if (reverse !== true) {
                for (i = 0; i < ln; i++) {
                    if (fn.call(scope || iterable[i], iterable[i], i, iterable) === false) {
                        return i;
                    }
                }
            }
            else {
                for (i = ln - 1; i > -1; i--) {
                    if (fn.call(scope || iterable[i], iterable[i], i, iterable) === false) {
                        return i;
                    }
                }
            }
 
            return true;
        }
    };
 
    ST.eachKey = function (obj, fn) {
        if (!obj) {
            return;
        }
        for (var key in obj) {
            fn(key, obj[key]);
        }
    };
 
    /**
     * Returns the first matching key corresponding to the given value.
     * If no matching value is found, null is returned.
     * @param {Object} object
     * @param {Object} value The value to find
     * @method getKey
     * @member ST
     * @private
     */
    ST.getKey = function (object, value) {
        for (var property in object) {
            if (object.hasOwnProperty(property) && object[property] === value) {
                return property;
            }
        }
 
        return null;
    };
 
    /**
     * Gets all values of the given object as an array.
     * @param {Object} object
     * @return {Array} An array of values from the object
     * @method getValues
     * @member ST
     * @private
     */
    ST.getValues = function (object) {
        var values = [],
            property;
 
        for (property in object) {
            if (object.hasOwnProperty(property)) {
                values.push(object[property]);
            }
        }
 
        return values;
    };
 
    ST.isArray = ('isArray' in Array) ? Array.isArray : function(value) {
        return Object.prototype.toString.call(value) === '[object Array]';
    };
 
    ST.isBoolean = function (value) {
        return typeof value === 'boolean';
    };
 
    ST.isEmpty = function (value) {
        return (value == null) || (value && ST.isArray(value) && !value.length);
    };
 
    ST.isNumber = function (value) {
        return typeof value === 'number';
    };
 
    ST.isPrimitive = function (value) {
        var t = typeof value;
 
        return t === 'string' || t === 'number' || t === 'boolean';
    };
 
    ST.isString = function (value) {
        return typeof value === 'string';
    };
 
    //----------------------------------------------------------------------
    // Array
 
    var slice = Array.prototype.slice,
        fixArrayIndex = function (array, index) {
            return (index < 0) ? Math.max(0, array.length + index)
                : Math.min(array.length, index);
        },
        replaceSim = function (array, index, removeCount, insert) {
            var add = insert ? insert.length : 0,
                length = array.length,
                pos = fixArrayIndex(array, index);
 
            // we try to use Array.push when we can for efficiency...
            if (pos === length) {
                if (add) {
                    array.push.apply(array, insert);
                }
            } else {
                var remove = Math.min(removeCount, length - pos),
                    tailOldPos = pos + remove,
                    tailNewPos = tailOldPos + add - remove,
                    tailCount = length - tailOldPos,
                    lengthAfterRemove = length - remove,
                    i;
 
                if (tailNewPos < tailOldPos) { // case A
                    for (i = 0; i < tailCount; ++i) {
                        array[tailNewPos+i] = array[tailOldPos+i];
                    }
                } else if (tailNewPos > tailOldPos) { // case B
                    for (i = tailCount; i--; ) {
                        array[tailNewPos+i] = array[tailOldPos+i];
                    }
                } // else, add == remove (nothing to do)
 
                if (add && pos === lengthAfterRemove) {
                    array.length = lengthAfterRemove; // truncate array
                    array.push.apply(array, insert);
                } else {
                    array.length = lengthAfterRemove + add; // reserves space
                    for (i = 0; i < add; ++i) {
                        array[pos+i] = insert[i];
                    }
                }
            }
 
            return array;
        },
        replaceNative = function (array, index, removeCount, insert) {
            if (insert && insert.length) {
                // Inserting at index zero with no removing: use unshift
                if (index === 0 && !removeCount) {
                    array.unshift.apply(array, insert);
                }
                // Inserting/replacing in middle of array
                else if (index < array.length) {
                    array.splice.apply(array, [index, removeCount].concat(insert));
                }
                // Appending to array
                else {
                    array.push.apply(array, insert);
                }
            } else {
                array.splice(index, removeCount);
            }
            return array;
        },
 
        eraseSim = function (array, index, removeCount) {
            return replaceSim(array, index, removeCount);
        },
 
        eraseNative = function (array, index, removeCount) {
            array.splice(index, removeCount);
            return array;
        },
 
        spliceSim = function (array, index, removeCount) {
            var pos = fixArrayIndex(array, index),
                removed = array.slice(index, fixArrayIndex(array, pos+removeCount));
 
            if (arguments.length < 4) {
                replaceSim(array, pos, removeCount);
            } else {
                replaceSim(array, pos, removeCount, slice.call(arguments, 3));
            }
 
            return removed;
        },
 
        spliceNative = function (array) {
            return array.splice.apply(array, slice.call(arguments, 1));
        },
 
        supportsSplice = (function () {
            var array = [],
                lengthBefore,
                j = 20;
 
            if (!array.splice) {
                return false;
            }
 
            // This detects a bug in IE8 splice method:
            // see http://social.msdn.microsoft.com/Forums/en-US/iewebdevelopment/thread/6e946d03-e09f-4b22-a4dd-cd5e276bf05a/
 
            while (j--) {
                array.push("A");
            }
 
            array.splice(15, 0, "F", "F", "F", "F", "F","F","F","F","F","F","F","F","F","F","F","F","F","F","F","F","F");
 
            lengthBefore = array.length; //41
            array.splice(13, 0, "XXX"); // add one element
 
            if (lengthBefore + 1 !== array.length) {
                return false;
            }
            // end IE8 bug
 
            return true;
        }()),
 
        erase = supportsSplice ? eraseNative : eraseSim,
        replace = supportsSplice ? replaceNative : replaceSim,
        splice = supportsSplice ? spliceNative : spliceSim;
 
    ST.Array = STArray = {
        erase: erase,
        replace: replace,
        // Note: IE8 will return [] on slice.call(x, undefined).
        slice: ([1,2].slice(1, undefined).length ?
            function (array, begin, end) {
                return slice.call(array, begin, end);
            } :
            function (array, begin, end) {
                // see http://jsperf.com/slice-fix
                if (typeof begin === 'undefined') {
                    return slice.call(array);
                }
                if (typeof end === 'undefined') {
                    return slice.call(array, begin);
                }
                return slice.call(array, begin, end);
            }
        ),
        splice: splice,
        insert: function (array, index, items) {
            return replace(array, index, 0, items);
        },
        indexOf: function (array, item) {
            if (array.indexOf) {
                return array.indexOf(item);
            }
 
            for (var i = 0, n = array.length; i < n; i++) {
                if (array[i] === item) {
                    return i;
                }
            }
 
            return -1;
        },
        remove: function (array, item) {
            var index = STArray.indexOf(array, item);
            if (index >= 0) {
                erase(array, index, 1);
            }
        },
        toMap: function (array) {
            var ret = {},
                i;
 
            for (i = array && array.length; i-- > 0; ) {
                ret[array[i]] = 1;
            }
 
            return ret;
        },
        equals: function (array1, array2) {
            var len1 = array1.length,
                len2 = array2.length,
                i;
 
            // Short circuit if the same array is passed twice 
            if (array1 === array2) {
                return true;
            }
 
            if (len1 !== len2) {
                return false;
            }
 
            for (i = 0; i < len1; ++i) {
                if (array1[i] !== array2[i]) {
                    return false;
                }
            }
 
            return true;
        }
    };
 
    ST.String = STString = {
        spaceRe: /[ ]+/g,
        trimRe: /^\s+|\s+$/g,
 
        startsWith: function (s, prefix) {
            return s.length >= prefix.length && s.indexOf(prefix) === 0;
        },
 
        split: function (s) {
            return s ? s.split(STString.spaceRe) : [];
        },
 
        trim: function (s) {
            return s ? s.replace(STString.trimRe, '') : '';
        }
    }
 
    //----------------------------------------------------------------------
 
    ST.Observable = ST.define({
        _update: function (add, name, fn, scope, opts) {
            var me = this,
                array, entry, i, key, listeners, n, old;
 
            if (typeof name !== 'string') {
                for (key in name) {
                    if (key !== 'scope' && key !== 'single') {
                        if (typeof(fn = name[key]) === 'function') {
                            opts = name;
                        } else {
                            opts = fn;
                            fn = opts.fn;
                        }
 
                        me._update(add, key, fn, name.scope, opts);
                    }
                }
            }
            else {
                listeners = me._listeners || (me._listeners = {});
                array = listeners[name] || (listeners[name] = []);
 
                opts = ST.apply({
                    scope: scope,
                    fn: fn
                }, opts);
 
                if (add) {
                    if (array.firing) {
                        listeners[name] = array = array.slice();
                    }
 
                    array.push(opts);
                } else {
                    // Array.splice() is bugged in IE8, so avoid it (which is
                    // easy since we often need to make a new array anyway):
                    old = array;
                    array = null;
 
                    for (i = 0, n = old.length; i < n; ++i) {
                        entry = old[i];
 
                        if (array) {
                            array.push(entry);
                        }
                        else if (opts.fn === entry.fn && opts.scope === entry.scope &&
                            opts.single === entry.single) {
                            listeners[name] = array = old.slice(0, i);
                        }
                    }
                }
            }
        },
 
        on: function (name, fn, scope, opts) {
            this._update(true, name, fn, scope, opts);
        },
 
        un: function (name, fn, scope, opts) {
            this._update(false, name, fn, scope, opts);
        },
 
        fireEvent: function (name) {
            var me = this,
                listeners = me._listeners,
                array = listeners && listeners[name],
                args, entry, fn, i, len, ret, scope;
 
            if (!(len = array && array.length)) {
                return;
            }
 
            args = Array.prototype.slice.call(arguments, 1);
            array.firing = (array.firing || 0) + 1;
 
            for (i = 0; i < len; i++) {
                entry = array[i];
                ret = (fn = entry.fn).apply((scope = entry.scope) || me, args);
 
                if (entry.single) {
                    me.un(name, fn, scope, entry);
                }
 
                if (ret === false) {
                    break;
                }
            }
 
            array.firing--;
 
            return ret;
        }
    });
})(ST);