code
stringlengths
2
1.05M
repo_name
stringlengths
5
114
path
stringlengths
4
991
language
stringclasses
1 value
license
stringclasses
15 values
size
int32
2
1.05M
module.exports = { getDates: function(d) { var today = padDate(d); return { startTime: today + lowerBoundTime(), endTime: today + upperBoundTime() }; } }; function padDate (d){ function pad (n) { return n < 10 ? '0' + n : n } return d.getUTCFullYear() + '-' + pad(d.getUTCMonth() + 1 ) + '-' + pad(d.getUTCDate()) + 'T'; } function lowerBoundTime() { return '00:00:00Z'; } function upperBoundTime() { return '23:59:59Z'; }
iOnline247/heyo
utils/dateHelpers.js
JavaScript
mit
449
module.exports = require("./src/moment-interval");
luisfarzati/moment-interval
index.js
JavaScript
mit
50
// namespace plexus var plexus = plexus || {}; window._plexus = plexus; (function(plx) { console.log("plexus.js [loaded]"); //------------------------------ // Plexus utilties functions //------------------------------ plx.each = function(obj, iterator, context) { if (!obj) return; if (obj instanceof Array) { for (var i = 0, li = obj.length; i <li; i++) { if (iterator.call(context, obj[i], i) === false) return; } } else { for (var key in obj) { if (iterator.call(context, obj[key], key) === false) return; } } }; plx.extend = function(target) { var sources = arguments.length >= 2 ? Array.prototype.slice.call(arguments, 1) : []; plx.each(sources, function(src) { for (var key in src) { if (src.hasOwnProperty(key)) target[key] = src[key]; } }); return target; }; var ClassLoader = { id: (0 | (Math.random() * 998)), instanceId: (0 | (Math.random() * 998)), compileSuper: function(func, name, id) { var str = func.toString(); var pstart = str.indexOf('('), pend = str.indexOf(')'); var params = str.substring(pstart + 1, pend); params = params.trim(); var bstart = str.indexOf('{'), bend = str.lastIndexOf('}'); var str = str.substring(bstart + 1, bend); while (str.indexOf('this._super') != -1) { var sp = str.indexOf('this._super'); var bp = str.indexOf('(', sp); var bbp = str.indexOf(')', bp); var superParams = str.substring(bp + 1, bbp); superParams = superParams.trim(); var coma = superParams ? ',' : ''; str = str.substring(0, sp) + 'ClassLoader[' + id + '].' + name + '.call(this' + coma + str.substring(bp + 1); } return Function(params, str); }, newId: function() { return this.id++; }, newInstanceId: function() { return this.instanceId++; } }; ClassLoader.compileSuper.ClassLoader = ClassLoader; plx.Class = function() { }; var FuncRegexTest = /\b_super\b/; var releaseMode = false; plx.Class.extend = function(props) { var _super = this.prototype; var prototype = Object.create(_super); var classId = ClassLoader.newId(); ClassLoader[classId] = _super; var desc = { writable: true, enumerable: false, configurable: true }; prototype.__instanceId = null; function Class() { this.__instanceId = ClassLoader.newInstanceId(); if (this.ctor) this.ctor.apply(this, arguments); }; Class.id = classId; desc.value = classId; Object.defineProperty(prototype, "__pid", desc); Class.prototype = prototype; desc.value = Class; Object.defineProperty(Class.prototype, 'constructor', desc); for(var idx = 0, li = arguments.length; idx < li; ++idx) { var prop = arguments[idx]; for (var name in prop) { var isFunc = (typeof prop[name] === 'function'); var override = (typeof _super[name] === 'function'); var hasSuperCall = FuncRegexTest.test(prop[name]); if (releaseMode && isFunc && override && hasSuperCall) { desc.value = ClassLoader.compileSuper(prop[name], name, classId); Object.defineProperty(prototype, name, desc); } else if(isFunc && override && hasSuperCall) { desc.value = (function(name, fn) { return function() { var tmp = this._super; this._super = _super[name]; var ret = fn.apply(this, arguments); this._super = tmp; return ret; }; })(name, prop[name]); Object.defineProperty(prototype, name, desc); } else if (isFunc) { desc.value = prop[name]; Object.defineProperty(prototype, name, desc); } else { prototype[name] = prop[name]; } // ... Getters and Setters ... ? } } Class.extend = plx.Class.extend; Class.implement = function(prop) { for (var name in prop) { prototype[name] = prop[name]; } }; return Class; }; //------------------------------ // Plexus GameObject //------------------------------ /** * @class GameObject */ var GameObject = plx.Class.extend({ _components: {}, _data: null, ctor: function() { this._id = (+new Date()).toString(16) + (Math.random() * 1000000000 | 0).toString(16) + (++GameObject.sNumOfObjects); }, getId: function() { return this._id; }, getUserData: function() { return this._data; }, setUserData: function(data) { // plx.extend(this._data, data); this._data = data; }, getComponent: function(component) { var name = component; if (typeof component === 'function') { name = component.prototype.name; } return this._components[name]; }, addComponent: function(component) { if (!component || !component.name) return; this._components[component.name] = component; if (typeof component.setOwner === 'function') component.setOwner(this); return this; }, // Remove component data by removing the reference to it. removeComponent: function(component) { // Allows either a component function or a string of a component name to be passed in. var name = component; if (typeof component === 'function') { name = component.prototype.name; } // Remove component data by removing the reference to it. component = this._components[name]; delete this._components[name]; if (typeof component.setOwner === 'function') component.setOwner(null); return this; }, getTag: function() { return this._tag; }, setTag: function(tagValue) { this._tag = tagValue; } }); GameObject.sNumOfObjects = 0; //------------------------------ // Plexus Component //------------------------------ /** * @class GameComponent */ var GameComponent = plx.Class.extend({ _owner: null, ctor: function() { }, getOwner: function() { return this._owner; }, setOwner: function(owner) { this._owner = owner; } }); //------------------------------ // Plexus System //------------------------------ /** * @class System */ var System = plexus.Class.extend({ _managedObjects: [], _managedSystems: [], ctor: function() { }, addSubSystem: function(sub) { if (sub && sub.name) { this._managedSystems[sub.name] = sub; this._managedSystems.push(sub); } }, removeSubSystem: function(sub) { var name = sub; if (typeof sub === 'function') { name = sub.prototype.name; } var origin = this._managedSystems[name]; delete this._managedSystems[name]; var idx = this._managedSystems.indexOf(origin); if (idx != -1) { this._managedSystems.splice(idx, 1); } return origin; }, addObject: function(obj) { this._managedObjects.push(obj); // added in subsystems. this._managedSystems.forEach(function(elt, i) { elt.order(obj); return true; }); }, removeObject: function(obj) { var index = this._managedObjects.indexOf(obj); if (index != -1) { this._managedObjects.splice(index, 1); // remove in subsystems. this._managedSystems.every(function(elt, i) { elt.unorder(elt); return true; }); } }, update: function(dt) { this._managedSystems.forEach(function(elt, i) { elt.update(dt); return true; }); } }); /** * @class SubSystem */ var SubSystem = plexus.Class.extend({ _managed: [], check: function(obj) { if (!this.name) return false; if (typeof obj.getComponent === 'function') return obj.getComponent(this.name); return false; }, order: function(obj) { if (this.check(obj)) { this._managed.push(obj); } }, unorder: function(obj) { var index = -1; if ((index = _managed.indexOf(obj)) != -1) { if (this.check(obj)) { this._managed.splice(index, 1); } } }, update: function(dt) { var self = this; // console.log(JSON.stringify(self._managed, null, 4)); this._managed.every(function(elt, i) { if (typeof self.updateObjectDelta === 'function') self.updateObjectDelta(elt, dt); return true; }, self); }, updateObjectDelta: function(obj, dt) { if (!this.name) return; var comp = obj.getComponent(this.name); comp && comp.update(dt); } }); //------------------------------ // SubSystems //------------------------------ var InputSystem = SubSystem.extend({ name: 'input', check: function(obj) { if (typeof obj.getComponent === 'function') { return obj.getComponent(this.name); } return false; } }); /** * @class PhysicsSystem */ var PhysicsSystem = SubSystem.extend({ name: 'physics', check: function(obj) { if (typeof obj.getComponent=== 'function') { return obj.getComponent(this.name); } return false; }, updateObjectDelta: function(obj, dt) { } }); /** * @class AnimatorSystem */ var AnimatorSystem = SubSystem.extend({ name: 'animator', check: function(obj) { if (typeof obj.getComponent === 'function') { return obj.getComponent(this.name); } return false; }, updateObjectDelta: function(obj, dt) { var comp = obj.getComponent(this.name); comp && comp.update(dt); } }); var _systemInstance = undefined; System.getInstance = function getSystem() { if (!_systemInstance) _systemInstance = new System; return _systemInstance; }; plx.GameSystem = System; plx.GameSubSystem = SubSystem; plx.InputSystem = InputSystem; plx.PhysicsSystem = PhysicsSystem; plx.AnimatorSystem = AnimatorSystem; plx.GameComponent = GameComponent; plx.GameObject = GameObject; })(plexus); // vi: ft=javascript sw=4 ts=4 et :
keyhom/xstudio-html5
src/plexus/js/plexus-base.js
JavaScript
mit
12,046
const http = require('http'); const server = http.createServer(); const io = require('socket.io'); const { spy } = require('sinon'); const { expect } = require('chai'); const client = require('./socket'); const TEST_URL = 'http://localhost:3001'; describe('test socket', () => { let sock; beforeEach( (done) => { sock = io(server); server.listen(3001, () => done()); }); afterEach((done) => { server.close( () => done()); sock.close(); }); it('should connect', (done) => { sock.on('connection', () => { done(); }); client(TEST_URL, {}); }); });
EPSI-I5-Kaamelott/Kaamelott-rasp
src/socket.test.js
JavaScript
mit
601
const sqlite = require('sqlite'); const exec = require('child_process').exec; const program = require('commander'); const config = require('./config'); const fetchGroups = require('./lib/fetch-groups'); const fetchMembers = require('./lib/fetch-members'); program .version('0.0.0') .option('-a, --accessToken [value]', 'Facebook access token') .parse(process.argv); if(program.accessToken) { callMe(); } else { program.help(); } async function callMe() { let db; try { db = await sqlite.open(config.dbName); } catch(err) { console.error('unable to connect to database: ', config.dbName); } await db.exec(` CREATE TABLE IF NOT EXISTS fb_groups( id INTEGER PRIMARY KEY AUTOINCREMENT, name TEXT NOT NULL, fb_group_id NUMERIC NOT NULL UNIQUE, fb_privacy TEXT NOT NULL, fb_bookmark_order INTEGER NOT NULL, timestamp DATETIME DEFAULT 'now' ); `); await db.exec(` CREATE TABLE IF NOT EXISTS fb_users( id INTEGER PRIMARY KEY AUTOINCREMENT, name TEXT NOT NULL, fb_user_id NUMERIC NOT NULL UNIQUE, timestamp DATETIME DEFAULT 'now' ); `); await db.exec(` CREATE TABLE IF NOT EXISTS fb_groups_users( id INTEGER PRIMARY KEY AUTOINCREMENT, group_id INTEGER NOT NULL REFERENCES fb_groups, user_id INTEGER NOT NULL REFERENCES db_users, is_admin BOOLEAN NOT NULL DEFAULT FALSE, timestamp DATETIME DEFAULT 'now', UNIQUE(group_id, user_id) ); `); const result = await fetchGroups(program.accessToken); result.data.forEach(async function(gr) { try { // Insert data for all the groups there await db.run(` INSERT OR IGNORE INTO fb_groups (name, fb_group_id, fb_privacy, fb_bookmark_order) SELECT :name, :id, :privacy, :bookmark_order `, { ':name': gr.name, ':id': gr.id, ':privacy': gr.privacy, ':bookmark_order': gr.bookmark_order, }); } catch(err) { console.error(err) } }); const groups = await db.all(`SELECT * FROM fb_groups`); groups.forEach(async function(gr) { let membersEmmiter = await fetchMembers({ accessToken: program.accessToken, groupId: gr.fb_group_id, }); let chunkNum = 0; let totalMembers = 0; let prevTimestamp = new Date(); console.log(`Processing group "${ gr.name }" with id ${gr.fb_group_id}`) await new Promise((res, rej) => { membersEmmiter.on('error', err => rej(err)); membersEmmiter.on('end', err => res()); membersEmmiter.on('load', async (res) => { const membersList = res.resp.data; const newTimestamp = new Date(); chunkNum += 1; totalMembers += membersList.length; console.log(`Processing #${ chunkNum } total of ${ totalMembers } members, lasted ${ (newTimestamp - prevTimestamp) / 1000 }s from group ${ gr.name } with id ${ gr.fb_group_id }`) prevTimestamp = newTimestamp; for(let i = 0, l = membersList.length; i < l; i++) { let member = membersList[i]; try { await db.run(` INSERT OR IGNORE INTO fb_users ( name, fb_user_id) SELECT :name, :id `, { ':name': member.name, ':id': member.id, }); let user = await db.get(`SELECT * FROM fb_users WHERE fb_user_id = :id`, { ':id': member.id, }); await db.run(` INSERT OR IGNORE INTO fb_groups_users ( group_id, user_id, is_admin) SELECT :group_id, :user_id, :is_admin `, { ':group_id': gr.id, ':user_id': user.id, ':is_admin': !!member.administrator, }); } catch (err) { console.error(err) } } }); }); }); }
suricactus/fb-group-members
index.js
JavaScript
mit
3,912
'use strict'; let mongoose = require('mongoose'), fs = require('fs'); require('../models/project-model'); let Project = mongoose.model('Project'); require('../models/user-model'); let User = mongoose.model('User'); let getCount = function(req, res, next) { Project.count({}, function(err, count) { if (err) { next(err); return; } res.status(200); res.json(count); }); }; let getByArea = function(req, res, next) { let currentArea = req.params.area; if (!currentArea || currentArea === "") { next({ message: "Bad request!", status: 404 }); return; } Project.find({ 'area': currentArea }).sort('-year') .exec(function(err, projects) { if (err) { next(err); return; } res.status(200); res.json(projects); }); }; let getById = function(req, res, next) { let currentId = req.params.id; if (!currentId || currentId === "") { next({ message: "Bad request!", status: 404 }); return; } Project.findOne({ '_id': currentId }, function(err, project) { if (err) { next(err); return; } else if (project === null) { next({ message: "Project not found!", status: 404 }); return; } res.status(200); res.json(project); }); }; let create = function(req, res, next) { var newProject = new Project(req.body); var authKey = req.headers['x-auth-key']; User.findOne({ 'authKey': authKey }, function(err, user) { if (err) { next(err); return; } else if (user === null) { next({ message: "Authentication failed!", status: 401 }); return; } newProject.save(function(err) { if (err) { let error = { message: err.message, status: 400 }; next(err); return; } else { res.status(201); res.json(newProject); } }); }); }; let bulckCreate = function(req, res, next) { let len = req.body.length; for (let i = 0; i < len; i++) { var newProject = new Project(req.body[i]); var fileName = newProject.fileName; var areaName = newProject.area; var filePath = './files/projects/' + areaName + '/' + fileName; var bitmap = fs.readFileSync(filePath); var bufer = new Buffer(bitmap).toString('base64'); newProject.file = bufer; newProject.save(function(err) { if (err) { let error = { message: err.message, status: 400 }; next(err); return; } else { } }); console.log(fileName); }; res.json({}); }; let controller = { getByArea, getById, create, bulckCreate }; module.exports = controller;
veselints/belin
controllers/projects-controller.js
JavaScript
mit
3,316
import Logger from 'utils/logger'; const logger = new Logger('[push-simple/serviceworker]'); function onPush(event) { logger.log("Received push message", event); let title = (event.data && event.data.text()) || "Yay a message"; let body = "We have received a push message"; let tag = "push-simple-demo-notification-tag"; var icon = '/assets/turtle-logo-120x120.png'; event.waitUntil( self.registration.showNotification(title, { body, icon, tag }) ) } function onPushSubscriptionChange(event) { logger.log("Push subscription change event detected", event); } self.addEventListener("push", onPush); self.addEventListener("pushsubscriptionchange", onPushSubscriptionChange);
rossta/serviceworker-rails-sandbox
app/assets/javascripts/push-simple/serviceworker.js
JavaScript
mit
697
var http = require('../simpleHttp'), config = require('../config'), zmq = require('zmq'), _ = require('lodash'), argv = require('yargs').argv, logic = (argv.logic ? require('./' + argv.logic).logic : require('./sampleLogic').logic), modelRoot = (argv.modelRoot ? argv.modelRoot : '/Store/TestOrg'); //Stuff going out var storeSocket = zmq.socket('push'); var zmqStoreLocation = 'tcp://' + config.realTimeStoreZmqHost + ':' + config.realTimeStoreZmqPort; storeSocket.connect(zmqStoreLocation); console.log('bound to store at ' + zmqStoreLocation); //Stuff coming in var blpSubscriberSocket = zmq.socket('pull'); var zmqBlpLocation = 'tcp://' + config.blpServerZmqHost + ':' + config.blpServerZmqPort; blpSubscriberSocket.bindSync(zmqBlpLocation); console.log('listening for stream updates at ' + zmqBlpLocation); var onNew = function(msg){ var val = JSON.parse(msg); var _publishReceived = (new Date()).getTime(); _.forEach(val,function(evt){ evt._metadata = evt._metadata ? evt._metadata : {}; evt._metadata.perfPublishReceived = _publishReceived; }); var updates = logic(val,modelRoot); if(updates){ _.forEach(updates,function(update){ //tell it where to go... if(update.path.indexOf(modelRoot) < 0){ update.path = modelRoot + update.path; } update.data._metadata = update.data._metadata ? update.data._metadata : {}; update.data._metadata.perfSendToStore = (new Date()).getTime(); storeSocket.send(JSON.stringify(update)); }); } }; //'message' is the zmq event, our preferred semantics would be 'POST' blpSubscriberSocket.on('message', onNew); var client = http.create(config.eventServerHttpHost, config.eventServerHttpPort, 3); client.post('/SubscribeStream',{ streamName: config.testStreamName, protocol: 'zmq', host: config.blpServerZmqHost, port: config.blpServerZmqPort });
JediMindtrick/Hyperloop
App3_BusinessLogicProcessor/serveBLP.js
JavaScript
mit
1,833
// Generated by jsScript 1.10.0 (function() { AutoForm.hooks({ updatePassword: { onSubmit: function(insertDoc, updateDoc, currentDoc) { if (insertDoc["new"] !== insertDoc.confirm) { sAlert.error('Passwords do not match'); return false; } Accounts.changePassword(insertDoc.old, insertDoc["new"], function(e) { $('.btn-primary').attr('disabled', null); if (e) { return sAlert.error(e.message); } else { return sAlert.success('Password Updated'); } }); return false; } } }); Template.account.events({ 'click .js-delete-account': function() { return Meteor.call('deleteAccount', Meteor.userId()); } }); Template.setUserName.helpers({ user: function() { return Meteor.user(); } }); }).call(this);
patrickbolle/meteor-starter-purejs
client/views/account/account.js
JavaScript
mit
879
import React, { Component } from 'react'; import { AppRegistry, StyleSheet, Container, TextInput, Label, Text, View, Button, } from 'react-native'; import LoginScreen from './Login.js'; import RegisterScreen from './Register.js'; import { StackNavigator, TabNavigator } from 'react-navigation'; export default class UserControlScreen extends Component { loginView(){ this.setState({view: <LoginScreen /> }) } constructor(){ super() this.loginView = this.loginView.bind(this) this.state = { view: <RegisterScreen press={this.loginView} /> } } render(){ return ( <View> </View> ) } }
nyc-fiery-skippers-2017/AwesomeProject
Users/UserControl.js
JavaScript
mit
671
import path from 'path'; const { SupRuntime, } = global; SupRuntime.registerPlugin('dependencyBundle', { loadAsset(player, asset, callback) { window.__dependencyBundles = window.__dependencyBundles || {}; const bundleScript = document.createElement('SCRIPT'); bundleScript.addEventListener('load', () => { callback(null, window.__dependencyBundles[asset.id]); }); bundleScript.src = path.join(player.dataURL, 'assets', asset.storagePath, 'bundle.js'); document.body.appendChild(bundleScript); }, });
antca/superpowers-package-manager-plugin
src/runtime/index.js
JavaScript
mit
538
let path = document.location.pathname, details, login, url; if (m = path.match(/^\/([\w-]+)\??.*?/)) { login = m[1].trim(); if (-1 === ['timeline', 'languages', 'blog', 'explore'].indexOf(login)) { url = 'http://coderstats.net/github#' + login; details = document.getElementsByClassName('vcard-details'); if (details.length > 0) { addLink(); } } } function addLink() { let li = document.createElement('li'); li.setAttribute('id', 'coderstats'); li.setAttribute('class', 'vcard-detail pt-1'); li.setAttribute('itemprop', 'url'); let span = document.createElement('span'); span.setAttribute('class', 'octicon'); span.setAttribute('style', 'margin-top:-2px;'); span.textContent = "📊"; li.appendChild(span) let a = document.createElement('a'); a.setAttribute('href', url); a.textContent = "CoderStats('" + login + "')"; li.appendChild(a); details[0].appendChild(li); }
coderstats/fxt_coderstats
coderstats/coderstats.js
JavaScript
mit
997
/** * @Author: shenyu <SamMFFL> * @Date: 2016/12/08 10:18:06 * @Email: [email protected] * @Last modified by: SamMFFL * @Last modified time: 2016/12/13 14:39:33 */ import React, {Component} from 'react'; import { StyleSheet, Text, View, Image, TouchableHighlight, ScrollView, } from 'react-native'; import Header from '../Header'; import Box from '../Box'; import Icon from 'react-native-vector-icons/FontAwesome'; import demoImg from '../imgs/demo.png'; const styles = StyleSheet.create({ container: { flex: 1, backgroundColor: '#fff', flexDirection: 'column' }, scroll: { flex: 1, // borderWidth: 1, marginBottom: 50, }, box: { height: 200, borderTopWidth: 1, borderBottomWidth: 1, borderColor: '#D6DCDF', backgroundColor: '#f5fcff', marginBottom: 10, paddingBottom: 20, }, animateView: { flex: 1, justifyContent: 'center', alignItems: 'center', }, boxBtn: { height: 30, flexDirection: 'row', justifyContent: 'space-around', alignItems: 'center', } }); export default class setNativePropsDemo extends Component { count = 0; constructor(props) { super(props); this.startAnimationOfSize = this.startAnimationOfSize.bind(this); this.stopAnimationOfSize = this.stopAnimationOfSize.bind(this); this._renderSize = this._renderSize.bind(this); this.animateSizeFunc = this.animateSizeFunc.bind(this); this.state = { width: 50, height: 50, } } _renderSize() { return ( <View style={[styles.animateView,{ opacity:1 }]}> <Image ref="img" source = { demoImg } style={{ width: this.state.width, height: this.state.height, }} /> </View> ); } animateSizeFunc(){ requestAnimationFrame(() =>{ if(this.count<50){ ++this.count; // this.setState({ // width: this.state.width+10 , // height: this.state.height+10 // }); this.refs.img.setNativeProps({ style: { width: this.state.width++, height: this.state.height++, } }); // console.log('count',this.count) this.animateSizeFunc(); } }); } startAnimationOfSize(){ this.setState({ width: 50, height: 50 }); this.count = 0; this.animateSizeFunc(); } stopAnimationOfSize(){ this.setState({ width: 50, height: 50 }); this.refs.img.setNativeProps({ style: { width: 50, height: 50, } }); this.count = 100; setTimeout(()=>{ this.count = 0; },100) } startAnimation(){ var count = 0; var width=50, height=50; while (++count < 10000) { requestAnimationFrame(() =>{ // console.log(12) this.refs.img.setNativeProps({ style: { width: width, height: height, } }); }); width += 0.01; height += 0.01; } // LayoutAnimation.configureNext({ // duration: 700, //持续时间 // create: { // 视图创建 // type: LayoutAnimation.Types.spring, // property: LayoutAnimation.Properties.scaleXY,// opacity、scaleXY // }, // update: { // 视图更新 // type: LayoutAnimation.Types.spring, // }, // }); // this.setState({ // width: this.state.width + 100, // height: this.state.height + 100 // }); } render() { const {navigator, title} = this.props; console.log(1) return ( <View style={styles.container}> <Header title={title} showArrow={Boolean(true)} navigator={navigator} /> <ScrollView vertical={Boolean(true)} directionalLockEnabled={Boolean(true)} showsHorizontalScrollIndicator={Boolean(false)} indicatorStyle="white" style={styles.scroll} > <Box title="放大动画处理" animatedContent={this._renderSize()} playFunc={this.startAnimationOfSize} pauseFunc={this.stopAnimationOfSize} /> </ScrollView> </View> ) } componentDidMount(){ // this.startAnimation(); } }
yeeFlame/animate-for-RN
studyAnimate/containers/examples/setNativePropsDemo.js
JavaScript
mit
5,282
const SPRINTER_COUNT = 7; // how many lanes there are, including the player var runners = []; // lineup var runner; // player var laneWidth; // width of each lane var startTime; // beginning of the game function setup() { createCanvas(window.innerWidth, window.innerHeight); /* initialize opponents */ var opponentColor = randomColor(); // color of opponents for (var i = 1; i < SPRINTER_COUNT; i++) { // push opponents runners.push(new Sprinter(random(0.075) + 0.1, opponentColor)); } /* initialize player */ runner = new Sprinter(0, invertColor(opponentColor)); runners.splice(Math.floor(runners.length / 2), 0, runner); /* initialize stopwatch */ startTime = new Date().getTime(); laneWidth = height / runners.length; } function draw() { background(51); handleTrack(); stride(); } /** * handle user input */ function keyPressed() { runner.run(keyCode); } /** * AI for opponents */ function stride() { for (var r = 0; r < runners.length; r++) { // loop through runners if (random() < runners[r].skill) { // calculate the speed of the runner // take a stride // LEFT_ARROW + RIGHT_ARROW = 76, therefore; // 76 - LEFT_ARROW = RIGHT_ARROW & // 76 - RIGHT_ARROW = LEFT_ARROW runners[r].run(76 - runners[r].previousKey); } } } /** * draws & updates runners * draws lanes */ function handleTrack() { for (var r = 0; r < runners.length; r++) { /* draw & update runners */ runners[r].draw(r, laneWidth); runners[r].update(); /* draw lanes */ var y1 = (r / runners.length) * height; // inner line var y2 = (r / runners.length) * height + laneWidth; // outer line stroke("#A14948"); strokeWeight(3); line(0, y1, width, y1); line(0, y2, width, y2); } } /** * returns a random color */ function randomColor() { return color(random(255), random(255), random(255)); } /** * returns an inverted color of the passed col */ function invertColor(col) { var r = 255 - red(col); var g = 255 - green(col); var b = 255 - blue(col); return color(r, g, b); }
Kaelinator/AGAD
Sprinter Game/SprinterGame.js
JavaScript
mit
2,082
/** * Tree View Collapse * @see https://github.com/cpojer/mootools-tree */ export default new Class({ Implements: [Options, Class.Single], options: { animate: false, fadeOpacity: 1, className: 'collapse', selector: 'a.expand', listSelector: 'li', childSelector: 'ul' }, initialize: function(element, options) { this.setOptions(options); element = this.element = document.id(element); return this.check(element) || this.setup(); }, setup: function() { var self = this; this.handler = function(e) { self.toggle(this, e); }; this.mouseover = function() { if (self.hasChildren(this)) { this.getElement(self.options.selector).fade(1); } }; this.mouseout = function() { if (self.hasChildren(this)) { this.getElement(self.options.selector).fade(self.options.fadeOpacity); } }; this.prepare().attach(); }, attach: function() { var element = this.element; element.addEvent('click:relay(' + this.options.selector + ')', this.handler); if (this.options.animate) { element.addEvent('mouseover:relay(' + this.options.listSelector + ')', this.mouseover); element.addEvent('mouseout:relay(' + this.options.listSelector + ')', this.mouseout); } return this; }, detach: function() { this.element.removeEvent('click:relay(' + this.options.selector + ')', this.handler) .removeEvent('mouseover:relay(' + this.options.listSelector + ')', this.mouseover) .removeEvent('mouseout:relay(' + this.options.listSelector + ')', this.mouseout); return this; }, prepare: function() { this.prepares = true; this.element.getElements(this.options.listSelector).each(this.updateElement, this); this.prepares = false; return this; }, updateElement: function(element) { var child = element.getElement(this.options.childSelector); var icon = element.getElement(this.options.selector); if (!this.hasChildren(element)) { if (!this.options.animate || this.prepares) { icon.setStyle('opacity', 0); } else { icon.fade(0); } return; } if (this.options.animate) { icon.fade(this.options.fadeOpacity); } else { icon.setStyle('opacity', this.options.fadeOpacity); } if (this.isCollapsed(child)) { icon.removeClass('collapse'); } else { icon.addClass('collapse'); } }, hasChildren: function(element) { var child = element.getElement(this.options.childSelector); return (child && child.getChildren().length); }, isCollapsed: function(element) { if (!element) { return; } return (element.getStyle('display') == 'none'); }, toggle: function(element, event) { if (event) { event.preventDefault(); } if (!element.match(this.options.listSelector)) { element = element.getParent(this.options.listSelector); } if (this.isCollapsed(element.getElement(this.options.childSelector))) { this.expand(element); } else { this.collapse(element); } return this; }, expand: function(element) { element.getElement(this.options.childSelector).setStyle('display', 'block'); element.getElement(this.options.selector).addClass(this.options.className); return this; }, collapse: function(element) { if (!element.getElement(this.options.childSelector)) { return; } element.getElement(this.options.childSelector).setStyle('display', 'none'); element.getElement(this.options.selector).removeClass(this.options.className); return this; } });
codepolitan/caoutchouc
src/view/tree/utils/collapse.js
JavaScript
mit
3,649
'use strict' const redis = require('redis') const config = require('config-lite').redis const logger = require('./logger.js') Promise.promisifyAll(redis.RedisClient.prototype) let client = redis.createClient(config) client.on('error', (err) => { if (err) { logger.error('connect to redis error, check your redis config', err) process.exit(1) } }) module.exports = client
xiedacon/nodeclub-koa
app/middleware/redis.js
JavaScript
mit
404
angular.module('myApp').directive('allPosts', function ($location, $cookieStore) { // console.log('DSSDFLDSFU'); return { restrict: 'E', scope: { data: '=' }, templateUrl: 'modules/posts/views/allPosts.html', // controller: function () { // console.log('SDJSDFJDJF'); // }, link: function (scope, elem, attrs) { // console.log('asdasd'); scope.delete = function (array, id) { array.splice(id, 1); }; scope.edit = function (id) { $location.path("/posts/edit/" + id); }; scope.check = function () { return $cookieStore.get('user'); }; } }; });
smokezp/angular-blog
app/modules/posts/js/directives/allPosts.js
JavaScript
mit
774
const T = { 'compares the test result against snapshot'() { return 'ok' }, } export default T
Sobesednik/zoroaster
test/spec/snapshot.js
JavaScript
mit
102
var mongo = require("mongodb").MongoClient, //url = "mongodb://localhost:27017/learnyoumongo", dbName = process.argv[2], url = "mongodb://localhost:27017/" + dbName ; function main() { mongo.connect(url, function (err, db) { var collection; if (err) { throw err; } collection = db.collection("users"); collection.update( { username: "tinatime" }, { $set: {age: 40}}, function (err) { if (err) { throw err; } db.close(); } ); }); } main();
kwpeters/workshopper-solutions
learnyoumongo-solutions/06-update/solution.js
JavaScript
mit
608
/* * Copyright (c) 2008-2013 The Open Source Geospatial Foundation * * Published under the BSD license. * See https://github.com/geoext/geoext2/blob/master/license.txt for the full * text of the license. */ /** * The model for scale values. * * @class GeoExt.data.ScaleModel */ Ext.define('GeoExt.data.ScaleModel', { extend: 'Ext.data.Model', requires: [ 'Ext.data.proxy.Memory', 'Ext.data.reader.Json', 'GeoExt.Version' ], alias: 'model.gx_scale', fields: [ {name: "level"}, {name: "resolution"}, {name: "scale"} ], proxy: { type: 'memory', reader: { type: 'json' } } });
gisprogrammer/wsp.geo.pl
external/geoext2/src/GeoExt/data/ScaleModel.js
JavaScript
mit
700
/** * Created by dandan on 17-8-29. */ import * as types from "./mutation-types"; const mutations = { [types.SET_SINGER](state, singer){ state.singer = singer }, [types.SET_PLAYING_STATE](state, flag){ state.playing = flag }, [types.SET_FULL_SCREEN](state,flag){ state.fullScreen = flag }, [types.SET_PLAYLIST](state,list){ state.playList = list }, [types.SET_SEQUENCE_LIST](state,list){ state.sequenceList = list }, [types.SET_PLAY_MODE](state,mode){ state.mode = mode }, [types.SET_CURRENT_INDEX](state,index){ state.currentIndex = index }, [types.SET_DISC](state,disc){ state.disc = disc }, [types.SET_TOP_LIST](state,topList){ state.topList = topList }, [types.SET_SEARCH_HISTORY](state,history){ state.searchHistory = history }, [types.SET_TEST](state,arr){ state.test = arr }, [types.SET_PLAY_HISTORY](state,history){ state.playHistory = history }, [types.SET_FAVOURITE_LIST](state,songList){ state.favouriteList = songList } } export default mutations
xiaodanli/web-music
src/store/mutations.js
JavaScript
mit
1,170
import expect from 'expect'; import { By } from 'selenium-webdriver'; import driver from '../chromeWebDriver'; import { elementValueIs } from '../../src'; describe('e2e', () => { describe('elementValueIs', () => { before(async () => { await driver.get('http://localhost:3000/elementValueIs.html'); }); it('should resolve if given value match target value', async () => { await driver.wait(elementValueIs('#input', 'input value', 1000)); }); it('should reject if given value does not match target value', async () => { const error = await driver.wait(elementValueIs('#input', 'wrong'), 1000).catch(e => e); expect(error.message).toContain('until element value is wrong'); }); it('should reject if target is not an input', async () => { const error = await driver.wait(elementValueIs('#not-an-input', 'input value'), 1000).catch(e => e); expect(error.message).toContain('until element value is input value'); }); }); });
marmelab/selenium-smart-wait
e2e/tests/elementValueIs.spec.js
JavaScript
mit
1,068
;(function ($, window, document, undefined) { "use strict"; window = (typeof window != 'undefined' && window.Math == Math) ? window : (typeof self != 'undefined' && self.Math == Math) ? self : Function('return this')() ; $.fn.dimmer = function(parameters) { var $allModules = $(this), time = new Date().getTime(), performance = [], query = arguments[0], methodInvoked = (typeof query == 'string'), queryArguments = [].slice.call(arguments, 1), returnedValue ; $allModules .each(function() { var settings = ( $.isPlainObject(parameters) ) ? $.extend(true, {}, $.fn.dimmer.settings, parameters) : $.extend({}, $.fn.dimmer.settings), selector = settings.selector, namespace = settings.namespace, className = settings.className, error = settings.error, eventNamespace = '.' + namespace, moduleNamespace = 'module-' + namespace, moduleSelector = $allModules.selector || '', clickEvent = ('ontouchstart' in document.documentElement) ? 'touchstart' : 'click', $module = $(this), $dimmer, $dimmable, element = this, instance = $module.data(moduleNamespace), module ; module = { preinitialize: function() { if( module.is.dimmer() ) { $dimmable = $module.parent(); $dimmer = $module; } else { $dimmable = $module; if( module.has.dimmer() ) { if(settings.dimmerName) { $dimmer = $dimmable.find(selector.dimmer).filter('.' + settings.dimmerName); } else { $dimmer = $dimmable.find(selector.dimmer); } } else { $dimmer = module.create(); } module.set.variation(); } }, initialize: function() { module.debug('Initializing dimmer', settings); module.bind.events(); module.set.dimmable(); module.instantiate(); }, instantiate: function() { module.verbose('Storing instance of module', module); instance = module; $module .data(moduleNamespace, instance) ; }, destroy: function() { module.verbose('Destroying previous module', $dimmer); module.unbind.events(); module.remove.variation(); $dimmable .off(eventNamespace) ; }, bind: { events: function() { if(settings.on == 'hover') { $dimmable .on('mouseenter' + eventNamespace, module.show) .on('mouseleave' + eventNamespace, module.hide) ; } else if(settings.on == 'click') { $dimmable .on(clickEvent + eventNamespace, module.toggle) ; } if( module.is.page() ) { module.debug('Setting as a page dimmer', $dimmable); module.set.pageDimmer(); } if( module.is.closable() ) { module.verbose('Adding dimmer close event', $dimmer); $dimmable .on(clickEvent + eventNamespace, selector.dimmer, module.event.click) ; } } }, unbind: { events: function() { $module .removeData(moduleNamespace) ; $dimmable .off(eventNamespace) ; } }, event: { click: function(event) { module.verbose('Determining if event occured on dimmer', event); if( $dimmer.find(event.target).length === 0 || $(event.target).is(selector.content) ) { module.hide(); event.stopImmediatePropagation(); } } }, addContent: function(element) { var $content = $(element) ; module.debug('Add content to dimmer', $content); if($content.parent()[0] !== $dimmer[0]) { $content.detach().appendTo($dimmer); } }, create: function() { var $element = $( settings.template.dimmer() ) ; if(settings.dimmerName) { module.debug('Creating named dimmer', settings.dimmerName); $element.addClass(settings.dimmerName); } $element .appendTo($dimmable) ; return $element; }, show: function(callback) { callback = $.isFunction(callback) ? callback : function(){} ; module.debug('Showing dimmer', $dimmer, settings); if( (!module.is.dimmed() || module.is.animating()) && module.is.enabled() ) { module.animate.show(callback); settings.onShow.call(element); settings.onChange.call(element); } else { module.debug('Dimmer is already shown or disabled'); } }, hide: function(callback) { callback = $.isFunction(callback) ? callback : function(){} ; if( module.is.dimmed() || module.is.animating() ) { module.debug('Hiding dimmer', $dimmer); module.animate.hide(callback); settings.onHide.call(element); settings.onChange.call(element); } else { module.debug('Dimmer is not visible'); } }, toggle: function() { module.verbose('Toggling dimmer visibility', $dimmer); if( !module.is.dimmed() ) { module.show(); } else { module.hide(); } }, animate: { show: function(callback) { callback = $.isFunction(callback) ? callback : function(){} ; if(settings.useCSS && $.fn.transition !== undefined && $dimmer.transition('is supported')) { if(settings.opacity !== 'auto') { module.set.opacity(); } $dimmer .transition({ animation : settings.transition + ' in', queue : false, duration : module.get.duration(), useFailSafe : true, onStart : function() { module.set.dimmed(); }, onComplete : function() { module.set.active(); callback(); } }) ; } else { module.verbose('Showing dimmer animation with javascript'); module.set.dimmed(); if(settings.opacity == 'auto') { settings.opacity = 0.8; } $dimmer .stop() .css({ opacity : 0, width : '100%', height : '100%' }) .fadeTo(module.get.duration(), settings.opacity, function() { $dimmer.removeAttr('style'); module.set.active(); callback(); }) ; } }, hide: function(callback) { callback = $.isFunction(callback) ? callback : function(){} ; if(settings.useCSS && $.fn.transition !== undefined && $dimmer.transition('is supported')) { module.verbose('Hiding dimmer with css'); $dimmer .transition({ animation : settings.transition + ' out', queue : false, duration : module.get.duration(), useFailSafe : true, onStart : function() { module.remove.dimmed(); }, onComplete : function() { module.remove.active(); callback(); } }) ; } else { module.verbose('Hiding dimmer with javascript'); module.remove.dimmed(); $dimmer .stop() .fadeOut(module.get.duration(), function() { module.remove.active(); $dimmer.removeAttr('style'); callback(); }) ; } } }, get: { dimmer: function() { return $dimmer; }, duration: function() { if(typeof settings.duration == 'object') { if( module.is.active() ) { return settings.duration.hide; } else { return settings.duration.show; } } return settings.duration; } }, has: { dimmer: function() { if(settings.dimmerName) { return ($module.find(selector.dimmer).filter('.' + settings.dimmerName).length > 0); } else { return ( $module.find(selector.dimmer).length > 0 ); } } }, is: { active: function() { return $dimmer.hasClass(className.active); }, animating: function() { return ( $dimmer.is(':animated') || $dimmer.hasClass(className.animating) ); }, closable: function() { if(settings.closable == 'auto') { if(settings.on == 'hover') { return false; } return true; } return settings.closable; }, dimmer: function() { return $module.hasClass(className.dimmer); }, dimmable: function() { return $module.hasClass(className.dimmable); }, dimmed: function() { return $dimmable.hasClass(className.dimmed); }, disabled: function() { return $dimmable.hasClass(className.disabled); }, enabled: function() { return !module.is.disabled(); }, page: function () { return $dimmable.is('body'); }, pageDimmer: function() { return $dimmer.hasClass(className.pageDimmer); } }, can: { show: function() { return !$dimmer.hasClass(className.disabled); } }, set: { opacity: function(opacity) { var color = $dimmer.css('background-color'), colorArray = color.split(','), isRGB = (colorArray && colorArray.length == 3), isRGBA = (colorArray && colorArray.length == 4) ; opacity = settings.opacity === 0 ? 0 : settings.opacity || opacity; if(isRGB || isRGBA) { colorArray[3] = opacity + ')'; color = colorArray.join(','); } else { color = 'rgba(0, 0, 0, ' + opacity + ')'; } module.debug('Setting opacity to', opacity); $dimmer.css('background-color', color); }, active: function() { $dimmer.addClass(className.active); }, dimmable: function() { $dimmable.addClass(className.dimmable); }, dimmed: function() { $dimmable.addClass(className.dimmed); }, pageDimmer: function() { $dimmer.addClass(className.pageDimmer); }, disabled: function() { $dimmer.addClass(className.disabled); }, variation: function(variation) { variation = variation || settings.variation; if(variation) { $dimmer.addClass(variation); } } }, remove: { active: function() { $dimmer .removeClass(className.active) ; }, dimmed: function() { $dimmable.removeClass(className.dimmed); }, disabled: function() { $dimmer.removeClass(className.disabled); }, variation: function(variation) { variation = variation || settings.variation; if(variation) { $dimmer.removeClass(variation); } } }, setting: function(name, value) { module.debug('Changing setting', name, value); if( $.isPlainObject(name) ) { $.extend(true, settings, name); } else if(value !== undefined) { if($.isPlainObject(settings[name])) { $.extend(true, settings[name], value); } else { settings[name] = value; } } else { return settings[name]; } }, internal: function(name, value) { if( $.isPlainObject(name) ) { $.extend(true, module, name); } else if(value !== undefined) { module[name] = value; } else { return module[name]; } }, debug: function() { if(!settings.silent && settings.debug) { if(settings.performance) { module.performance.log(arguments); } else { module.debug = Function.prototype.bind.call(console.info, console, settings.name + ':'); module.debug.apply(console, arguments); } } }, verbose: function() { if(!settings.silent && settings.verbose && settings.debug) { if(settings.performance) { module.performance.log(arguments); } else { module.verbose = Function.prototype.bind.call(console.info, console, settings.name + ':'); module.verbose.apply(console, arguments); } } }, error: function() { if(!settings.silent) { module.error = Function.prototype.bind.call(console.error, console, settings.name + ':'); module.error.apply(console, arguments); } }, performance: { log: function(message) { var currentTime, executionTime, previousTime ; if(settings.performance) { currentTime = new Date().getTime(); previousTime = time || currentTime; executionTime = currentTime - previousTime; time = currentTime; performance.push({ 'Name' : message[0], 'Arguments' : [].slice.call(message, 1) || '', 'Element' : element, 'Execution Time' : executionTime }); } clearTimeout(module.performance.timer); module.performance.timer = setTimeout(module.performance.display, 500); }, display: function() { var title = settings.name + ':', totalTime = 0 ; time = false; clearTimeout(module.performance.timer); $.each(performance, function(index, data) { totalTime += data['Execution Time']; }); title += ' ' + totalTime + 'ms'; if(moduleSelector) { title += ' \'' + moduleSelector + '\''; } if($allModules.length > 1) { title += ' ' + '(' + $allModules.length + ')'; } if( (console.group !== undefined || console.table !== undefined) && performance.length > 0) { console.groupCollapsed(title); if(console.table) { console.table(performance); } else { $.each(performance, function(index, data) { console.log(data['Name'] + ': ' + data['Execution Time']+'ms'); }); } console.groupEnd(); } performance = []; } }, invoke: function(query, passedArguments, context) { var object = instance, maxDepth, found, response ; passedArguments = passedArguments || queryArguments; context = element || context; if(typeof query == 'string' && object !== undefined) { query = query.split(/[\. ]/); maxDepth = query.length - 1; $.each(query, function(depth, value) { var camelCaseValue = (depth != maxDepth) ? value + query[depth + 1].charAt(0).toUpperCase() + query[depth + 1].slice(1) : query ; if( $.isPlainObject( object[camelCaseValue] ) && (depth != maxDepth) ) { object = object[camelCaseValue]; } else if( object[camelCaseValue] !== undefined ) { found = object[camelCaseValue]; return false; } else if( $.isPlainObject( object[value] ) && (depth != maxDepth) ) { object = object[value]; } else if( object[value] !== undefined ) { found = object[value]; return false; } else { module.error(error.method, query); return false; } }); } if ( $.isFunction( found ) ) { response = found.apply(context, passedArguments); } else if(found !== undefined) { response = found; } if($.isArray(returnedValue)) { returnedValue.push(response); } else if(returnedValue !== undefined) { returnedValue = [returnedValue, response]; } else if(response !== undefined) { returnedValue = response; } return found; } }; module.preinitialize(); if(methodInvoked) { if(instance === undefined) { module.initialize(); } module.invoke(query); } else { if(instance !== undefined) { instance.invoke('destroy'); } module.initialize(); } }) ; return (returnedValue !== undefined) ? returnedValue : this ; }; $.fn.dimmer.settings = { name : 'Dimmer', namespace : 'dimmer', silent : false, debug : false, verbose : false, performance : true, // name to distinguish between multiple dimmers in context dimmerName : false, // whether to add a variation type variation : false, // whether to bind close events closable : 'auto', // whether to use css animations useCSS : true, // css animation to use transition : 'fade', // event to bind to on : false, // overriding opacity value opacity : 'auto', // transition durations duration : { show : 500, hide : 500 }, onChange : function(){}, onShow : function(){}, onHide : function(){}, error : { method : 'The method you called is not defined.' }, className : { active : 'active', animating : 'animating', dimmable : 'dimmable', dimmed : 'dimmed', dimmer : 'dimmer', disabled : 'disabled', hide : 'hide', pageDimmer : 'page', show : 'show' }, selector: { dimmer : '> .ui.dimmer', content : '.ui.dimmer > .content, .ui.dimmer > .content > .center' }, template: { dimmer: function() { return $('<div />').attr('class', 'ui dimmer'); } } }; })( jQuery, window, document );
Cryptix720/Chronimi
src/definitions/modules/dimmer.js
JavaScript
mit
21,282
'use strict'; var m = require('mithril'); function controller() { } function view() { return [ m('h1', 'mithril-isomorphic-example'), m('p', 'yes, it works'), m('a', { href: '/second-page', config: m.route }, 'second page'), m('div', ''), m('a', { href: '/resume', config: m.route }, 'resume') ]; } module.exports = { controller: controller, view: view };
john-ko/johnkoorg
client/pages/home.js
JavaScript
mit
421
// types const TRACKS_SET = 'tracks/TRACKS_SET' // actions const doSetTracks = (tracks) => { return { type: TRACKS_SET, tracks: tracks } } // reducers const initialState = {} const reducer = (state = initialState, action) => { switch (action.type) { case TRACKS_SET: return applySetTracks(state, action) default: return state; } } const applySetTracks = (state, action) => { const { type, tracks } = action return ( { ...state, tracks: tracks } ) } // index export const actionCreators = { doSetTracks } export const actionTypes = { TRACKS_SET } export default reducer
OttoH/rereKit
src/ducks/tracks.js
JavaScript
mit
709
require('chai').should(); var IndexedArray = require('../index'); describe('IndexedArray', function () { it('is instanceof Array', function () { var a = IndexedArray([1,2,3]); (a instanceof Array).should.be.true; }); it('is still instanceof Array when used with `new`', function () { var a = new IndexedArray([1,2,3]); (a instanceof Array).should.be.true; }); it('has length', function () { var a = IndexedArray([1,2,3]); a.length.should.equal(3); }); it('takes a plain array in the constructor', function () { var a = IndexedArray([4,3,2,1]); a.length.should.equal(4); }); it('will initialize an empty array if instantiated with no arguments', function () { var a = IndexedArray(); a.length.should.equal(0); }); it('can access elements by positional index', function () { var a = IndexedArray(['a','b','c']); a[0].should.equal('a'); a[1].should.equal('b'); a[2].should.equal('c'); }); describe('Supported Array.prototype methods', function () { it('push', function () { var a = IndexedArray([]); a.push('thing'); a.length.should.equal(1); a[0].should.equal('thing'); a.push({_id: 'baz', val: 'foo'}); a.length.should.equal(2); a['baz'].val.should.equal('foo'); }); it('pop', function () { var datum = {_id: 'foo', val: 5}; var a = IndexedArray([{}, datum]); var popped = a.pop(); popped.should.equal(datum); a.length.should.equal(1); (a['foo'] === undefined).should.be.true; }); it('shift', function () { var datum = {_id: 'unicorns', real: true}; var a = IndexedArray([datum, {}]); var shifted = a.shift(); shifted.should.equal(datum); a.length.should.equal(1); (a['unicorns'] === undefined).should.be.true; }); it('unshift', function () { var datum = {_id: 'luftbalons', count: 99}; var a = IndexedArray([{}]); a.unshift(datum); a.length.should.equal(2); a[0].should.equal(datum); a['luftbalons'].should.equal(datum); }); describe('splice', function () { var apple, potato, theRest, a; beforeEach(function () { apple = {_id: 'apple', state: 'WA'}; potato = {_id: 'potato', state: 'ID'}; theRest = {_id: 'rest', state: 'CA'}; a = IndexedArray([apple, potato, theRest]); }) it('inserts', function () { var bigApples = {_id: 'big apples', state: 'NY'}; var spliced = a.splice(2,0, bigApples); a.length.should.equal(4); a[0].should.equal(apple); a[1].should.equal(potato); a[2].should.equal(bigApples); a[3].should.equal(theRest); a['big apples'].should.equal(bigApples); Array.isArray(spliced).should.be.true; spliced.length.should.equal(0); }); it('removes', function () { var spliced = a.splice(0,1); a.length.should.equal(2); a[0].should.equal(potato); a[1].should.equal(theRest); spliced.length.should.equal(1); spliced[0].should.equal(apple); }); it('removes and inserts multiple', function () { var lobster = {_id: 'lobster', state: 'ME'}; var oranges = {_id: 'oranges', state: 'FL'}; var spliced = a.splice(1,2, lobster, oranges); a.length.should.equal(3); a[0].should.equal(apple); a[1].should.equal(lobster); a[2].should.equal(oranges); a['lobster'].should.equal(lobster); a['oranges'].should.equal(oranges); spliced.length.should.equal(2); spliced[0].should.equal(potato); spliced[1].should.equal(theRest); }); }); describe('concat', function () { it('merges two IndexArrays together, using the indexer from the first IndexedArray', function () { var a1 = IndexedArray([{a: 'a', b:2}, {a: 'b', z: 4}], function(x) { return x.a.toUpperCase(); }) var a2 = IndexedArray([{a: 'c', b:2}, {a: 'd', z: 4}]) var a3 = a1.concat(a2); a1.length.should.equal(2); a2.length.should.equal(2); a3.length.should.equal(4); a3['A'].b.should.equal(2); a3['B'].z.should.equal(4); a3['C'].b.should.equal(2); a3['D'].z.should.equal(4); }); it('merges an IndexedArray with a plain old array, using the indexer from the frist IndexedArray', function () { var a1 = IndexedArray([{a: 'a', b:2}, {a: 'b', z: 4}], function(x) { return x.a.toUpperCase(); }) var a2 = [{a: 'c', b:2}, {a: 'd', z: 4}] var a3 = a1.concat(a2); a1.length.should.equal(2); a2.length.should.equal(2); a3.length.should.equal(4); a3['A'].b.should.equal(2); a3['B'].z.should.equal(4); a3['C'].b.should.equal(2); a3['D'].z.should.equal(4); }) }); describe('slice', function () { it('returns a copy (shallow clone) when called without arguments', function () { var arr = [1,2,3]; var a1 = IndexedArray(arr); var a2 = a1.slice(); a2.length.should.equal(a1.length); a2.should.not.equal(a1); }); }); it('foreach only iterates over each element once', function () { var arr = [1,2,3,4]; var i = 0; IndexedArray(arr).forEach(function () { i++; }); i.should.equal(4); }); }); describe('indexing', function () { it ('will index elements using an optional indexer passed in as the second argument of the constructor', function () { var john = {name: 'john', age: 9}; var lucia = {name: 'lucia', age: 13}; var arr = [john, lucia]; var a = IndexedArray(arr, 'name'); a['john'].should.equal(john); }); it('defaults to using the property `_id`', function () { var arr = [{_id: '23a', boats: 'lots'}, {_id: 's12', boats: 'not so much'}, {_id: 'l337', boats: 'k'}]; var a = IndexedArray(arr); a['l337'].boats.should.equal('k'); }); it('won\'t use small numbers as indices to prevent confusion with positional indices', function () { var arr = [{_id: 14, title: 'Nope'}, {_id: 3, title: 'Wat'}]; var a = IndexedArray(arr); (a[14] === undefined).should.be.true; }); it('can use big numbers (as might appear in serialized hex ids) as indexes (>10 chars)', function () { var arr = [{_id: '555152157769773177000002', a:true},{_id: '12345678901', b:false}] var a = IndexedArray(arr) a['555152157769773177000002'].a.should.equal(true) a['12345678901'].b.should.equal(false) }) it('can use objects with an overridden toString as the index key', function () { var MyStr = function (s) { this.toString = function () { return s } } var arr = [ {_id: new MyStr('foo'), val: 3}, {_id: new MyStr('faa'), val: 4}, {_id: new MyStr('fuu'), val: 5} ] var a = IndexedArray(arr) a['faa'].val.should.equal(4) }) it('takes a custom function as an indexer', function () { var arr = [{first: 'BOB', last: 'bobson'}, {first: 'Foo', last: 'barzynsczki'}]; var a = IndexedArray(arr, function (x) { return x.first.toLowerCase(); }); a['bob'].last.should.equal('bobson'); }); it('has a `keys` method, analogous to `Object.keys`', function () { var arr = [{_id: 'Q', val: 1}, {_id: 'W', val: 2}, {_id: 'E', val: 3}, {_id: 'R', val: 4}, {_id: 'T', val: 5}, {_id: 'Y', val: 6}]; IndexedArray(arr).keys().should.deep.equal(['Q','W','E','R','T','Y']); }); }); describe('fromObject', function () { it('creates an IndexedArray from an object, essentially flattening indexes into properties', function () { var obj = { 'QWE': {val: 'qwe'}, 'ASD': {val: 'asd'}, 'ZXC': {val: 'zxc'} }; var a = IndexedArray.fromObject(obj); a.length.should.equal(3); a[0]._id.should.equal('QWE'); a['QWE'].val.should.equal('qwe'); }); }); });
jden/indexed-array
test/tests.js
JavaScript
mit
8,031
module.exports=(()=>{"use strict";var e={705:e=>{function hash(e){var r=5381,_=e.length;while(_){r=r*33^e.charCodeAt(--_)}return r>>>0}e.exports=hash}};var r={};function __nccwpck_require__(_){if(r[_]){return r[_].exports}var t=r[_]={exports:{}};var a=true;try{e[_](t,t.exports,__nccwpck_require__);a=false}finally{if(a)delete r[_]}return t.exports}__nccwpck_require__.ab=__dirname+"/";return __nccwpck_require__(705)})();
flybayer/next.js
packages/next/compiled/string-hash/index.js
JavaScript
mit
422
class Node { constructor(item) { this.item = item; this.next = null; } } module.exports = Node;
cody1991/diary
_learn/algo/js-learn/libs/Node.js
JavaScript
mit
109
define(['underscore', 'klik/core/Class'], function (_, Class) { 'use strict'; return Class('GameObject', { methods: { preload: function() { }, create: function() { }, update: function() { } } }); });
kctang/klik
src/core/GameObject.js
JavaScript
mit
302
//= require_tree . $(document).ready(function() { var labelXML = ""; $.get("/javascripts/StudentNametag.label", function(data) { labelXML = data; }); var printers = dymo.label.framework.getPrinters(); var printerName = ""; for (var i = 0; i < printers.length; ++i) { var printer = printers[i]; if (printer.printerType == "LabelWriterPrinter") { printerName = printer.name; break; } } $('#print').click(function() { if (labelXML === "") { return false; } var label = dymo.label.framework.openLabelXml(labelXML); label.setObjectText("FirstName", "Chris"); label.setObjectText("LastName", "White"); label.setObjectText("MajorGradDate", "Computer Science"); if (printerName === "") { alert('No Printers Available. If you have a printer attached, please try restarting your computer.'); return false; } label.print(printerName) console.log('hi!'); return false; }); });
whitecl/dymo-js-sample
source/javascripts/all.js
JavaScript
mit
1,003
// // Description: // Control Spot from campfire. https://github.com/1stdibs/Spot // // Dependencies: // underscore // // Configuration: // HUBOT_SPOT_URL // // Commands: // hubot music status? - Lets you know what's up // hubot play! - Plays current playlist or song. // hubot pause - Pause the music. // hubot play next - Plays the next song. // hubot play back - Plays the previous song. // hubot playing? - Returns the currently-played song. // hubot spot volume? - Returns the current spotify volume level. // hubot spot volume [0-100] - Sets the spotify volume. // hubot [name here] says turn it down - Sets the volume to 15 and blames [name here]. // hubot say <message> - Tells hubot to read a message aloud. // hubot play <song> - Play a particular song. This plays the first most popular result. // hubot find x artist <artist-query> - Searches for x (or 6) most popular artist matching query // hubot find x music <track-query> - Searches for x (or 6) most popular tracks matching query // hubot find x music by <artist-query> - Searches for x (or 6) most popular tracks by artist-query // hubot find x albums <album-query> - Searches for x (or 6) most popular albums matching query // hubot find x albums by <artist-query> - Searches for x (or 6) most popular albums by artist-query // hubot show me album <album-query> - Pulls up the album for the given search, or if (x:y) format, the album associated with given result // hubot show me this album - Pulls up the album for the currently playing track // hubot show me music by this artist - Pulls up tracks by the current artist // hubot play n - Play the nth track from the last search results // hubot play x:y - Play the y-th track from x-th result set // hubot how much longer? - Hubot tells you how much is left on the current track // hubot queue? - Pulls up the current queue // hubot queue (track name | track result #) - Adds the given track to the queue // hubot dequeue #(queue number) - removes the given queue line item (by current position in the queue) // Authors: // andromedado, jballant // /*jslint node: true */ "use strict"; var CAMPFIRE_CHRONOLOGICAL_DELAY, DEFAULT_LIMIT, Queue, URL, VERSION, comparePart, compareVersions, determineLimit, getCurrentVersion, getStrHandler, https, now, playingRespond, remainingRespond, sayMyError, sayYourError, setVolume, spotNext, spotRequest, templates, trim, volumeLockDuration, volumeLocked, volumeRespond, words, _; var showAlbumArt; var logger = require('./support/logger'); var emoji = require('./support/emoji'); var versioning = require('./support/spotVersion'); var util = require('util'); https = require('https'); _ = require('underscore'); VERSION = versioning.version; URL = "" + process.env.HUBOT_SPOT_URL; CAMPFIRE_CHRONOLOGICAL_DELAY = 700; DEFAULT_LIMIT = 6; Queue = {}; templates = require('./support/spotifyTemplates'); function randEl (arr) { return arr[Math.floor(Math.random() * arr.length)]; } function getVersionString () { return util.format(':sparkles::%s::sparkles:Dibsy-Spot-Integration v%s:sparkles::%s::sparkles:', randEl(emoji.things), versioning.version, randEl(emoji.things)); } //getCurrentVersion = function (callback) { // return https.get('https://raw.github.com/1stdibs/hubot-scripts/master/src/scripts/spot.js', function (res) { // var data; // data = ''; // res.on('data', function (d) { // return data += d; // }); // return res.on('end', function () { // var bits, version; // bits = data.match(/VERSION = '([\d\.]+)'/); // version = bits && bits[1]; // return callback(!version, version); // }); // }).on('error', function (e) { // return callback(e); // }); //}; compareVersions = function (base, comparator) { var bParts, cParts, diff, re; if (base === comparator) { return 'up-to-date'; } re = /^(\d+)(\.(\d+))?(\.(\d+))?/; bParts = base.match(re); cParts = comparator.match(re); diff = false; if (bParts && cParts) { [ { k: 1, n: 'major version' }, { k: 3, n: 'minor version' }, { k: 5, n: 'patch', pn: 'patches' } ].forEach(function (obj) { return diff = diff || comparePart(bParts[obj.k], cParts[obj.k], obj.n, obj.pn); }); } if (!diff) { diff = 'different than the repo version: ' + base; } return diff; }; comparePart = function (b, c, partName, partNamePlural) { var diff, stem, suffix, whats; if (b === c) { return false; } diff = Math.abs(Number(c) - Number(b)); if (Number(c) > Number(b)) { stem = 'ahead'; suffix = '; the repo should probably be updated.'; } else { stem = 'behind'; suffix = '; you should probably update me. https://github.com/1stdibs/hubot-scripts'; } if (diff === 1) { whats = partName; } else { whats = partNamePlural || (partName + 's'); } return stem + ' by ' + diff + ' ' + whats + suffix; }; spotRequest = require('./support/spotRequest'); now = function () { return ~~(Date.now() / 1000); }; trim = function (str) { return String(str).replace(/^\s+/, '').replace(/\s+$/, ''); }; volumeLockDuration = 60000; words = { 'a couple': 2, 'default': 3, 'a few': 4, 'many': 6, 'a lot': 10, 'lots of': 10 }; determineLimit = function (word) { if (String(word).match(/^\d+$/)) { return word; } if (!word || !words.hasOwnProperty(word)) { word = 'default'; } return words[word]; }; spotNext = function (msg) { return spotRequest(msg, '/next', 'put', {}, function (err, res, body) { if (err) { return sayMyError(err, msg); } return msg.send(":small_blue_diamond: " + body + " :fast_forward:"); }); }; volumeRespond = function (message) { return spotRequest(message, '/volume', 'get', {}, function (err, res, body) { if (err) { return sayMyError(err, message); } return message.send("Spot volume is " + body + ". :mega:"); }); }; remainingRespond = function (message) { return spotRequest(message, '/how-much-longer', 'get', {}, function (err, res, body) { if (err) { return sayMyError(err, message); } return message.send(":small_blue_diamond: " + body); }); }; playingRespond = function (message) { return spotRequest(message, '/playing', 'get', {}, function (err, res, body) { var next; if (err) { return sayMyError(err, message); } showAlbumArt(message); message.send(":notes: " + body); next = Queue.next(); if (next) { return message.send(":small_blue_diamond: Up next is \"" + next.name + "\""); } }); }; getStrHandler = function (message) { return function (err, str) { if (err) { return sayMyError(err, message); } else { return message.send(str); } }; }; sayMyError = function (err, message) { return message.send(":flushed: " + err); }; sayYourError = function (message) { return message.send(":no_good: Syntax Error [" + Math.floor(Math.random() * Math.pow(10, 4)) + "]"); }; volumeLocked = false; var volumeKeywords = { '💯' : 100, ':100:' : 100, 'max' : 100 }; setVolume = function (level, message) { var params; level = level + ""; if (volumeLocked) { message.send(':no_good: Spot volume is currently locked'); return; } if (level.match(/^\++$/)) { spotRequest(message, '/bumpup', 'put', {}, function (err, res, body) { if (err) { return sayMyError(err, message); } return message.send("Spot volume bumped to " + body + ". :mega:"); }); return; } if (level.match(/^-+$/)) { spotRequest(message, '/bumpdown', 'put', {}, function (err, res, body) { if (err) { return sayMyError(err, message); } return message.send("Spot volume bumped down to " + body + ". :mega:"); }); return; } if (volumeKeywords[level]) { level = volumeKeywords[level] + ''; } if (!level.match(/^\d+$/)) { message.send("Invalid volume: " + level); return; } params = { volume: level }; return spotRequest(message, '/volume', 'put', params, function (err, res, body) { if (err) { return sayMyError(err, message); } return message.send("Spot volume set to " + body + ". :mega:"); }); }; var convertEmoji = function (str) { if (str[0] === ':' && str[str.length - 1] === ':') { str = str.replace(/_/g, ' ').replace(/:/g, ''); } return str }; function setupDefaultQueue(queue, reload, callback) { var fs = require('fs'); if (!queue.isEmpty() || reload) { if (!reload) { logger.minorInfo('found no redis stuff for %s', queue.getName()); } else { logger.minorInfo('reloading playlist for %s', queue.getName()); } logger.minorInfo('reading file %s', process.env.HUBOT_SPOTIFY_PLAYLIST_FILE); fs.readFile(process.env.HUBOT_SPOTIFY_PLAYLIST_FILE, 'utf-8', function (err, data) { if (err) { throw err; } var json = JSON.parse(data), len = json.length, i = -1, list; //list = json; list = _.shuffle(json); queue.clear(); // Empty the existing playlist, new songs wont be added otherwise queue.addTracks(list); // Add the shuffled list to the empty playlist queue.playNext(); // Start playling queue.start(); if (callback) { callback(queue); } }); } } module.exports = function (robot) { var Assoc, Support, playlistQueue = require('./support/spotifyQueue')(robot, URL, 'playlistQueue', true), queueMaster = require('./support/spotifyQueueMaster')(); var say = require('./support/say'); say.attachToRobot(robot); Queue = require('./support/spotifyQueue')(robot, URL); Support = require('./support/spotifySupport')(robot, URL, Queue); Assoc = require('./support/spotifyAssoc')(robot); //if (process.env.HUBOT_SPOTIFY_PLAYLIST_FILE) { // // Set up default queue // setupDefaultQueue(playlistQueue); // // // Set the default queue on the queue master // queueMaster.setDefault(playlistQueue); // // // Add the user queue // queueMaster.addQueue(Queue); // // // Conduct the queues (the default queue will // // play if user queue is empty) // queueMaster.conduct(); //} Queue.start(); showAlbumArt = function showAlbumArt(message) { //No Longer Works =( //message.send("" + URL + "/now/playing/" + Math.ceil(Math.random() * 10000000000) + '/album.png'); return Support.getCurrentTrackURL(function (err, url) { if (err) { sayMyError(err, message); } else { message.send(url); } }); }; function blame (message) { return Support.translateToTrack('this', message.message.user.id, function (err, track) { var user; if (err) { sayMyError(err, message); return; } user = Assoc.get(track.href); if (user) { return message.send(':small_blue_diamond: ' + user + ' requested ' + templates.trackLine(track)); } return message.send(':small_blue_diamond: Spotify Playlist'); }); } robot.respond(/show (me )?this album/i, function (message) { return Support.getCurrentAlbum(function (err, album, resultIndex) { var str; if (!err) { str = templates.albumSummary(album, resultIndex); } return getStrHandler(message)(err, str); }); }); robot.respond(/((find|show) )?(me )?((\d+) )?album(s)? (.+)/i, function (message) { if (message.match[6]) { return Support.findAlbums(message.match[7], message.message.user.id, message.match[5] || DEFAULT_LIMIT, getStrHandler(message)); } if (!message.match[7] || trim(message.match[7]) !== 'art') { return Support.translateToAlbum(trim(message.match[7]), message.message.user.id, function (err, album, resultIndex) { var str; if (!err) { str = templates.albumSummary(album, resultIndex); } return getStrHandler(message)(err, str); }); } }); robot.respond(/find ((\d+) )?artists (.+)/i, function (message) { return Support.findArtists(message.match[3], message.message.user.id, message.match[2] || DEFAULT_LIMIT, getStrHandler(message)); }); robot.respond(/(show|find) (me )?((\d+) )?(music|tracks|songs) (.+)/i, function (message) { return Support.findTracks(convertEmoji(message.match[6]), message.message.user.id, message.match[4] || DEFAULT_LIMIT, getStrHandler(message)); }); robot.respond(/purge results!/i, function (message) { Support.purgeLists(); return message.send(':ok_hand:'); }); robot.respond(/purge music cache!/i, function (message) { Support.purgeMusicDataCache(); return message.send(':ok_hand:'); }); robot.respond(/(blame|credit)\s*$/i, blame); robot.respond(/who asked for (.+)\??/i, blame); robot.respond(/(play|queue) (.+)/i, function (message) { return Support.translateToTrack(trim(message.match[2]), message.message.user.id, function (err, track) { if (err) { sayMyError(err, message); return; } Assoc.set(track.href, message.message.user.name); if (message.match[1].toLowerCase() === 'play' && !Queue.locked()) { Queue.stop(); message.send(':small_blue_diamond: Switching to ' + templates.trackLine(track, true)); Support.playTrack(track, function (err) { Queue.start(); if (err) { return sayMyError(err, message); } }); return; } return Queue.addTrack(track, function (err, index) { if (err) { sayMyError(err, message); return; } return message.send(":small_blue_diamond: #" + index + " in the queue is " + templates.trackLine(track)); }); }); }); robot.respond(/music status\??/i, function (message) { spotRequest(message, '/seconds-left', 'get', {}, function (err, res, body) { if (err) { return sayMyError(err, message); } var seconds; seconds = parseInt(String(body).replace(/[^\d\.]+/g, ''), 10) || 1; return setTimeout(function () { return spotRequest(message, '/seconds-left', 'get', {}, function (err, res, body) { if (err) { return sayMyError(err, message); } var seconds2; seconds2 = parseInt(String(body).replace(/[^\d\.]+/g, ''), 10) || 1; if (seconds === seconds2) { return message.send(":small_blue_diamond: The music appears to be paused"); } return remainingRespond(message); }); }, 2000); }); blame(message); playingRespond(message); volumeRespond(message); return Queue.describe(message); }); robot.respond(/(show (me )?the )?queue\??\s*$/i, function (message) { return Queue.describe(message); }); robot.respond(/dequeue #?(\d+)/i, function (message) { return Queue.dequeue(+message.match[1], function (err, name) { if (err) { message.send(":flushed: " + err); return; } return message.send(":small_blue_diamond: \"" + name + "\" removed from the queue"); }); }); robot.respond(/play!/i, function (message) { message.finish(); return spotRequest(message, '/play', 'put', {}, function (err, res, body) { if (err) { return sayMyError(err, message); } return message.send(":notes: " + body); }); }); robot.respond(/pause/i, function (message) { var params; params = { volume: 0 }; return spotRequest(message, '/pause', 'put', params, function (err, res, body) { if (err) { return sayMyError(err, message); } return message.send("" + body + " :cry:"); }); }); robot.respond(/next/i, function (message) { if (Queue.locked()) { message.send(":raised_hand: Not yet, this was queued"); return; } var q = (Queue.isEmpty()) ? playlistQueue : Queue; if (q.next()) { return q.playNext(function (err, track) { if (err) { spotNext(message); return; } return q.send(":small_blue_diamond: Ok, on to " + track.name); }); } else { return spotNext(message); } }); robot.respond(/back/i, function (message) { return spotRequest(message, '/back', 'put', {}, function (err, res, body) { if (err) { return sayMyError(err, message); } return message.send("" + body + " :rewind:"); }); }); robot.respond(/playing\?/i, function (message) { playingRespond(message); return blame(message); }); robot.respond(/album art\??/i, function (message) { return spotRequest(message, '/playing', 'get', {}, function (err, res, body) { if (err) { sayMyError(err, message); } return showAlbumArt(message); }); }); robot.respond(/lock spot volume at (\d+)/i, function (message) { var volume; if (volumeLocked) { message.send(':no_good: Spot volume is currently locked'); return; } volume = parseInt(message.match[1]) || 0; setVolume(volume, message); if (volume < 45) { message.send(':no_good: I won\'t lock the spot volume that low'); return; } if (volume > 85) { message.send(':no_good: I won\'t lock the spot volume that high'); return; } volumeLocked = true; return setTimeout(function () { return volumeLocked = false; }, volumeLockDuration); }); robot.respond(/(set )?spot volume(( to)? (.+)|\??)$/i, function (message) { var adi; if (message.match[1] || message.match[4]) { adi = trim(message.match[4]) || '0'; return setVolume(adi, message); } volumeRespond(message); }); robot.respond(/(how much )?(time )?(remaining|left)\??$/i, remainingRespond); robot.respond(/(.*) says.*turn.*down.*/i, function (message) { var name, params; name = message.match[1]; message.send("" + name + " says, 'Turn down the music and get off my lawn!' :bowtie:"); params = { volume: 15 }; return spotRequest(message, '/volume', 'put', params, function (err, res, body) { if (err) { return sayMyError(err, message); } return message.send("Spot volume set to " + body + ". :mega:"); }); }); robot.respond(/reload default playlist/i, function (message) { setupDefaultQueue(playlistQueue, true, function () { message.send("Reloaded default playlist"); }); }); //TODO: Make a responder to add to defaultQueue robot.messageRoom('#general', getVersionString()); return robot.respond(/spot version\??/i, function (message) { return message.send(getVersionString()); // return getCurrentVersion(function (e, repoVersion) { // var msg; // msg = getVersionString(); // if (!e) { // msg += '; I am ' + compareVersions(repoVersion, VERSION); // } // return message.send(msg); // }); }); };
dyg2104/hubot-scripts
src/scripts/spot.js
JavaScript
mit
21,207
import request from 'request'; import wsse from 'wsse'; import xml2js from 'xml2js'; function pad(n) { return ('0' + n).slice(-2); } const toString = Object.prototype.toString; // 型判定 function isString(v) { return toString.call(v) == '[object String]'; } function isDate(v) { return toString.call(v) == '[object Date]'; } function isArray(v) { return toString.call(v) == '[object Array]'; } function isBoolean(v) { return toString.call(v) == '[object Boolean]'; } // DateをISO8601形式文字列に変換する // String.toISOString()はタイムゾーンがZとなってしまうので。。 function toISOString(d = new Date()) { const timezoneOffset = d.getTimezoneOffset(); const hour = Math.abs(timezoneOffset / 60) | 0; const minutes = Math.abs(timezoneOffset % 60); let tzstr = 'Z'; if (timezoneOffset < 0) { tzstr = `+${pad(hour)}:${pad(minutes)}`; } else if (timezoneOffset > 0) { tzstr = `-${pad(hour)}:${pad(minutes)}`; } return `${d.getUTCFullYear()}-${pad(d.getUTCMonth() + 1)}-${pad(d.getUTCDate())}T${pad(d.getUTCHours())}:${pad(d.getUTCMinutes())}:${pad(d.getUTCSeconds())}${tzstr}`; } // ISO8601形式かどうかをチェックする正規表現 var ISO8601Format = /^\d{4}-[01]\d-[0-3]\dT[0-2]\d:[0-5]\d:[0-5]\d([+-][0-2]\d:[0-5]\d|Z)$/; // Hatena::Blog AtomPub API wrapper // // - GET CollectionURI (/<username>/<blog_id>/atom/entry) // => Blog#index // - POST CollectionURI (/<username>/<blog_id>/atom/entry) // => Blog#create // - GET MemberURI (/<username>/<blog_id>/atom/entry/<entry_id>) // => Blog#show // - PUT MemberURI (/<username>/<blog_id>/atom/entry/<entry_id>) // => Blog#update // - DELETE MemberURI (/<username>/<blog_id>/atom/entry/<entry_id>) // => Blog#destroy // - GET ServiceDocumentURI (/<username>/<blog_id>/atom) // => None // - GET CategoryDocumentURI (/<username>/<blog_id>/atom/category) // => None class Blog { static initClass() { this.prototype._rawRequest = request; this.prototype._xmlBuilder = new xml2js.Builder(); this.prototype._xmlParser = new xml2js.Parser({ explicitArray: false, explicitCharkey: true }); } // コンストラクタ constructor({ type = 'wsse',// 認証タイプ : 'wsse'もしくは'oauth'のいずれかを指定する。 // type 'wsse','oauth'両方に必要な設定(必須) userName,// はてなブログのユーザーIDを指定する。 blogId,// はてなブログIDを指定する。 apiKey,// はてなブログのAPIキーを指定する。 // type 'oauth'のみ必須となる設定(必須) consumerKey,// コンシューマー・キー consumerSecret,// コンシューマー・シークレット accessToken,// アクセス・トークン accessTokenSecret// アクセストークン・シークレット }) { this._type = type; // 各パラメータのチェック if (this._type != 'oauth' && this._type != 'wsse') { throw new Error('constructor:typeには"wsse"もしくは"oauth"以外の値は指定できません。'); } if (!userName) { throw new Error('constructor:userNameが空白・null・未指定です。正しいはてなブログユーザー名を指定してください。'); } if (!blogId) { throw new Error('constructor:blogIdが空白・null・未指定です。正しいはてなブログIDを指定してください。'); } if (!apiKey) { throw new Error('constructor:apiKeyが空白・null・未指定です。正しいはてなブログAPIキーを指定してください。'); } if (this.type_ == 'oauth') { if (!consumerKey) { throw new Error('constructor:consumerKeyが空白・null・未指定です。正しいコンシューマー・キーを指定してください。'); } if (!consumerSecret) { throw new Error('constructor:consumerSecretが空白・null・未指定です。正しいコンシューマー・シークレットを指定してください。'); } if (!accessToken) { throw new Error('constructor:accessTokenが空白・null・未指定です。正しいアクセス・トークンを指定してください。'); } if (!accessTokenSecret) { throw new Error('constructor:accessTokenSecretが空白・null・未指定です。正しいアクセス・トークン・シークレットを指定してください。'); } } else { if (consumerKey) { console.warn('"wsse"では使用しないconsumerKeyパラメータが指定されています。'); } if (consumerSecret) { console.warn('"wsse"では使用しないconsumerSecretパラメータが指定されています。'); } if (accessToken) { console.warn('"wsse"では使用しないaccessTokenパラメータが指定されています。'); } if (accessTokenSecret) { console.warn('"wsse"では使用しないaccessTokenSecretパラメータが指定されています。'); } } this._userName = userName; this._blogId = blogId;; this._apiKey = apiKey; this._consumerKey = consumerKey; this._consumerSecret = consumerSecret; this._accessToken = accessToken; this._accessTokenSecret = accessTokenSecret; this._baseUrl = 'https://blog.hatena.ne.jp'; } // POST CollectionURI (/<username>/<blog_id>/atom/entry) // 戻り値: // Promise postEntry({ title = '',// タイトル文字列 content = '',// 記事本文 updated = new Date(), // 日付 categories,// カテゴリ draft = false // 下書きかどうか }) { const method = 'post'; const path = `/${this._userName}/${this._blogId}/atom/entry`; title = !title ? '' : title; content = !content ? '' : content; const body = { entry: { $: { xmlns: 'http://www.w3.org/2005/Atom', 'xmlns:app': 'http://www.w3.org/2007/app' }, title: { _: title }, content: { $: { type: 'text/plain' }, _: content } } }; // 日付文字列のチェック if (isDate(updated)) { // DateはISO8601文字列に変換 updated = toISOString(updated); } else if (!updated.match(ISO8601Format)) { return this._reject('postEntry:updatedの日付フォーマットに誤りがあります。指定できるのはDateオブジェクトかISO8601文字列のみです。'); } // categoriesのチェック if (categories) { if (!isArray(categories)) { if (isString(categories)) { categories = [categories]; } else { return this._reject('postEntry:categoriesに文字列もしくは文字配列以外の値が指定されています。指定できるのは文字列か、文字配列のみです。'); } } else { for (let i = 0, e = categories.length; i < e; ++i) { if (!isString(categories[i])) { return this._reject('postEntry:categoriesの配列中に文字列でないものが含まれています。配列に含めることができるのは文字列のみです。'); } } } } // draftのチェック if (!isBoolean(draft)) { return this._reject('postEntry:draftにブール値以外の値が含まれています。') } if (updated) { body.entry.updated = { _: updated }; } if (categories) { body.entry.category = categories.map(c => ({ $: { term: c } })); } if (draft ? draft : false) { body.entry['app:control'] = { 'app:draft': { _: 'yes' } }; } let statusCode = 201; // requestの発行。結果はプロミスで返却される return this._request({ method, path, body, statusCode }); } // PUT MemberURI (/<username>/<blog_id>/atom/entry/<entry_id>) // returns: // Promise updateEntry({ id,// エントリID(必須) title,// タイトル(必須) content,// 記事本体(必須) updated,// 更新日付(必須) categories,// カテゴリ(オプション) draft = false //下書きがどうか(既定:false(公開)) }) { if (!id) return this._rejectRequired('updateEntry', 'id'); if (!content) return this._rejectRequired('updateEntry', 'content'); if (!title) return this._rejectRequired('updateEntry', 'title'); if (!updated) return this._rejectRequired('updateEntry', 'updated'); // updatedのチェック if (isDate(updated)) { // DateはISO8601文字列に変換 updated = toISOString(updated); } else if (!updated.match(ISO8601Format)) { return this._reject('updateEntry:updatedの日付フォーマットに誤りがあります。指定できるのはDateオブジェクトかISO8601文字列のみです。'); } // categoriesのチェック if (categories) { if (!isArray(categories)) { if (isString(categories)) { categories = [categories]; } else { return this._reject('postEntry:categoriesに文字列もしくは文字配列以外の値が指定されています。指定できるのは文字列か、文字配列のみです。'); } } else { for (let i = 0, e = categories.length; i < e; ++i) { if (!isString(categories[i])) { return this._reject('postEntry:categoriesの配列中に文字列でないものが含まれています。配列に含めることができるのは文字列のみです。'); } } } } // draftのチェック if (!isBoolean(draft)) { return this._reject('postEntry:draftにブール値以外の値が含まれています。') } title = !title ? '' : title; content = !content ? '' : content; const method = 'put'; const path = `/${this._userName}/${this._blogId}/atom/entry/${id}`; const body = { entry: { $: { xmlns: 'http://www.w3.org/2005/Atom', 'xmlns:app': 'http://www.w3.org/2007/app' }, content: { $: { type: 'text/plain' }, _: content } } }; title && (body.entry.title = { _: title }); body.entry.updated = { _: updated }; if (categories != null) { body.entry.category = categories.map(c => ({ $: { term: c } })); } if (draft != null ? draft : false) { body.entry['app:control'] = { 'app:draft': { _: 'yes' } }; } let statusCode = 200; return this._request({ method, path, body, statusCode }); } // DELETE MemberURI (/<username>/<blog_id>/atom/entry/<entry_id>) // params: // options: (required) // - id: entry id. (required) // returns: // Promise deleteEntry(id) { if (id == null) { return this._rejectRequired('deleteEntry', 'id'); } let method = 'delete'; let path = `/${this._userName}/${this._blogId}/atom/entry/${id}`; let statusCode = 200; return this._request({ method, path, statusCode }); } // GET MemberURI (/<username>/<blog_id>/atom/entry/<entry_id>) // returns: // Promise getEntry(id) { if (id == null) { return this._rejectRequired('getEntry', 'id'); } let method = 'get'; let path = `/${this._userName}/${this._blogId}/atom/entry/${id}`; let statusCode = 200; return this._request({ method, path, statusCode }); } // GET CollectionURI (/<username>/<blog_id>/atom/entry) // returns: // Promise getEntries(page) { const method = 'get'; const pathWithoutQuery = `/${this._userName}/${this._blogId}/atom/entry`; const query = page ? `?page=${page}` : ''; const path = pathWithoutQuery + query; const statusCode = 200; return this._request({ method, path, statusCode }) .then(res => { const results = { res: res }; // 前のページのPage IDを取り出す const next = res.feed.link.filter((d) => d.$.rel == 'next'); if (next && next[0]) { const regexp = /\?page\=([0-9]*)$/; const maches = regexp.exec(next[0].$.href); const nextPageID = maches[1].trim(); if(nextPageID) results.nextPageID = nextPageID; } // 単一エントリ・エントリなしの対応 if(res.feed.entry){ if(!isArray(res.feed.entry)){ // 単一エントリの場合は配列に格納しなおす res.feed.entry = [res.feed.entry]; } } else { // entryがない場合はから配列を返す res.feed.entry = []; } return results; }); } // entryのJSONデータからEntry IDを取り出す。 getEntryID(entry /* entryのJSONデータ */){ // 入力値のチェック if(!entry.id){ throw new Error('与えられたパラメータが不正です。'); } const maches = entry.id._.match(/^tag:[^:]+:[^-]+-[^-]+-\d+-(\d+)$/); if(!maches[1]) throw new Error('与えられたパラメータが不正です。'); return maches[1]; } _reject(message) { let e; try { e = new Error(message); return Promise.reject(e); } catch (error) { return Promise.reject(error); } } _rejectRequired(methodName, paramStr) { return this._reject(`${methodName}:{}.${paramStr}が指定されていません。{}.${paramStr}は必須項目です。`); } _request({ method, path, body, statusCode }) { const params = {}; params.method = method; params.url = this._baseUrl + path; if (this._type === 'oauth') { params.oauth = { consumer_key: this._consumerKey, consumer_secret: this._consumerSecret, token: this._accessToken, token_secret: this._accessTokenSecret }; } else { // @_type is 'wsse' const token = wsse().getUsernameToken(this._userName, this._apiKey, { nonceBase64: true }); params.headers = { 'Authorization': 'WSSE profile="UsernameToken"', 'X-WSSE': `UsernameToken ${token}` }; } const promise = (body != null) ? this._toXml(body) : Promise.resolve(null); return promise .then(body => { if (body != null) { params.body = body; } return this._requestPromise(params); }).then(res => { //console.log(res.headers,res.statusCode,res.statusMessage); if (res.statusCode !== statusCode) { throw new Error(`HTTP status code is ${res.statusCode}`); } //console.log(res.body); return this._toJson(res.body); }); } _requestPromise(params) { return new Promise(( (resolve, reject) => { return this._rawRequest(params, function (err, res) { if (err != null) { return reject(err); } else { return resolve(res); } }); })); } _toJson(xml) { return new Promise((resolve, reject) =>{ return this._xmlParser.parseString(xml, (err, result)=> { if (err != null) { return reject(err); } else { return resolve(result); } }); }); } _toXml(json) { try { let xml = this._xmlBuilder.buildObject(json); return Promise.resolve(xml); } catch (e) { return Promise.reject(e); } } } Blog.initClass(); export default Blog;
sfpgmr/node-hatena-blog-api2
src/blog.js
JavaScript
mit
15,445
'use strict'; Object.defineProperty(exports, "__esModule", { value: true }); exports.FilterList = undefined; var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i && _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n && _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }(); var _react = require('react'); var _react2 = _interopRequireDefault(_react); var _FilterItem = require('./FilterItem'); var _FilterList = require('../FilterList'); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } var FilterList = exports.FilterList = function (_BaseFilterList) { _inherits(FilterList, _BaseFilterList); function FilterList() { var _ref; var _temp, _this, _ret; _classCallCheck(this, FilterList); for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) { args[_key] = arguments[_key]; } return _ret = (_temp = (_this = _possibleConstructorReturn(this, (_ref = FilterList.__proto__ || Object.getPrototypeOf(FilterList)).call.apply(_ref, [this].concat(args))), _this), _this.doRenderFilterItem = function (_ref2) { var _ref3 = _slicedToArray(_ref2, 2), filterId = _ref3[0], filter = _ref3[1]; var _this$props = _this.props, fields = _this$props.fields, removeLabel = _this$props.removeLabel; return _react2.default.createElement(_FilterItem.FilterItem, { key: filterId, filter: filter, fields: fields, removeLabel: removeLabel, onRemoveClick: function onRemoveClick() { return _this.removeFilter(filterId); }, onFieldChange: function onFieldChange(name) { return _this.onFieldChange(filterId, name); }, onValueChange: function onValueChange(value) { return _this.onValueChange(filterId, value); }, onOperatorChange: function onOperatorChange(operator) { return _this.onOperatorChange(filterId, operator); } }); }, _temp), _possibleConstructorReturn(_this, _ret); } return FilterList; }(_FilterList.FilterList); //# sourceMappingURL=FilterList.js.map
reactmob/dos-filter
lib/Fabric/FilterList.js
JavaScript
mit
3,795
var express = require("express"); var passport = require("passport"); var env = process.env.NODE_ENV || "development"; var fs = require("fs"); // Load in configuration options require("dotenv").load(); require("express-namespace"); var ukiyoe = require("ukiyoe-models"); ukiyoe.db.connect(function() { fs.readdirSync(__dirname + "/app/models").forEach(function (file) { if (~file.indexOf(".js")) { require(__dirname + "/app/models/" + file)(ukiyoe); } }); // Bootstrap passport config require("./config/passport")(passport, ukiyoe); var app = express(); // Bootstrap application settings require("./config/express")(app, passport); // Bootstrap routes require("./config/routes")(app, passport, ukiyoe); // Start the app by listening on <port> var port = process.env.PORT; console.log("PORT: " + port); app.listen(port, function() { if (process.send) { process.send("online"); } }); process.on("message", function(message) { if (message === "shutdown") { process.exit(0); } }); });
jeresig/ukiyoe-web
server.js
JavaScript
mit
1,141
var React = require('react'); var Link = require('react-router-dom').Link; class Home extends React.Component { render() { return ( <div className='home-container'> <h1>Github Battle: Battle your friends...and stuff.</h1> <Link className='button' to='/battle'> Battle </Link> </div> ) } } module.exports = Home;
brianmmcgrath/react-github-battle
app/components/Home.js
JavaScript
mit
430
/** * @file * @author zdying */ 'use strict'; var assert = require('assert'); var path = require('path'); var parseHosts = require('../src/proxy/tools/parseHosts'); describe('proxy hosts',function(){ it('正确解析hosts文件', function(){ var hostsObj = parseHosts(path.resolve(__dirname, 'proxy/hosts.example')); var target = { 'hiipack.com': '127.0.0.1:8800', 'hii.com': '127.0.0.1:8800', 'example.com': '127.0.0.1', 'example.com.cn': '127.0.0.1' }; assert(JSON.stringify(hostsObj) === JSON.stringify(target)) }); });
zdying/hiipack
test/proxy.hosts.test.js
JavaScript
mit
618
var EventEmitter = require('events').EventEmitter; var _ = require('underscore'); var Message = require('./Message'); var ProduceRequest = require('./ProduceRequest'); var Connection = require('./Connection'); var ConnectionCache = require('./ConnectionCache'); var Producer = function(topic, options){ if (!topic || (!_.isString(topic))){ throw "the first parameter, topic, is mandatory."; } this.MAX_MESSAGE_SIZE = 1024 * 1024; // 1 megabyte options = options || {}; this.topic = topic; this.partition = options.partition || 0; this.host = options.host || 'localhost'; this.port = options.port || 9092; this.useConnectionCache = options.connectionCache; this.connection = null; }; Producer.prototype = Object.create(EventEmitter.prototype); Producer.prototype.connect = function(){ var that = this; if (this.useConnectionCache) { this.connection = Producer._connectionCache.getConnection(this.port, this.host); } else { this.connection = new Connection(this.port, this.host); } this.connection.once('connect', function(){ that.emit('connect'); }); this.connection.on('error', function(err) { if (!!err.message && (err.message === 'connect ECONNREFUSED' || err.message.indexOf('connect ECONNREFUSED') === 0) ) { that.emit('error', err); } }); this.connection.connect(); }; Producer.prototype.send = function(messages, options, cb) { var that = this; if (arguments.length === 2){ // "options" is not a required parameter, so handle the // case when it's not set. cb = options; options = {}; } if (!cb || (typeof cb != 'function')){ throw "A callback with an error parameter must be supplied"; } options.partition = options.partition || this.partition; options.topic = options.topic || this.topic; messages = toListOfMessages(toArray(messages)); var request = new ProduceRequest(options.topic, options.partition, messages); this.connection.write(request.toBytes(), cb); }; Producer._connectionCache = new ConnectionCache(); Producer.clearConnectionCache = function() { Producer._connectionCache.clear(); }; module.exports = Producer; var toListOfMessages = function(args) { return _.map(args, function(arg) { if (arg instanceof Message) { return arg; } return new Message(arg); }); }; var toArray = function(arg) { if (_.isArray(arg)) return arg; return [arg]; };
uber/Prozess
Producer.js
JavaScript
mit
2,432
webpackJsonp([0x78854e72ca23],{567:function(t,e){t.exports={pathContext:{}}}}); //# sourceMappingURL=path---blog-gatsby-github-a0e39f21c11f6a62c5ab.js.map
russellschmidt/russellschmidt.github.io
path---blog-gatsby-github-a0e39f21c11f6a62c5ab.js
JavaScript
mit
154
const generators = require('yeoman-generator'); const fs = require('fs'); let generator = {}; generator.constructor = function() { generators.Base.apply(this, arguments); this.argument('apiname', { type: String, required: true }); }; generator.writing = function() { ['package.json', 'Gulpfile.js', 'index.js', 'lib/main.js', 'test/main.test.js', '.gitignore'].forEach((template) => { let source = this.templatePath(template); let destinastion = this.destinationPath(template); this.fs.copyTpl(source, destinastion, { apiname: this.apiname }); }); ['lib', 'test', 'lib/resources', 'test/resources', 'lib/middlewares', 'test/middlewares'].forEach((dir) => { dir = this.destinationPath(dir); fs.mkdirSync(dir); this.log(`created ${dir}`); }); }; generator.install = function() { let devDeps = [ 'gulp', 'gulp-jshint', 'jshint', 'gulp-mocha', 'mocha', 'chai', 'sandboxed-module' ]; let deps = [ 'express', 'require-dir', 'body-parser', 'jsonwebtoken', 'mongodb' ]; this.npmInstall(devDeps, { 'save-dev': true }); this.npmInstall(deps, { 'save': true }); }; module.exports = generators.Base.extend(generator);
helloIAmPau/generator-pau-api
app/index.js
JavaScript
mit
1,223
define(['jquery', 'backbone', 'BaseView'], function ($, Backbone, BaseView) { describe('BaseView', function () { describe('(managing views)', function() { var view, childView1, childView2, childView3, childView4; beforeEach(function(){ view = new (BaseView.extend({}))(); childView1 = new (Backbone.View.extend({ name: 'child1'}))(); childView2 = new (Backbone.View.extend({ name: 'child2'}))(); childView3 = new (Backbone.View.extend({ name: 'child3'}))(); childView4 = new (Backbone.View.extend({ name: 'child4'}))(); }); it('can have a view added anonymously', function() { expect(view.add(childView1)).toBe(1); function Abc() {} var a = new Abc(); expect(function(){view.add(a);}).toThrow(); }); it('can add view at given position', function() { // TODO: moar tests expect(view.add(childView1, 2)).toBe(3); }); it('can get view from given position', function() { view.add(childView1, 2); expect(typeof view.get(2)).toBe('object'); expect(view.get(5)).toBeUndefined(); }); it('can have multiple views added anonymously with no possition given', function () { view.add([childView1, childView2]); expect(view.size()).toBe(2); view.add([childView3, childView4]); expect(view.size()).toBe(4); expect(view.get(3).name).toBe('child4'); expect(view.get(1).name).toBe('child2'); }); it('can have multiple anonymous views added at given possition', function () { view.add([childView2, childView1]); view.add([childView4, childView3], 1); expect(view.size()).toBe(4); expect(view.get(2).name).toBe('child3'); expect(view.get(3).name).toBe('child1'); }); it('can add view by name', function() { view.add({ "name": childView1 }); expect(view.get("name").name).toBe('child1'); }); it('can have multiple named views added at given possition', function () { view.add([childView4, childView3, childView3]); view.add({"c2": childView2, "c1": childView1}, 2); expect(view.size()).toBe(5); expect(view.get(3).name).toBe('child1'); expect(view.get(1).name).toBe('child3'); expect(view.get(4).name).toBe('child3'); expect(view.get("c2").name).toBe('child2'); }); it('can return a valid position of a view in a collection', function () { view.add([childView4, childView3]); view.add({"c2": childView2, "c1": childView1}, 1); expect(view.getPosition(childView4)).toEqual(0); expect(view.getPosition(childView2)).toEqual(1); expect(view.getPosition(childView1)).toEqual(2); expect(view.getPosition('c1')).toEqual(2); expect(view.getPosition('c2')).toEqual(1); }); it('can return a valid count of views in a collection', function () { view.add([childView1, childView2]); view.add({"c3": childView3}); expect(view.size()).toEqual(3); }); it('can change view position using it\'s name or position', function () { view.add({ 'c1': childView1, 'c2': childView2, 'c3': childView3 }); // move by name view.move('c1', 2); expect(view.getPosition('c1')).toEqual(2); expect(view.getPosition('c2')).toEqual(0); expect(view.getPosition('c3')).toEqual(1); // move by position view.move(1, 2); expect(view.getPosition('c1')).toEqual(1); expect(view.getPosition('c2')).toEqual(0); expect(view.getPosition('c3')).toEqual(2); }); it('can remove view by name from collection', function () { view.add({"c1": childView1}); view.pullOut('c1'); expect(view.size()).toEqual(0); }); it('can remove view by index from collection', function () { view.add({"c1": childView1}); view.pullOut(0); expect(view.size()).toEqual(0); }); it('call dispose method on remove', function () { spyOn(view, 'dispose'); view.remove(); expect(view.dispose).toHaveBeenCalled(); }); it('call custom onDispose method if defined', function () { view.onDispose = function () {}; spyOn(view, 'onDispose'); view.remove(); expect(view.onDispose).toHaveBeenCalled(); }); it('call remove on every child view before remove itself', function () { spyOn(childView1, 'remove'); spyOn(childView2, 'remove'); view.add([childView1, childView2]); view.remove(); expect(childView1.remove).toHaveBeenCalled(); expect(childView2.remove).toHaveBeenCalled(); }); }); describe('(rendering views)', function() { var view, childView1, childView2; beforeEach(function(){ view = new (BaseView.extend({}))(); childView1 = new (BaseView.extend({}))(); childView2 = new (BaseView.extend({}))(); }); it('trigger render on each child view', function () { spyOn(childView1, 'render').and.callThrough(); spyOn(childView2, 'render').and.callThrough(); view.add([childView1, childView2]); view.render(); expect(childView1.render).toHaveBeenCalled(); expect(childView2.render).toHaveBeenCalled(); }); it('if no views are added, use template function for generating HTML', function () { var template = '<a href="http://example.com/">example</a>'; view.template = function () { return template; }; spyOn(view, 'template').and.callThrough(); expect(view.size()).toEqual(0); view.render(); expect(view.template).toHaveBeenCalled(); }); }); }); });
lrodziewicz/backbone-asterisk
test/BaseView.spec.js
JavaScript
mit
6,941
//start drag of element function drag(ev) { ev.dataTransfer.setData("text", ev.target.id); } //allow drop of element function allowDrop(ev) { ev.preventDefault(); } //drag of element function drop(ev) { ev.preventDefault(); var data = ev.dataTransfer.getData("text"); ev.target.appendChild(document.getElementById(data)); } //variable for generating unique task id var randomId = 0; //add a new task function addCard() { var title = document.getElementById('addtask').value; //verifying task description if(title.length>0){ var itm = document.getElementById("item2"); var cln = itm.cloneNode(true); //cloning the card cln.id = "unique" + ++randomId; //generating unique id cln.childNodes[3].innerText = title; //attaching task to to do board document.getElementById('todo').appendChild(cln); } else{ alert("Please Add Task"); } } //Deletion Of task function removeCard(removeCardId){ var cardElement = removeCardId.parentNode.parentNode; cardElement.remove(); }
arpit2126/AGILE-DASHBOARD
main.js
JavaScript
mit
1,098
if (typeof (window) === 'undefined') var loki = require('../../src/lokijs.js'); describe('testing unique index serialization', function () { var db; beforeEach(function () { db = new loki(); users = db.addCollection('users'); users.insert([{ username: 'joe' }, { username: 'jack' }, { username: 'john' }, { username: 'jim' }]); users.ensureUniqueIndex('username'); }); it('should have a unique index', function () { var ser = db.serialize(), reloaded = new loki(); var loaded = reloaded.loadJSON(ser); var coll = reloaded.getCollection('users'); expect(coll.data.length).toEqual(4); expect(coll.constraints.unique.username).toBeDefined(); var joe = coll.by('username', 'joe'); expect(joe).toBeDefined(); expect(joe.username).toEqual('joe'); expect(reloaded.options.serializationMethod).toBe("normal"); expect(reloaded.options.destructureDelimiter).toBe("$<\n"); }); }); describe('testing destructured serialization/deserialization', function () { it('verify default (D) destructuring works as expected', function() { var ddb = new loki("test.db", { serializationMethod: "destructured" }); var coll = ddb.addCollection("testcoll"); coll.insert({ name : "test1", val: 100 }); coll.insert({ name : "test2", val: 101 }); coll.insert({ name : "test3", val: 102 }); var coll2 = ddb.addCollection("another"); coll2.insert({ a: 1, b: 2 }); var destructuredJson = ddb.serialize(); var cddb = new loki("test.db", { serializationMethod: "destructured" }); cddb.loadJSON(destructuredJson); expect(cddb.options.serializationMethod).toEqual("destructured"); expect(cddb.collections.length).toEqual(2); expect(cddb.collections[0].data.length).toEqual(3); expect(cddb.collections[0].data[0].val).toEqual(ddb.collections[0].data[0].val); expect(cddb.collections[1].data.length).toEqual(1); expect(cddb.collections[1].data[0].a).toEqual(ddb.collections[1].data[0].a); }); // Destructuring Formats : // D : one big Delimited string { partitioned: false, delimited : true } // DA : Delimited Array of strings [0] db [1] collection [n] collection { partitioned: true, delimited: true } // NDA : Non-Delimited Array : one iterable array with empty string collection partitions { partitioned: false, delimited: false } // NDAA : Non-Delimited Array with subArrays. db at [0] and collection subarrays at [n] { partitioned: true, delimited : false } it('verify custom destructuring works as expected', function() { var methods = ['D', 'DA', 'NDA', 'NDAA']; var idx, options, result; var cddb, ddb = new loki("test.db"); var coll = ddb.addCollection("testcoll"); coll.insert({ name : "test1", val: 100 }); coll.insert({ name : "test2", val: 101 }); coll.insert({ name : "test3", val: 102 }); var coll2 = ddb.addCollection("another"); coll2.insert({ a: 1, b: 2 }); for(idx=0; idx < methods.length; idx++) { switch (idx) { case 'D' : options = { partitioned: false, delimited : true }; break; case 'DA' : options = { partitioned: true, delimited: true }; break; case 'NDA' : options = { partitioned: false, delimited: false }; break; case 'NDAA' : options = { partitioned: true, delimited : false }; break; default : options = {}; break; } // do custom destructuring result = ddb.serializeDestructured(options); // reinflate from custom destructuring var cddb = new loki("test.db"); var reinflatedDatabase = cddb.deserializeDestructured(result, options); cddb.loadJSONObject(reinflatedDatabase); // assert expectations on reinflated database expect(cddb.collections.length).toEqual(2); expect(cddb.collections[0].data.length).toEqual(3); expect(cddb.collections[0].data[0].val).toEqual(ddb.collections[0].data[0].val); expect(cddb.collections[0].data[0].$loki).toEqual(ddb.collections[0].data[0].$loki); expect(cddb.collections[0].data[2].$loki).toEqual(ddb.collections[0].data[2].$loki); expect(cddb.collections[1].data.length).toEqual(1); expect(cddb.collections[1].data[0].a).toEqual(ddb.collections[1].data[0].a); } }); it('verify individual partitioning works correctly', function() { var idx, options, result; var cddb, ddb = new loki("test.db"); var coll = ddb.addCollection("testcoll"); coll.insert({ name : "test1", val: 100 }); coll.insert({ name : "test2", val: 101 }); coll.insert({ name : "test3", val: 102 }); var coll2 = ddb.addCollection("another"); coll2.insert({ a: 1, b: 2 }); // Verify db alone works correctly using NDAA format result = ddb.serializeDestructured({ partitioned: true, delimited : false, partition: -1 // indicates to get serialized db container only }); var cddb = new loki('test'); cddb.loadJSON(result); expect(cddb.collections.length).toEqual(2); expect(cddb.collections[0].data.length).toEqual(0); expect(cddb.collections[1].data.length).toEqual(0); expect(cddb.collections[0].name).toEqual(ddb.collections[0].name); expect(cddb.collections[1].name).toEqual(ddb.collections[1].name); // Verify collection alone works correctly using NDAA format result = ddb.serializeDestructured({ partitioned: true, delimited : false, partition: 0 // collection [0] only }); // we dont need to test all components of reassembling whole database // so we will just call helper function to deserialize just collection data var data = ddb.deserializeCollection(result, { partitioned: true, delimited : false }); expect(data.length).toEqual(ddb.collections[0].data.length); expect(data[0].val).toEqual(ddb.collections[0].data[0].val); expect(data[1].val).toEqual(ddb.collections[0].data[1].val); expect(data[2].val).toEqual(ddb.collections[0].data[2].val); expect(data[0].$loki).toEqual(ddb.collections[0].data[0].$loki); expect(data[1].$loki).toEqual(ddb.collections[0].data[1].$loki); expect(data[2].$loki).toEqual(ddb.collections[0].data[2].$loki); // Verify collection alone works correctly using DA format (the other partitioned format) result = ddb.serializeDestructured({ partitioned: true, delimited : true, partition: 0 // collection [0] only }); // now reinflate from that interim DA format data = ddb.deserializeCollection(result, { partitioned: true, delimited: true }); expect(data.length).toEqual(ddb.collections[0].data.length); expect(data[0].val).toEqual(ddb.collections[0].data[0].val); expect(data[1].val).toEqual(ddb.collections[0].data[1].val); expect(data[2].val).toEqual(ddb.collections[0].data[2].val); expect(data[0].$loki).toEqual(ddb.collections[0].data[0].$loki); expect(data[1].$loki).toEqual(ddb.collections[0].data[1].$loki); expect(data[2].$loki).toEqual(ddb.collections[0].data[2].$loki); }); }); describe('testing adapter functionality', function () { it('verify basic memory adapter functionality works', function(done) { var idx, options, result; var memAdapter = new loki.LokiMemoryAdapter(); var ddb = new loki("test.db", { adapter: memAdapter }); var coll = ddb.addCollection("testcoll"); coll.insert({ name : "test1", val: 100 }); coll.insert({ name : "test2", val: 101 }); coll.insert({ name : "test3", val: 102 }); var coll2 = ddb.addCollection("another"); coll2.insert({ a: 1, b: 2 }); ddb.saveDatabase(function(err) { expect(memAdapter.hashStore.hasOwnProperty("test.db")).toEqual(true); expect(memAdapter.hashStore["test.db"].savecount).toEqual(1); // although we are mostly using callbacks, memory adapter is essentially synchronous with callbacks var cdb = new loki("test.db", { adapter: memAdapter }); cdb.loadDatabase({}, function() { expect(cdb.collections.length).toEqual(2); expect(cdb.getCollection("testcoll").findOne({name:"test2"}).val).toEqual(101); expect(cdb.collections[0].data.length).toEqual(3); expect(cdb.collections[1].data.length).toEqual(1); done(); }); }); }); it('verify loki deleteDatabase works', function (done) { var memAdapter = new loki.LokiMemoryAdapter({ asyncResponses: true }); var ddb = new loki("test.db", { adapter: memAdapter }); var coll = ddb.addCollection("testcoll"); coll.insert({ name : "test1", val: 100 }); coll.insert({ name : "test2", val: 101 }); coll.insert({ name : "test3", val: 102 }); ddb.saveDatabase(function(err) { expect(memAdapter.hashStore.hasOwnProperty("test.db")).toEqual(true); expect(memAdapter.hashStore["test.db"].savecount).toEqual(1); ddb.deleteDatabase(function(err) { expect(memAdapter.hashStore.hasOwnProperty("test.db")).toEqual(false); done(); }); }); }); it('verify partioning adapter works', function(done) { var mem = new loki.LokiMemoryAdapter(); var adapter = new loki.LokiPartitioningAdapter(mem); var db = new loki('sandbox.db', {adapter: adapter}); // Add a collection to the database var items = db.addCollection('items'); items.insert({ name : 'mjolnir', owner: 'thor', maker: 'dwarves' }); items.insert({ name : 'gungnir', owner: 'odin', maker: 'elves' }); items.insert({ name : 'tyrfing', owner: 'Svafrlami', maker: 'dwarves' }); items.insert({ name : 'draupnir', owner: 'odin', maker: 'elves' }); var another = db.addCollection('another'); var ai = another.insert({ a:1, b:2 }); // make sure maxId was restored correctly over partitioned save/load cycle var itemMaxId = items.maxId; // for purposes of our memory adapter it is pretty much synchronous db.saveDatabase(function(err) { // should have partitioned the data expect(Object.keys(mem.hashStore).length).toEqual(3); expect(mem.hashStore.hasOwnProperty("sandbox.db")).toEqual(true); expect(mem.hashStore.hasOwnProperty("sandbox.db.0")).toEqual(true); expect(mem.hashStore.hasOwnProperty("sandbox.db.1")).toEqual(true); // all partitions should have been saved once each expect(mem.hashStore["sandbox.db"].savecount).toEqual(1); expect(mem.hashStore["sandbox.db.0"].savecount).toEqual(1); expect(mem.hashStore["sandbox.db.1"].savecount).toEqual(1); // so let's go ahead and update one of our collections to make it dirty ai.b = 3; another.update(ai); // and save again to ensure lastsave is different on for db container and that one collection db.saveDatabase(function(err) { // db container always gets saved since we currently have no 'dirty' flag on it to check expect(mem.hashStore["sandbox.db"].savecount).toEqual(2); // we didn't change this expect(mem.hashStore["sandbox.db.0"].savecount).toEqual(1); // we updated this collection so it should have been saved again expect(mem.hashStore["sandbox.db.1"].savecount).toEqual(2); // ok now lets load from it var db2 = new loki('sandbox.db', { adapter: adapter}); db2.loadDatabase({}, function(err) { expect(db2.getCollection("items").maxId).toEqual(itemMaxId); expect(db2.collections.length).toEqual(2); expect(db2.collections[0].data.length).toEqual(4); expect(db2.collections[1].data.length).toEqual(1); expect(db2.getCollection("items").findOne({ name : 'gungnir'}).owner).toEqual("odin"); expect(db2.getCollection("another").findOne({ a: 1}).b).toEqual(3); done(); }); }); }); }); it('verify partioning adapter with paging mode enabled works', function(done) { var mem = new loki.LokiMemoryAdapter(); // we will use an exceptionally low page size (128bytes) to test with small dataset var adapter = new loki.LokiPartitioningAdapter(mem, { paging: true, pageSize: 128}); var db = new loki('sandbox.db', {adapter: adapter}); // Add a collection to the database var items = db.addCollection('items'); items.insert({ name : 'mjolnir', owner: 'thor', maker: 'dwarves' }); items.insert({ name : 'gungnir', owner: 'odin', maker: 'elves' }); var tyr = items.insert({ name : 'tyrfing', owner: 'Svafrlami', maker: 'dwarves' }); items.insert({ name : 'draupnir', owner: 'odin', maker: 'elves' }); var another = db.addCollection('another'); var ai = another.insert({ a:1, b:2 }); // for purposes of our memory adapter it is pretty much synchronous db.saveDatabase(function(err) { // should have partitioned the data expect(Object.keys(mem.hashStore).length).toEqual(4); expect(mem.hashStore.hasOwnProperty("sandbox.db")).toEqual(true); expect(mem.hashStore.hasOwnProperty("sandbox.db.0.0")).toEqual(true); expect(mem.hashStore.hasOwnProperty("sandbox.db.0.1")).toEqual(true); expect(mem.hashStore.hasOwnProperty("sandbox.db.1.0")).toEqual(true); // all partitions should have been saved once each expect(mem.hashStore["sandbox.db"].savecount).toEqual(1); expect(mem.hashStore["sandbox.db.0.0"].savecount).toEqual(1); expect(mem.hashStore["sandbox.db.0.1"].savecount).toEqual(1); expect(mem.hashStore["sandbox.db.1.0"].savecount).toEqual(1); // so let's go ahead and update one of our collections to make it dirty ai.b = 3; another.update(ai); // and save again to ensure lastsave is different on for db container and that one collection db.saveDatabase(function(err) { // db container always gets saved since we currently have no 'dirty' flag on it to check expect(mem.hashStore["sandbox.db"].savecount).toEqual(2); // we didn't change this expect(mem.hashStore["sandbox.db.0.0"].savecount).toEqual(1); expect(mem.hashStore["sandbox.db.0.0"].savecount).toEqual(1); // we updated this collection so it should have been saved again expect(mem.hashStore["sandbox.db.1.0"].savecount).toEqual(2); // now update a multi page items collection and verify both pages were saved tyr.maker = "elves"; items.update(tyr); db.saveDatabase(); expect(mem.hashStore["sandbox.db"].savecount).toEqual(3); expect(mem.hashStore["sandbox.db.0.0"].savecount).toEqual(2); expect(mem.hashStore["sandbox.db.0.0"].savecount).toEqual(2); expect(mem.hashStore["sandbox.db.1.0"].savecount).toEqual(2); // ok now lets load from it var db2 = new loki('sandbox.db', { adapter: adapter}); db2.loadDatabase(); expect(db2.collections.length).toEqual(2); expect(db2.collections[0].data.length).toEqual(4); expect(db2.collections[1].data.length).toEqual(1); expect(db2.getCollection("items").findOne({ name : 'tyrfing'}).maker).toEqual("elves"); expect(db2.getCollection("another").findOne({ a: 1}).b).toEqual(3); // verify empty collection saves with paging db.addCollection("extracoll"); db.saveDatabase(function(err) { expect(mem.hashStore["sandbox.db"].savecount).toEqual(4); expect(mem.hashStore["sandbox.db.0.0"].savecount).toEqual(2); expect(mem.hashStore["sandbox.db.0.0"].savecount).toEqual(2); expect(mem.hashStore["sandbox.db.1.0"].savecount).toEqual(2); expect(mem.hashStore["sandbox.db.2.0"].savecount).toEqual(1); // now verify loading empty collection works with paging codepath db2 = new loki('sandbox.db', { adapter: adapter}); db2.loadDatabase(); expect(db2.collections.length).toEqual(3); expect(db2.collections[0].data.length).toEqual(4); expect(db2.collections[1].data.length).toEqual(1); expect(db2.collections[2].data.length).toEqual(0); }); }); }); setTimeout(done, 700); }); it('verify reference adapters get db reference which is copy and serializable-safe', function(done) { // Current loki functionality with regards to reference mode adapters: // Since we don't use serializeReplacer on reference mode adapters, we make // lightweight clone, cloning only db container and collection containers (object refs are same). function MyFakeReferenceAdapter() { this.mode = "reference" } MyFakeReferenceAdapter.prototype.loadDatabase = function(dbname, callback) { expect(typeof(dbname)).toEqual("string"); expect(typeof(callback)).toEqual("function"); var result = new loki("new db"); var n1 = result.addCollection("n1"); var n2 = result.addCollection("n2"); n1.insert({m: 9, n: 8}); n2.insert({m:7, n:6}); callback(result); }; MyFakeReferenceAdapter.prototype.exportDatabase = function(dbname, dbref, callback) { expect(typeof(dbname)).toEqual("string"); expect(dbref.constructor.name).toEqual("Loki"); expect(typeof(callback)).toEqual("function"); expect(dbref.persistenceAdapter).toEqual(null); expect(dbref.collections.length).toEqual(2); expect(dbref.getCollection("c1").findOne({a:1}).b).toEqual(2); // these changes should not affect original database dbref.filename = "somethingelse"; dbref.collections[0].name = "see1"; // (accidentally?) updating a document should... dbref.collections[0].findOne({a:1}).b=3; }; var adapter = new MyFakeReferenceAdapter(); var db = new loki("rma test", {adapter: adapter}); var c1 = db.addCollection("c1"); var c2 = db.addCollection("c2"); c1.insert({a:1, b:2}); c2.insert({a:3, b:4}); db.saveDatabase(function() { expect(db.persistenceAdapter).toNotEqual(null); expect(db.filename).toEqual("rma test"); expect(db.collections[0].name).toEqual("c1"); expect(db.getCollection("c1").findOne({a:1}).b).toEqual(3); }); var db2 = new loki("other name", { adapter: adapter}); db2.loadDatabase({}, function() { expect(db2.collections.length).toEqual(2); expect(db2.collections[0].name).toEqual("n1"); expect(db2.collections[1].name).toEqual("n2"); expect(db2.getCollection("n1").findOne({m:9}).n).toEqual(8); done(); }); }); }); describe('async adapter tests', function() { it('verify throttled async drain works', function(done) { var mem = new loki.LokiMemoryAdapter({ asyncResponses: true, asyncTimeout: 50 }); var db = new loki('sandbox.db', {adapter: mem, throttledSaves: true}); // Add a collection to the database var items = db.addCollection('items'); var mjol = items.insert({ name : 'mjolnir', owner: 'thor', maker: 'dwarves' }); var gun = items.insert({ name : 'gungnir', owner: 'odin', maker: 'elves' }); var tyr = items.insert({ name : 'tyrfing', owner: 'Svafrlami', maker: 'dwarves' }); var drau = items.insert({ name : 'draupnir', owner: 'odin', maker: 'elves' }); var another = db.addCollection('another'); var ai = another.insert({ a:1, b:2 }); // this should immediately kick off the first save db.saveDatabase(); // the following saves (all async) should coalesce into one save ai.b = 3; another.update(ai); db.saveDatabase(); tyr.owner = "arngrim"; items.update(tyr); db.saveDatabase(); drau.maker = 'dwarves'; items.update(drau); db.saveDatabase(); db.throttledSaveDrain(function () { // Wait until saves are complete and then loading the database and make // sure all saves are complete and includes their changes var db2 = new loki('sandbox.db', { adapter: mem }); db2.loadDatabase({}, function() { // total of 2 saves should have occurred expect(mem.hashStore["sandbox.db"].savecount).toEqual(2); // verify the saved database contains all expected changes expect(db2.getCollection("another").findOne({a:1}).b).toEqual(3); expect(db2.getCollection("items").findOne({name:'tyrfing'}).owner).toEqual('arngrim'); expect(db2.getCollection("items").findOne({name:'draupnir'}).maker).toEqual('dwarves'); done(); }); }); }); it('verify throttledSaveDrain with duration timeout works', function(done) { var mem = new loki.LokiMemoryAdapter({ asyncResponses: true, asyncTimeout: 100 }); var db = new loki('sandbox.db', { adapter: mem }); // Add a collection to the database var items = db.addCollection('items'); var mjol = items.insert({ name : 'mjolnir', owner: 'thor', maker: 'dwarves' }); var gun = items.insert({ name : 'gungnir', owner: 'odin', maker: 'elves' }); var tyr = items.insert({ name : 'tyrfing', owner: 'Svafrlami', maker: 'dwarves' }); var drau = items.insert({ name : 'draupnir', owner: 'odin', maker: 'elves' }); var another = db.addCollection('another'); var ai = another.insert({ a:1, b:2 }); // this should immediately kick off the first save (~100ms) db.saveDatabase(); // now queue up a sequence to be run one after the other, at ~50ms each (~300ms total) when first completes ai.b = 3; another.update(ai); db.saveDatabase(function() { tyr.owner = "arngrim"; items.update(tyr); db.saveDatabase(function() { drau.maker = 'dwarves'; items.update(drau); db.saveDatabase(); }); }); expect(db.throttledSaves).toEqual(true); expect(db.throttledSavePending).toEqual(true); // we want this to fail so above they should be bootstrapping several // saves which take about 400ms to complete. // The full drain can take one save/callback cycle longer than duration (~100ms). db.throttledSaveDrain(function (success) { expect(success).toEqual(false); done(); }, { recursiveWaitLimit: true, recursiveWaitLimitDuration: 200 }); }); it('verify throttled async throttles', function(done) { var mem = new loki.LokiMemoryAdapter({ asyncResponses: true, asyncTimeout: 50 }); var db = new loki('sandbox.db', { adapter: mem }); // Add a collection to the database var items = db.addCollection('items'); var mjol = items.insert({ name : 'mjolnir', owner: 'thor', maker: 'dwarves' }); var gun = items.insert({ name : 'gungnir', owner: 'odin', maker: 'elves' }); var tyr = items.insert({ name : 'tyrfing', owner: 'Svafrlami', maker: 'dwarves' }); var drau = items.insert({ name : 'draupnir', owner: 'odin', maker: 'elves' }); var another = db.addCollection('another'); var ai = another.insert({ a:1, b:2 }); // this should immediately kick off the first save db.saveDatabase(); // the following saves (all async) should coalesce into one save ai.b = 3; another.update(ai); db.saveDatabase(); tyr.owner = "arngrim"; items.update(tyr); db.saveDatabase(); drau.maker = 'dwarves'; items.update(drau); db.saveDatabase(); // give all async saves time to complete and then verify outcome db.throttledSaveDrain(function () { // total of 2 saves should have occurred expect(mem.hashStore["sandbox.db"].savecount).toEqual(2); // verify the saved database contains all expected changes var db2 = new loki('sandbox.db', { adapter: mem }); db2.loadDatabase({}, function() { expect(db2.getCollection("another").findOne({a:1}).b).toEqual(3); expect(db2.getCollection("items").findOne({name:'tyrfing'}).owner).toEqual('arngrim'); expect(db2.getCollection("items").findOne({name:'draupnir'}).maker).toEqual('dwarves'); done(); }); }); }); it('verify throttled async works as expected', function(done) { var mem = new loki.LokiMemoryAdapter({ asyncResponses: true, asyncTimeout: 50 }); var adapter = new loki.LokiPartitioningAdapter(mem); var throttled = true; var db = new loki('sandbox.db', {adapter: adapter, throttledSaves: throttled}); // Add a collection to the database var items = db.addCollection('items'); items.insert({ name : 'mjolnir', owner: 'thor', maker: 'dwarves' }); items.insert({ name : 'gungnir', owner: 'odin', maker: 'elves' }); var tyr = items.insert({ name : 'tyrfing', owner: 'Svafrlami', maker: 'dwarves' }); items.insert({ name : 'draupnir', owner: 'odin', maker: 'elves' }); var another = db.addCollection('another'); var ai = another.insert({ a:1, b:2 }); db.saveDatabase(function(err) { // should have partitioned the data expect(Object.keys(mem.hashStore).length).toEqual(3); expect(mem.hashStore.hasOwnProperty("sandbox.db")).toEqual(true); expect(mem.hashStore.hasOwnProperty("sandbox.db.0")).toEqual(true); expect(mem.hashStore.hasOwnProperty("sandbox.db.1")).toEqual(true); // all partitions should have been saved once each expect(mem.hashStore["sandbox.db"].savecount).toEqual(1); expect(mem.hashStore["sandbox.db.0"].savecount).toEqual(1); expect(mem.hashStore["sandbox.db.1"].savecount).toEqual(1); // so let's go ahead and update one of our collections to make it dirty ai.b = 3; another.update(ai); // and save again to ensure lastsave is different on for db container and that one collection db.saveDatabase(function(err) { // db container always gets saved since we currently have no 'dirty' flag on it to check expect(mem.hashStore["sandbox.db"].savecount).toEqual(2); // we didn't change this expect(mem.hashStore["sandbox.db.0"].savecount).toEqual(1); // we updated this collection so it should have been saved again expect(mem.hashStore["sandbox.db.1"].savecount).toEqual(2); // now update a multi page items collection and verify both pages were saved tyr.maker = "elves"; items.update(tyr); db.saveDatabase(function(err) { expect(mem.hashStore["sandbox.db"].savecount).toEqual(3); expect(mem.hashStore["sandbox.db.0"].savecount).toEqual(2); expect(mem.hashStore["sandbox.db.1"].savecount).toEqual(2); // ok now lets load from it var db2 = new loki('sandbox.db', { adapter: adapter, throttledSaves: throttled}); db2.loadDatabase({}, function(err) { done(); expect(db2.collections.length).toEqual(2); expect(db2.collections[0].data.length).toEqual(4); expect(db2.collections[1].data.length).toEqual(1); expect(db2.getCollection("items").findOne({ name : 'tyrfing'}).maker).toEqual("elves"); expect(db2.getCollection("another").findOne({ a: 1}).b).toEqual(3); // verify empty collection saves with paging db.addCollection("extracoll"); db.saveDatabase(function(err) { expect(mem.hashStore["sandbox.db"].savecount).toEqual(4); expect(mem.hashStore["sandbox.db.0"].savecount).toEqual(2); expect(mem.hashStore["sandbox.db.1"].savecount).toEqual(2); expect(mem.hashStore["sandbox.db.2"].savecount).toEqual(1); // now verify loading empty collection works with paging codepath db2 = new loki('sandbox.db', { adapter: adapter, throttledSaves: throttled}); db2.loadDatabase({}, function() { expect(db2.collections.length).toEqual(3); expect(db2.collections[0].data.length).toEqual(4); expect(db2.collections[1].data.length).toEqual(1); expect(db2.collections[2].data.length).toEqual(0); // since async calls are being used, use jasmine done() to indicate test finished done(); }); }); }); }); }); }); }); it('verify loadDatabase in the middle of throttled saves will wait for queue to drain first', function(done) { var mem = new loki.LokiMemoryAdapter({ asyncResponses: true, asyncTimeout: 75 }); var db = new loki('sandbox.db', { adapter: mem }); // Add a collection to the database var items = db.addCollection('items'); var mjol = items.insert({ name : 'mjolnir', owner: 'thor', maker: 'dwarves' }); var gun = items.insert({ name : 'gungnir', owner: 'odin', maker: 'elves' }); var tyr = items.insert({ name : 'tyrfing', owner: 'Svafrlami', maker: 'dwarves' }); var drau = items.insert({ name : 'draupnir', owner: 'odin', maker: 'elves' }); var another = db.addCollection('another'); var ai = another.insert({ a:1, b:2 }); // this should immediately kick off the first save (~100ms) db.saveDatabase(); // now queue up a sequence to be run one after the other, at ~50ms each (~300ms total) when first completes ai.b = 3; another.update(ai); db.saveDatabase(function() { tyr.owner = "arngrim"; items.update(tyr); db.saveDatabase(function() { drau.maker = 'dwarves'; items.update(drau); db.saveDatabase(); }); }); expect(db.throttledSaves).toEqual(true); expect(db.throttledSavePending).toEqual(true); // at this point, several rounds of saves should be triggered... // a load at this scope (possibly simulating script run from different code path) // should wait until any pending saves are complete, then freeze saves (queue them ) while loading, // then re-enable saves db.loadDatabase({}, function (success) { expect(db.getCollection('another').findOne({a:1}).b).toEqual(3); expect(db.getCollection('items').findOne({name:'tyrfing'}).owner).toEqual('arngrim'); expect(db.getCollection('items').findOne({name:'draupnir'}).maker).toEqual('dwarves'); done(); }); }); }); describe('testing changesAPI', function() { it('verify pending changes persist across save/load cycle', function(done) { var mem = new loki.LokiMemoryAdapter(); var db = new loki('sandbox.db', { adapter: mem }); // Add a collection to the database var items = db.addCollection('items', { disableChangesApi: false }); // Add some documents to the collection items.insert({ name : 'mjolnir', owner: 'thor', maker: 'dwarves' }); items.insert({ name : 'gungnir', owner: 'odin', maker: 'elves' }); items.insert({ name : 'tyrfing', owner: 'Svafrlami', maker: 'dwarves' }); items.insert({ name : 'draupnir', owner: 'odin', maker: 'elves' }); // Find and update an existing document var tyrfing = items.findOne({'name': 'tyrfing'}); tyrfing.owner = 'arngrim'; items.update(tyrfing); // memory adapter is synchronous so i will not bother with callbacks db.saveDatabase(function(err) { var db2 = new loki('sandbox.db', { adapter: mem }); db2.loadDatabase({}); var result = JSON.parse(db2.serializeChanges()); expect(result.length).toEqual(5); expect(result[0].name).toEqual("items"); expect(result[0].operation).toEqual("I"); expect(result[0].obj.name).toEqual("mjolnir"); expect(result[4].name).toEqual("items"); expect(result[4].operation).toEqual("U"); expect(result[4].obj.name).toEqual("tyrfing"); done(); }); }); });
VladimirTechMan/LokiJS
spec/generic/persistence.spec.js
JavaScript
mit
31,627
/** * Description : This is a test suite that tests an LRS endpoint based on the testing requirements document * found at https://github.com/adlnet/xAPI_LRS_Test/blob/master/TestingRequirements.md * * https://github.com/adlnet/xAPI_LRS_Test/blob/master/TestingRequirements.md * */ (function (module) { "use strict"; // defines overwriting data var INVALID_DATE = '01/011/2015'; var INVALID_NUMERIC = 12345; var INVALID_OBJECT = {key: 'should fail'}; var INVALID_STRING = 'should fail'; var INVALID_UUID_TOO_MANY_DIGITS = 'AA97B177-9383-4934-8543-0F91A7A028368'; var INVALID_UUID_INVALID_LETTER = 'MA97B177-9383-4934-8543-0F91A7A02836'; var INVALID_VERSION_0_9_9 = '0.9.9'; var INVALID_VERSION_1_1_0 = '1.1.0'; var VALID_EXTENSION = {extensions: {'http://example.com/null': null}}; var VALID_VERSION_1_0 = '1.0'; var VALID_VERSION_1_0_9 = '1.0.9'; // configures tests module.exports.config = function () { return [ { name: 'Statements Verify Templates', config: [ { name: 'should pass statement template', templates: [ {statement: '{{statements.default}}'}, {timestamp: '2013-05-18T05:32:34.804Z'} ], expect: [200] } ] }, { name: 'A Statement contains an "actor" property (Multiplicity, 4.1.b)', config: [ { name: 'statement "actor" missing', templates: [ {statement: '{{statements.no_actor}}'} ], expect: [400] } ] }, { name: 'A Statement contains a "verb" property (Multiplicity, 4.1.b)', config: [ { name: 'statement "verb" missing', templates: [ {statement: '{{statements.no_verb}}'} ], expect: [400] } ] }, { name: 'A Statement contains an "object" property (Multiplicity, 4.1.b)', config: [ { name: 'statement "object" missing', templates: [ {statement: '{{statements.no_object}}'} ], expect: [400] } ] }, { name: 'A Statement\'s "id" property is a String (Type, 4.1.1.description.a)', config: [ { name: 'statement "id" invalid numeric', templates: [ {statement: '{{statements.default}}'}, {id: INVALID_NUMERIC} ], expect: [400] }, { name: 'statement "id" invalid object', templates: [ {statement: '{{statements.default}}'}, {id: INVALID_OBJECT} ], expect: [400] } ] }, { name: 'A Statement\'s "id" property is a UUID following RFC 4122 (Syntax, RFC 4122)', config: [ { name: 'statement "id" invalid UUID with too many digits', templates: [ {statement: '{{statements.default}}'}, {id: INVALID_UUID_TOO_MANY_DIGITS} ], expect: [400] }, { name: 'statement "id" invalid UUID with non A-F', templates: [ {statement: '{{statements.default}}'}, {id: INVALID_UUID_INVALID_LETTER} ], expect: [400] } ] }, { name: 'A TimeStamp is defined as a Date/Time formatted according to ISO 8601 (Format, ISO8601)', config: [ { name: 'statement "template" invalid string', templates: [ {statement: '{{statements.default}}'}, {timestamp: INVALID_STRING} ], expect: [400] }, { name: 'statement "template" invalid date', templates: [ {statement: '{{statements.default}}'}, {timestamp: INVALID_DATE} ], expect: [400] } ] }, { name: 'A "timestamp" property is a TimeStamp (Type, 4.1.2.1.table1.row7.a, 4.1.2.1.table1.row7.b)', config: [ { name: 'statement "template" invalid string', templates: [ {statement: '{{statements.default}}'}, {timestamp: INVALID_STRING} ], expect: [400] }, { name: 'statement "template" invalid date', templates: [ {statement: '{{statements.default}}'}, {timestamp: INVALID_DATE} ], expect: [400] } ] }, { name: 'A "stored" property is a TimeStamp (Type, 4.1.2.1.table1.row8.a, 4.1.2.1.table1.row8.b)', config: [ { name: 'statement "stored" invalid string', templates: [ {statement: '{{statements.default}}'}, {stored: INVALID_STRING} ], expect: [400] }, { name: 'statement "stored" invalid date', templates: [ {statement: '{{statements.default}}'}, {stored: INVALID_DATE} ], expect: [400] } ] }, { name: 'A "version" property enters the LRS with the value of "1.0.0" or is not used (Vocabulary, 4.1.10.e, 4.1.10.f)', config: [ { name: 'statement "version" invalid string', templates: [ {statement: '{{statements.default}}'}, {version: INVALID_STRING} ], expect: [400] }, { name: 'statement "version" invalid', templates: [ {statement: '{{statements.default}}'}, {version: INVALID_VERSION_0_9_9} ], expect: [400] } ] }, { name: 'An LRS rejects with error code 400 Bad Request any Statement having a property whose value is set to "null", except in an "extensions" property (4.1.12.d.a)', config: [ { name: 'statement actor should fail on "null"', templates: [ {statement: '{{statements.actor}}'}, {actor: '{{agents.mbox}}'}, {name: null} ], expect: [400] }, { name: 'statement verb should fail on "null"', templates: [ {statement: '{{statements.verb}}'}, {verb: '{{verbs.default}}'}, {display: {'en-US': null}} ], expect: [400] }, { name: 'statement context should fail on "null"', templates: [ {statement: '{{statements.context}}'}, {context: '{{contexts.default}}'}, {registration: null} ], expect: [400] }, { name: 'statement object should fail on "null"', templates: [ {statement: '{{statements.object_activity}}'}, {object: '{{activities.default}}'}, {definition: {moreInfo: null}} ], expect: [400] }, { name: 'statement activity extensions can be empty', templates: [ {statement: '{{statements.object_activity}}'}, {object: '{{activities.no_extensions}}'}, {definition: VALID_EXTENSION} ], expect: [200] }, { name: 'statement result extensions can be empty', templates: [ {statement: '{{statements.result}}'}, {result: '{{results.no_extensions}}'}, VALID_EXTENSION ], expect: [200] }, { name: 'statement context extensions can be empty', templates: [ {statement: '{{statements.context}}'}, {context: '{{contexts.no_extensions}}'}, VALID_EXTENSION ], expect: [200] }, { name: 'statement substatement activity extensions can be empty', templates: [ {statement: '{{statements.object_substatement}}'}, {object: '{{substatements.activity}}'}, {object: '{{activities.no_extensions}}'}, {definition: VALID_EXTENSION} ], expect: [200] }, { name: 'statement substatement result extensions can be empty', templates: [ {statement: '{{statements.object_substatement}}'}, {object: '{{substatements.result}}'}, {result: '{{results.no_extensions}}'}, VALID_EXTENSION ], expect: [200] }, { name: 'statement substatement context extensions can be empty', templates: [ {statement: '{{statements.object_substatement}}'}, {object: '{{substatements.context}}'}, {context: '{{contexts.no_extensions}}'}, VALID_EXTENSION ], expect: [200] } ] }, { name: 'An LRS rejects with error code 400 Bad Request, a Request which uses "version" and has the value set to anything but "1.0" or "1.0.x", where x is the semantic versioning number (Format, 4.1.10.b, 6.2.c, 6.2.f)', config: [ { name: 'statement "version" valid 1.0', templates: [ {statement: '{{statements.default}}'}, {version: VALID_VERSION_1_0} ], expect: [200] }, { name: 'statement "version" valid 1.0.9', templates: [ {statement: '{{statements.default}}'}, {version: VALID_VERSION_1_0_9} ], expect: [200] }, { name: 'statement "version" invalid 0.9.9', templates: [ {statement: '{{statements.default}}'}, {version: INVALID_VERSION_0_9_9} ], expect: [400] }, { name: 'statement "version" invalid 1.1.0', templates: [ {statement: '{{statements.default}}'}, {version: INVALID_VERSION_1_1_0} ], expect: [400] } ] }, { name: 'An LRS rejects with error code 400 Bad Request, a Request which the "X-Experience-API-Version" header\'s value is anything but "1.0" or "1.0.x", where x is the semantic versioning number to any API except the About API (Format, 6.2.d, 6.2.e, 6.2.f, 7.7.f)', config: [ { name: 'statement "version" valid 1.0', templates: [ {statement: '{{statements.default}}'}, {version: VALID_VERSION_1_0} ], expect: [200] }, { name: 'statement "version" valid 1.0.9', templates: [ {statement: '{{statements.default}}'}, {version: VALID_VERSION_1_0_9} ], expect: [200] }, { name: 'statement "version" invalid 0.9.9', templates: [ {statement: '{{statements.default}}'}, {version: INVALID_VERSION_0_9_9} ], expect: [400] }, { name: 'statement "version" invalid 1.1.0', templates: [ {statement: '{{statements.default}}'}, {version: INVALID_VERSION_1_1_0} ], expect: [400] } ] }, { name: 'An LRS rejects with error code 400 Bad Request any Statement violating a Statement Requirement. (4.1.12, Varies)', config: [ { name: 'statement "actor" missing reply 400', templates: [ {statement: '{{statements.no_actor}}'} ], expect: [400] }, { name: 'statement "verb" missing reply 400', templates: [ {statement: '{{statements.no_verb}}'} ], expect: [400] }, { name: 'statement "object" missing reply 400', templates: [ {statement: '{{statements.no_object}}'} ], expect: [400] } ] } ]; }; }(module));
cr8onski/lrs-conformance-test-suite
test/v1_0_2/configs/statements.js
JavaScript
mit
16,935
class ArrowSprite extends Phaser.Sprite { constructor(game, x, y) { super(game, x, y, 'arrow'); this.game.stage.addChild(this); this.scale.set(0.2); this.alpha = 0.2; this.anchor.setTo(0.5, 1.3); this.animations.add('rotate', [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13], 30, true); this.animations.play('rotate', 30, true); this.currentlyControlling = 'player'; } updatePosition(playerObject, wormObject) { this.x = this.currentlyControlling === 'player' ? playerObject.x : wormObject.x; this.x -= this.game.camera.x; // Shift with camera position this.y = this.currentlyControlling === 'player' ? playerObject.y : wormObject.y; let playerHoldsOn = this.currentlyControlling === 'player' && playerObject.body.velocity.x === 0; let wormHoldsOn = this.currentlyControlling === 'worm' && wormObject.body.velocity.x === 0 && wormObject.body.velocity.y === 0; if (playerHoldsOn || wormHoldsOn) { this.scale.set(0.8); this.anchor.setTo(0.5, 1); } else { this.anchor.setTo(0.5, 1.3); this.scale.set(0.2); } } // Note: 'this' here is context from Main! static switchPlayer () { if (this.tabButton.arrow.currentlyControlling === 'player') { this.tabButton.arrow.currentlyControlling = 'worm'; this.game.camera.follow(this.wormObject); } else { this.tabButton.arrow.currentlyControlling = 'player'; this.game.camera.follow(this.playerObject); } } } export default ArrowSprite;
babruix/alien_worm_game
src/objects/Arrow.js
JavaScript
mit
1,556
var _for = require ('../index'); var should = require ('should'); describe ('passing data', function () { it ('should call the loop with the passed data', function (done) { var results = ''; var loop = _for ( 0, function (i) { return i < 2; }, function (i) { return i + 1; }, function (i, _break, _continue, data) { results = results + i + data; _continue (); }); loop ('a', function () { loop ('b', function () { loop ('c', function (data) { should.not.exist (data); results.should.eql('0a1a0b1b0c1c'); done (); }); }); }); }); it ('should work when making a loop with two arguments', function (done) { var results = ''; var loop = _for (2, function (i, _break, _continue, data) { results = results + i + data; _continue (); }); loop ('a', function () { loop ('b', function () { loop ('c', function (data) { should.not.exist (data); results.should.eql('0a1a0b1b0c1c'); done (); }); }); }); }); });
JosephJNK/async-for
tests/data.tests.js
JavaScript
mit
1,126
/** * @fileoverview A rule to suggest using of const declaration for variables that are never reassigned after declared. * @author Toru Nagashima */ "use strict"; const astUtils = require("../util/ast-utils"); //------------------------------------------------------------------------------ // Helpers //------------------------------------------------------------------------------ const PATTERN_TYPE = /^(?:.+?Pattern|RestElement|SpreadProperty|ExperimentalRestProperty|Property)$/; const DECLARATION_HOST_TYPE = /^(?:Program|BlockStatement|SwitchCase)$/; const DESTRUCTURING_HOST_TYPE = /^(?:VariableDeclarator|AssignmentExpression)$/; /** * Checks whether a given node is located at `ForStatement.init` or not. * * @param {ASTNode} node - A node to check. * @returns {boolean} `true` if the node is located at `ForStatement.init`. */ function isInitOfForStatement(node) { return node.parent.type === "ForStatement" && node.parent.init === node; } /** * Checks whether a given Identifier node becomes a VariableDeclaration or not. * * @param {ASTNode} identifier - An Identifier node to check. * @returns {boolean} `true` if the node can become a VariableDeclaration. */ function canBecomeVariableDeclaration(identifier) { let node = identifier.parent; while (PATTERN_TYPE.test(node.type)) { node = node.parent; } return ( node.type === "VariableDeclarator" || ( node.type === "AssignmentExpression" && node.parent.type === "ExpressionStatement" && DECLARATION_HOST_TYPE.test(node.parent.parent.type) ) ); } /** * Checks if an property or element is from outer scope or function parameters * in destructing pattern. * * @param {string} name - A variable name to be checked. * @param {eslint-scope.Scope} initScope - A scope to start find. * @returns {boolean} Indicates if the variable is from outer scope or function parameters. */ function isOuterVariableInDestructing(name, initScope) { if (initScope.through.find(ref => ref.resolved && ref.resolved.name === name)) { return true; } const variable = astUtils.getVariableByName(initScope, name); if (variable !== null) { return variable.defs.some(def => def.type === "Parameter"); } return false; } /** * Gets the VariableDeclarator/AssignmentExpression node that a given reference * belongs to. * This is used to detect a mix of reassigned and never reassigned in a * destructuring. * * @param {eslint-scope.Reference} reference - A reference to get. * @returns {ASTNode|null} A VariableDeclarator/AssignmentExpression node or * null. */ function getDestructuringHost(reference) { if (!reference.isWrite()) { return null; } let node = reference.identifier.parent; while (PATTERN_TYPE.test(node.type)) { node = node.parent; } if (!DESTRUCTURING_HOST_TYPE.test(node.type)) { return null; } return node; } /** * Determines if a destructuring assignment node contains * any MemberExpression nodes. This is used to determine if a * variable that is only written once using destructuring can be * safely converted into a const declaration. * @param {ASTNode} node The ObjectPattern or ArrayPattern node to check. * @returns {boolean} True if the destructuring pattern contains * a MemberExpression, false if not. */ function hasMemberExpressionAssignment(node) { switch (node.type) { case "ObjectPattern": return node.properties.some(prop => { if (prop) { /* * Spread elements have an argument property while * others have a value property. Because different * parsers use different node types for spread elements, * we just check if there is an argument property. */ return hasMemberExpressionAssignment(prop.argument || prop.value); } return false; }); case "ArrayPattern": return node.elements.some(element => { if (element) { return hasMemberExpressionAssignment(element); } return false; }); case "AssignmentPattern": return hasMemberExpressionAssignment(node.left); case "MemberExpression": return true; // no default } return false; } /** * Gets an identifier node of a given variable. * * If the initialization exists or one or more reading references exist before * the first assignment, the identifier node is the node of the declaration. * Otherwise, the identifier node is the node of the first assignment. * * If the variable should not change to const, this function returns null. * - If the variable is reassigned. * - If the variable is never initialized nor assigned. * - If the variable is initialized in a different scope from the declaration. * - If the unique assignment of the variable cannot change to a declaration. * e.g. `if (a) b = 1` / `return (b = 1)` * - If the variable is declared in the global scope and `eslintUsed` is `true`. * `/*exported foo` directive comment makes such variables. This rule does not * warn such variables because this rule cannot distinguish whether the * exported variables are reassigned or not. * * @param {eslint-scope.Variable} variable - A variable to get. * @param {boolean} ignoreReadBeforeAssign - * The value of `ignoreReadBeforeAssign` option. * @returns {ASTNode|null} * An Identifier node if the variable should change to const. * Otherwise, null. */ function getIdentifierIfShouldBeConst(variable, ignoreReadBeforeAssign) { if (variable.eslintUsed && variable.scope.type === "global") { return null; } // Finds the unique WriteReference. let writer = null; let isReadBeforeInit = false; const references = variable.references; for (let i = 0; i < references.length; ++i) { const reference = references[i]; if (reference.isWrite()) { const isReassigned = ( writer !== null && writer.identifier !== reference.identifier ); if (isReassigned) { return null; } const destructuringHost = getDestructuringHost(reference); if (destructuringHost !== null && destructuringHost.left !== void 0) { const leftNode = destructuringHost.left; let hasOuterVariables = false, hasNonIdentifiers = false; if (leftNode.type === "ObjectPattern") { const properties = leftNode.properties; hasOuterVariables = properties .filter(prop => prop.value) .map(prop => prop.value.name) .some(name => isOuterVariableInDestructing(name, variable.scope)); hasNonIdentifiers = hasMemberExpressionAssignment(leftNode); } else if (leftNode.type === "ArrayPattern") { const elements = leftNode.elements; hasOuterVariables = elements .map(element => element && element.name) .some(name => isOuterVariableInDestructing(name, variable.scope)); hasNonIdentifiers = hasMemberExpressionAssignment(leftNode); } if (hasOuterVariables || hasNonIdentifiers) { return null; } } writer = reference; } else if (reference.isRead() && writer === null) { if (ignoreReadBeforeAssign) { return null; } isReadBeforeInit = true; } } /* * If the assignment is from a different scope, ignore it. * If the assignment cannot change to a declaration, ignore it. */ const shouldBeConst = ( writer !== null && writer.from === variable.scope && canBecomeVariableDeclaration(writer.identifier) ); if (!shouldBeConst) { return null; } if (isReadBeforeInit) { return variable.defs[0].name; } return writer.identifier; } /** * Groups by the VariableDeclarator/AssignmentExpression node that each * reference of given variables belongs to. * This is used to detect a mix of reassigned and never reassigned in a * destructuring. * * @param {eslint-scope.Variable[]} variables - Variables to group by destructuring. * @param {boolean} ignoreReadBeforeAssign - * The value of `ignoreReadBeforeAssign` option. * @returns {Map<ASTNode, ASTNode[]>} Grouped identifier nodes. */ function groupByDestructuring(variables, ignoreReadBeforeAssign) { const identifierMap = new Map(); for (let i = 0; i < variables.length; ++i) { const variable = variables[i]; const references = variable.references; const identifier = getIdentifierIfShouldBeConst(variable, ignoreReadBeforeAssign); let prevId = null; for (let j = 0; j < references.length; ++j) { const reference = references[j]; const id = reference.identifier; /* * Avoid counting a reference twice or more for default values of * destructuring. */ if (id === prevId) { continue; } prevId = id; // Add the identifier node into the destructuring group. const group = getDestructuringHost(reference); if (group) { if (identifierMap.has(group)) { identifierMap.get(group).push(identifier); } else { identifierMap.set(group, [identifier]); } } } } return identifierMap; } /** * Finds the nearest parent of node with a given type. * * @param {ASTNode} node – The node to search from. * @param {string} type – The type field of the parent node. * @param {Function} shouldStop – a predicate that returns true if the traversal should stop, and false otherwise. * @returns {ASTNode} The closest ancestor with the specified type; null if no such ancestor exists. */ function findUp(node, type, shouldStop) { if (!node || shouldStop(node)) { return null; } if (node.type === type) { return node; } return findUp(node.parent, type, shouldStop); } //------------------------------------------------------------------------------ // Rule Definition //------------------------------------------------------------------------------ module.exports = { meta: { type: "suggestion", docs: { description: "require `const` declarations for variables that are never reassigned after declared", category: "ECMAScript 6", recommended: false, url: "https://eslint.org/docs/rules/prefer-const" }, fixable: "code", schema: [ { type: "object", properties: { destructuring: { enum: ["any", "all"] }, ignoreReadBeforeAssign: { type: "boolean" } }, additionalProperties: false } ] }, create(context) { const options = context.options[0] || {}; const sourceCode = context.getSourceCode(); const shouldMatchAnyDestructuredVariable = options.destructuring !== "all"; const ignoreReadBeforeAssign = options.ignoreReadBeforeAssign === true; const variables = []; let reportCount = 0; let name = ""; /** * Reports given identifier nodes if all of the nodes should be declared * as const. * * The argument 'nodes' is an array of Identifier nodes. * This node is the result of 'getIdentifierIfShouldBeConst()', so it's * nullable. In simple declaration or assignment cases, the length of * the array is 1. In destructuring cases, the length of the array can * be 2 or more. * * @param {(eslint-scope.Reference|null)[]} nodes - * References which are grouped by destructuring to report. * @returns {void} */ function checkGroup(nodes) { const nodesToReport = nodes.filter(Boolean); if (nodes.length && (shouldMatchAnyDestructuredVariable || nodesToReport.length === nodes.length)) { const varDeclParent = findUp(nodes[0], "VariableDeclaration", parentNode => parentNode.type.endsWith("Statement")); const isVarDecParentNull = varDeclParent === null; if (!isVarDecParentNull && varDeclParent.declarations.length > 0) { const firstDeclaration = varDeclParent.declarations[0]; if (firstDeclaration.init) { const firstDecParent = firstDeclaration.init.parent; /* * First we check the declaration type and then depending on * if the type is a "VariableDeclarator" or its an "ObjectPattern" * we compare the name from the first identifier, if the names are different * we assign the new name and reset the count of reportCount and nodeCount in * order to check each block for the number of reported errors and base our fix * based on comparing nodes.length and nodesToReport.length. */ if (firstDecParent.type === "VariableDeclarator") { if (firstDecParent.id.name !== name) { name = firstDecParent.id.name; reportCount = 0; } if (firstDecParent.id.type === "ObjectPattern") { if (firstDecParent.init.name !== name) { name = firstDecParent.init.name; reportCount = 0; } } } } } let shouldFix = varDeclParent && // Don't do a fix unless the variable is initialized (or it's in a for-in or for-of loop) (varDeclParent.parent.type === "ForInStatement" || varDeclParent.parent.type === "ForOfStatement" || varDeclParent.declarations[0].init) && /* * If options.destructuring is "all", then this warning will not occur unless * every assignment in the destructuring should be const. In that case, it's safe * to apply the fix. */ nodesToReport.length === nodes.length; if (!isVarDecParentNull && varDeclParent.declarations && varDeclParent.declarations.length !== 1) { if (varDeclParent && varDeclParent.declarations && varDeclParent.declarations.length >= 1) { /* * Add nodesToReport.length to a count, then comparing the count to the length * of the declarations in the current block. */ reportCount += nodesToReport.length; shouldFix = shouldFix && (reportCount === varDeclParent.declarations.length); } } nodesToReport.forEach(node => { context.report({ node, message: "'{{name}}' is never reassigned. Use 'const' instead.", data: node, fix: shouldFix ? fixer => fixer.replaceText(sourceCode.getFirstToken(varDeclParent), "const") : null }); }); } } return { "Program:exit"() { groupByDestructuring(variables, ignoreReadBeforeAssign).forEach(checkGroup); }, VariableDeclaration(node) { if (node.kind === "let" && !isInitOfForStatement(node)) { variables.push(...context.getDeclaredVariables(node)); } } }; } };
Aladdin-ADD/eslint
lib/rules/prefer-const.js
JavaScript
mit
16,721
Template.SightingsEdit.helpers({ onDelete: function () { return function (result) { //when record is deleted, go back to record listing Router.go('SightingsList'); }; }, }); Template.SightingsEdit.events({ }); Template.SightingsEdit.rendered = function () { }; AutoForm.hooks({ updateSightingsForm: { onSuccess: function (operation, result, template) { Router.go('SightingsView', { _id: template.data.doc._id }); }, } });
bdunnette/meleagris
client/views/sightings/sightingsEdit.js
JavaScript
mit
482
;(function() { 'use strict'; const nodemailer = require('nodemailer'); const htmlToText = require('nodemailer-html-to-text').htmlToText; module.exports = Extension => class Mailer extends Extension { _constructor() { this.send.context = Extension.ROUTER; } send(ctx) { let subject = ctx.arg('subject'); let formKeys = Object.keys(ctx.body) .filter(key => key.startsWith(ctx.arg('prefix'))) .reduce((map, key) => map.set(key.slice(ctx.arg('prefix').length), ctx.body[key]), new Map()); formKeys.forEach((key, value) => subject = subject.replace(`{${key}}`, value)); let content = ctx.render(formKeys); let transporter = nodemailer.createTransport(); transporter.use('compile', htmlToText()); ctx.logger.log(ctx.logger.debug, 'sending mail...'); transporter.sendMail({ from: ctx.arg('from'), to: ctx.arg('to'), subject: subject, html: content }, function(err, info) { if (err) { ctx.logger.log(ctx.logger.error, 'can\'t send mail: {0}', err); } else { ctx.logger.log(ctx.logger.info, 'mail sent: {0}', info.response); } ctx.set('status', err); return ctx.success(); }); } } })();
xabinapal/verlag
extensions/mailer.js
JavaScript
mit
1,288
import {bindable} from 'aurelia-framework'; export class SideBarLeft { @bindable router; @bindable layoutCnf = {}; }
hoalongntc/aurelia-material
src/components/layout/sidebar-left.js
JavaScript
mit
122
/** * @depends nothing * @name core.array * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * Remove a element, or a set of elements from an array * @version 1.0.0 * @date June 30, 2010 * @copyright John Resig * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.remove = function(from, to) { var rest = this.slice((to || from) + 1 || this.length); this.length = from < 0 ? this.length + from : from; return this.push.apply(this, rest); }; /** * Get a element from an array at [index] * if [current] is set, then set this index as the current index (we don't care if it doesn't exist) * @version 1.0.1 * @date July 09, 2010 * @since 1.0.0 June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.get = function(index, current) { // Determine if ( index === 'first' ) { index = 0; } else if ( index === 'last' ) { index = this.length-1; } else if ( index === 'prev' ) { index = this.index-1; } else if ( index === 'next' ) { index = this.index+1; } else if ( !index && index !== 0 ) { index = this.index; } // Set current? if ( current||false !== false ) { this.setIndex(index); } // Return return this.exists(index) ? this[index] : undefined; }; /** * Apply the function {handler} to each element in the array * Return false in the {handler} to break the cycle. * @param {Function} handler * @version 1.0.1 * @date August 20, 2010 * @since June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.each = function(handler){ for (var i = 0; i < this.length; ++i) { var value = this[i]; if ( handler.apply(value,[i,value]) === false ) { break; } } return this; } /** * Checks whether the index is a valid index * @version 1.0.0 * @date July 09, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.validIndex = function(index){ return index >= 0 && index < this.length; }; /** * Set the current index of the array * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.setIndex = function(index){ if ( this.validIndex(index) ) { this.index = index; } else { this.index = null; } return this; }; /** * Get the current index of the array * If [index] is passed then set that as the current, and return it's value * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.current = function(index){ return this.get(index, true); }; /** * Get whether or not the array is empty * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.isEmpty = function(){ return this.length === 0; }; /** * Get whether or not the array has only one item * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.isSingle = function(){ return this.length === 1; }; /** * Get whether or not the array is not empty * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.isNotEmpty = function(){ return this.length !== 0; }; /** * Get whether or not the array has more than one item * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.isNotEmpty = function(){ return this.length > 1; }; /** * Get whether or not the current index is the last one * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.isLast = function(index){ index = typeof index === 'undefined' ? this.index : index; return !this.isEmpty() && index === this.length-1; } /** * Get whether or not the current index is the first one * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.isFirst = function(index){ index = typeof index === 'undefined' ? this.index : index; return !this.isEmpty() && index === 0; } /** * Clear the array * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.clear = function(){ this.length = 0; }; /** * Set the index as the next one, and get the item * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.next = function(update){ return this.get(this.index+1, update); }; /** * Set the index as the previous one, and get the item * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.prev = function(update){ return this.get(this.index-1, update); }; /** * Reset the index * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.reset = function(){ this.index = null; return this; }; /** * Set the [index] to the [item] * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.set = function(index, item){ // We want to set the item if ( index < this.length && index >= 0 ) { this[index] = item; } else { throw new Error('Array.prototype.set: [index] above this.length'); // return false; } return this; }; /** * Set the index as the next item, and return it. * If we reach the end, then start back at the beginning. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.loop = function(){ if ( !this.index && this.index !== 0 ) { // index is not a valid value return this.current(0); } return this.next(); }; /** * Add the [arguments] to the array * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.add = function(){ this.push.apply(this,arguments); return this; }; /** * Insert the [item] at the [index] or at the end of the array * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.insert = function(index, item){ if ( typeof index !== 'number' ) { index = this.length; } index = index<=this.length ? index : this.length; var rest = this.slice(index); this.length = index; this.push(item); this.push.apply(this, rest); return this; }; /** * Get whether or not the index exists in the array * @version 1.0.0 * @date July 09, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.exists = Array.prototype.exists || function(index){ return typeof this[index] !== 'undefined'; }; /** * Get whether or not the value exists in the array * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Array.prototype.has = Array.prototype.has || function(value){ var has = false; for ( var i=0, n=this.length; i<n; ++i ) { if ( value == this[i] ) { has = true; break; } } return has; }; /** * @depends nothing * @name core.console * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * Console Emulator * We have to convert arguments into arrays, and do this explicitly as webkit (chrome) hates function references, and arguments cannot be passed as is * @version 1.0.3 * @date August 31, 2010 * @since 0.1.0-dev, December 01, 2009 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ // Check to see if console exists, if not define it if ( typeof window.console === 'undefined' ) { window.console = {}; } // Check to see if we have emulated the console yet if ( typeof window.console.emulated === 'undefined' ) { // Emulate Log if ( typeof window.console.log === 'function' ) { window.console.hasLog = true; } else { if ( typeof window.console.log === 'undefined' ) { window.console.log = function(){}; } window.console.hasLog = false; } // Emulate Debug if ( typeof window.console.debug === 'function' ) { window.console.hasDebug = true; } else { if ( typeof window.console.debug === 'undefined' ) { window.console.debug = !window.console.hasLog ? function(){} : function(){ var arr = ['console.debug:']; for(var i = 0; i < arguments.length; i++) { arr.push(arguments[i]); }; window.console.log.apply(window.console, arr); }; } window.console.hasDebug = false; } // Emulate Warn if ( typeof window.console.warn === 'function' ) { window.console.hasWarn = true; } else { if ( typeof window.console.warn === 'undefined' ) { window.console.warn = !window.console.hasLog ? function(){} : function(){ var arr = ['console.warn:']; for(var i = 0; i < arguments.length; i++) { arr.push(arguments[i]); }; window.console.log.apply(window.console, arr); }; } window.console.hasWarn = false; } // Emulate Error if ( typeof window.console.error === 'function' ) { window.console.hasError = true; } else { if ( typeof window.console.error === 'undefined' ) { window.console.error = function(){ var msg = "An error has occured."; // Log if ( window.console.hasLog ) { var arr = ['console.error:']; for(var i = 0; i < arguments.length; i++) { arr.push(arguments[i]); }; window.console.log.apply(window.console, arr); // Adjust Message msg = 'An error has occured. More information is available in your browser\'s javascript console.' } // Prepare Arguments for ( var i = 0; i < arguments.length; ++i ) { if ( typeof arguments[i] !== 'string' ) { break; } msg += "\n"+arguments[i]; } // Throw Error if ( typeof Error !== 'undefined' ) { throw new Error(msg); } else { throw(msg); } }; } window.console.hasError = false; } // Emulate Trace if ( typeof window.console.trace === 'function' ) { window.console.hasTrace = true; } else { if ( typeof window.console.trace === 'undefined' ) { window.console.trace = function(){ window.console.error('console.trace does not exist'); }; } window.console.hasTrace = false; } // Done window.console.emulated = true; } /** * @depends nothing * @name core.date * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * Apply the Datetime string to the current Date object * Datetime string in the format of "year month day hour min sec". "hour min sec" all optional. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Date.prototype.setDatetimestr = Date.prototype.setDatetimestr || function(timestamp){ // Set the datetime from a string var pieces = timestamp.split(/[\-\s\:]/g); var year = pieces[0]; var month = pieces[1]; var day = pieces[2]; var hour = pieces[3]||0; var min = pieces[4]||0; var sec = pieces[5]||0; this.setUTCFullYear(year,month-1,day); this.setUTCHours(hour); this.setUTCMinutes(min); this.setUTCSeconds(sec); return this; }; /** * Apply the Date string to the current Date object * Date string in the format of "year month day". "year month day" all optional. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Date.prototype.setDatestr = Date.prototype.setDatestr || function(timestamp){ // Set the date from a string var pieces = timestamp.split(/[\-\s\:]/g); var year = pieces[0]||1978; var month = pieces[1]||0; var day = pieces[2]||1; this.setUTCFullYear(year,month-1,day); return this; }; /** * Apply the Time string to the current Date object * Time string in the format of "hour min sec". "hour min sec" all optional. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Date.prototype.setTimestr = Date.prototype.setTimestr || function(timestamp){ // Set the time from a string var pieces = timestamp.split(/[\-\s\:]/g); var hour = pieces[0]||0; var min = pieces[1]||0; var sec = pieces[2]||0; this.setUTCHours(hour); this.setUTCMinutes(min); this.setUTCSeconds(sec); return this; }; /** * Return the Date as a Datetime string * Datetime string in the format of "year-month-date hours:minutes:seconds". * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Date.prototype.getDatetimestr = Date.prototype.getDatetimestr || function() { // Get the datetime as a string var date = this; return date.getDatestr()+' '+date.getTimestr(); }; /** * Return the Date as a Datetime string * Datetime string in the format of "year-month-date". * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Date.prototype.getDatestr = Date.prototype.getDatestr || function() { // Get the date as a string var date = this; var year = date.getUTCFullYear(); var month = (this.getUTCMonth() + 1).padLeft(0,2); var date = this.getUTCDate().padLeft(0,2); return year+'-'+month+'-'+date; }; /** * Return the Date as a Datetime string * Datetime string in the format of "hours:minutes:seconds". * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Date.prototype.getTimestr = Date.prototype.getTimestr || function(){ // Get the time as a string var date = this; var hours = date.getUTCHours().padLeft(0,2); var minutes = date.getUTCMinutes().padLeft(0,2); var seconds = date.getUTCSeconds().padLeft(0,2); return hours+':'+minutes+':'+seconds; }; /** * Return the Date as a ISO 8601 date string * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Date.prototype.getDatetime = String.prototype.getDatetime || function(){ // Get a ISO 8601 date var now = this; var datetime = now.getUTCFullYear() + '-' + (now.getUTCMonth()+1).zeroise(2) + '-' + now.getUTCDate().zeroise(2) + 'T' + now.getUTCHours().zeroise(2) + ':' + now.getUTCMinutes().zeroise(2) + ':' + now.getUTCSeconds().zeroise(2) + '+00:00'; return datetime; }; /** * @depends nothing * @name core.number * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * Return a new string with zeroes added correctly to the front of the number, given the threshold * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Number.prototype.zeroise = String.prototype.zeroise = String.prototype.zeroise ||function(threshold){ var number = this, str = number.toString(); if (number < 0) { str = str.substr(1, str.length) } while (str.length < threshold) { str = '0' + str } if (number < 0) { str = '-' + str } return str; }; /** * Return a new string with the string/number padded left using [ch] of [num] length * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Number.prototype.padLeft = String.prototype.padLeft = String.prototype.padLeft ||function(ch, num){ var val = String(this); var re = new RegExp('.{' + num + '}$'); var pad = ''; if ( !ch && ch !== 0 ) ch = ' '; do { pad += ch; } while(pad.length < num); return re.exec(pad + val)[0]; }; /** * Return a new string with the string/number padded right using [ch] of [num] length * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Number.prototype.padRight = String.prototype.padRight = String.prototype.padRight ||function(ch, num){ var val = String(this); var re = new RegExp('^.{' + num + '}'); var pad = ''; if ( !ch && ch !== 0 ) ch = ' '; do { pad += ch; } while (pad.length < num); return re.exec(val + pad)[0]; }; /** * Return a new number with the current number rounded to [to] * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ Number.prototype.roundTo = String.prototype.roundTo = String.prototype.roundTo || function(to){ var val = String(parseInt(this,10)); val = parseInt(val.replace(/[1,2]$/, 0).replace(/[3,4]$/, 5),10); return val; }; /** * @depends nothing * @name core.string * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * Return a new string with any spaces trimmed the left and right of the string * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ String.prototype.trim = String.prototype.trim || function() { // Trim off any whitespace from the front and back return this.replace(/^\s+|\s+$/g, ''); }; /** * Return a new string with the value stripped from the left and right of the string * @version 1.1.1 * @date July 22, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ String.prototype.strip = String.prototype.strip || function(value,regex){ // Strip a value from left and right, with optional regex support (defaults to false) value = String(value); var str = this; if ( value.length ) { if ( !(regex||false) ) { // We must escape value as we do not want regex support value = value.replace(/([\[\]\(\)\^\$\.\?\|\/\\])/g, '\\$1'); } str = str.replace(eval('/^'+value+'+|'+value+'+$/g'), ''); } return String(str); } /** * Return a new string with the value stripped from the left of the string * @version 1.1.1 * @date July 22, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ String.prototype.stripLeft = String.prototype.stripLeft || function(value,regex){ // Strip a value from the left, with optional regex support (defaults to false) value = String(value); var str = this; if ( value.length ) { if ( !(regex||false) ) { // We must escape value as we do not want regex support value = value.replace(/([\[\]\(\)\^\$\.\?\|\/\\])/g, '\\$1'); } str = str.replace(eval('/^'+value+'+/g'), ''); } return String(str); } /** * Return a new string with the value stripped from the right of the string * @version 1.1.1 * @date July 22, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ String.prototype.stripRight = String.prototype.stripRight || function(value,regex){ // Strip a value from the right, with optional regex support (defaults to false) value = String(value); var str = this; if ( value.length ) { if ( !(regex||false) ) { // We must escape value as we do not want regex support value = value.replace(/([\[\]\(\)\^\$\.\?\|\/\\])/g, '\\$1'); } str = str.replace(eval('/'+value+'+$/g'), ''); } return String(str); } /** * Return a int of the string * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ String.prototype.toInt = String.prototype.toInt || function(){ // Convert to a Integer return parseInt(this,10); }; /** * Return a new string of the old string wrapped with the start and end values * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ String.prototype.wrap = String.prototype.wrap || function(start,end){ // Wrap the string return start+this+end; }; /** * Return a new string of a selection of the old string wrapped with the start and end values * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ String.prototype.wrapSelection = String.prototype.wrapSelection || function(start,end,a,z){ // Wrap the selection if ( typeof a === 'undefined' || a === null ) a = this.length; if ( typeof z === 'undefined' || z === null ) z = this.length; return this.substring(0,a)+start+this.substring(a,z)+end+this.substring(z); }; /** * Return a new string of the slug of the old string * @version 1.1.0 * @date July 16, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ String.prototype.toSlug = String.prototype.toSlug || function(){ // Convert a string to a slug return this.toLowerCase().replace(/[\s_]/g, '-').replace(/[^-a-z0-9]/g, '').replace(/--+/g, '-').replace(/^-+|-+$/g,''); } /** * Return a new JSON object of the old string. * Turns: * file.js?a=1&amp;b.c=3.0&b.d=four&a_false_value=false&a_null_value=null * Into: * {"a":1,"b":{"c":3,"d":"four"},"a_false_value":false,"a_null_value":null} * @version 1.1.0 * @date July 16, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ String.prototype.queryStringToJSON = String.prototype.queryStringToJSON || function ( ) { // Turns a params string or url into an array of params // Prepare var params = String(this); // Remove url if need be params = params.substring(params.indexOf('?')+1); // params = params.substring(params.indexOf('#')+1); // Change + to %20, the %20 is fixed up later with the decode params = params.replace(/\+/g, '%20'); // Do we have JSON string if ( params.substring(0,1) === '{' && params.substring(params.length-1) === '}' ) { // We have a JSON string return eval(decodeURIComponent(params)); } // We have a params string params = params.split(/\&(amp\;)?/); var json = {}; // We have params for ( var i = 0, n = params.length; i < n; ++i ) { // Adjust var param = params[i] || null; if ( param === null ) { continue; } param = param.split('='); if ( param === null ) { continue; } // ^ We now have "var=blah" into ["var","blah"] // Get var key = param[0] || null; if ( key === null ) { continue; } if ( typeof param[1] === 'undefined' ) { continue; } var value = param[1]; // ^ We now have the parts // Fix key = decodeURIComponent(key); value = decodeURIComponent(value); try { // value can be converted value = eval(value); } catch ( e ) { // value is a normal string } // Set // window.console.log({'key':key,'value':value}, split); var keys = key.split('.'); if ( keys.length === 1 ) { // Simple json[key] = value; } else { // Advanced (Recreating an object) var path = '', cmd = ''; // Ensure Path Exists $.each(keys,function(ii,key){ path += '["'+key.replace(/"/g,'\\"')+'"]'; jsonCLOSUREGLOBAL = json; // we have made this a global as closure compiler struggles with evals cmd = 'if ( typeof jsonCLOSUREGLOBAL'+path+' === "undefined" ) jsonCLOSUREGLOBAL'+path+' = {}'; eval(cmd); json = jsonCLOSUREGLOBAL; delete jsonCLOSUREGLOBAL; }); // Apply Value jsonCLOSUREGLOBAL = json; // we have made this a global as closure compiler struggles with evals valueCLOSUREGLOBAL = value; // we have made this a global as closure compiler struggles with evals cmd = 'jsonCLOSUREGLOBAL'+path+' = valueCLOSUREGLOBAL'; eval(cmd); json = jsonCLOSUREGLOBAL; delete jsonCLOSUREGLOBAL; delete valueCLOSUREGLOBAL; } // ^ We now have the parts added to your JSON object } return json; }; /** * @depends jquery * @name jquery.appendscriptstyle * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * Append a Stylesheet to the DOM * @version 1.1.0 * @date July 23, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.appendStylesheet = $.appendStylesheet || function(url, overwrite){ // Check if ( !(document.body||false) ) { setTimeout(function(){ $.appendStylesheet.apply($,[url,overwrite]); },500); // Chain return $; } // Prepare var id = 'stylesheet-'+url.replace(/[^a-zA-Z0-9]/g, '');; var $old = $('#'+id); if ( typeof overwrite === 'undefined' ) { overwrite = false; } // Check if ( $old.length === 1 ) { if ( overwrite ) { $old.remove(); } else { // Chain return $; } } // Create var bodyEl = document.getElementsByTagName($.browser.safari ? 'head' : 'body')[0]; var linkEl = document.createElement('link'); linkEl.type = 'text/css'; linkEl.rel = 'stylesheet'; linkEl.media = 'screen'; linkEl.href = url; linkEl.id = id; bodyEl.appendChild(linkEl); // Chain return $; }; /** * Append a Script to the DOM * @version 1.1.0 * @date July 23, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.appendScript = $.appendScript || function(url, overwrite){ // Check if ( !(document.body||false) ) { setTimeout(function(){ $.appendScript.apply($,[url,overwrite]); },500); // Chain return $; } // Prepare var id = 'script-'+url.replace(/[^a-zA-Z0-9]/g, '');; var $old = $('#'+id); if ( typeof overwrite === 'undefined' ) { overwrite = false; } // Check if ( $old.length === 1 ) { if ( overwrite ) { $old.remove(); } else { // Chain return $; } } // Create var bodyEl = document.getElementsByTagName($.browser.safari ? 'head' : 'body')[0]; var scriptEl = document.createElement('script'); scriptEl.type = 'text/javascript'; scriptEl.src = url; scriptEl.id = id; bodyEl.appendChild(scriptEl); // Chain return $; }; })(jQuery); /** * @depends jquery * @name jquery.extra * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * Opacity Fix for Text without Backgrounds * Fixes the text corrosion during opacity effects by forcing a background-color value on the element. * The background-color value is the the same value as the first parent div which has a background-color. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.opacityFix = $.fn.opacityFix || function(){ var $this = $(this); // Check if this fix applies var color = $this.css('background-color'); if ( color && color !== 'rgba(0, 0, 0, 0)' ) { return this; } // Apply the background colour of the first parent which has a background colour var $parent = $this; while ( $parent.inDOM() ) { $parent = $parent.parent(); color = $parent.css('background-color'); if ( color && color !== 'rgba(0, 0, 0, 0)' ) { $this.css('background-color',color); break; } } // Chain return this; }; /** * Get all elements above ourself which match the selector, and include ourself in the search * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.parentsAndSelf = $.fn.parentsAndSelf || function(selector){ var $this = $(this); return $this.parents(selector).andSelf().filter(selector); }; /** * Get all elements within ourself which match the selector, and include ourself in the search * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.findAndSelf = $.fn.findAndSelf || function(selector){ var $this = $(this); return $this.find(selector).andSelf().filter(selector); }; /** * Find the first input, and include ourself in the search * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.firstInput = $.fn.firstInput || function(){ var $this = $(this); return $this.findAndSelf(':input').filter(':first'); }; /** * Select a option within options, checkboxes, radios and selects. * Rather than setting the actual value of a element which $el.val does. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.choose = $.fn.choose||function(value){ var $this = $(this); if ( typeof value === 'undefined' ) { value = $this.val(); } else if ( $this.val() !== value ) { // Return early, don't match return this; } switch ( true ) { case this.is('option'): $this.parents('select:first').choose(value); break; case $this.is(':checkbox'): $this.attr('checked', true); break; case $this.is(':radio'): $this.attr('checked', true); break; case $this.is('select'): $this.val(value); break; default: break; } return this; }; /** * Deselect a option within options, checkboxes, radios and selects. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.unchoose = $.fn.unchoose||function(){ var $this = $(this); switch ( true ) { case $this.is('option'): $this.parents(':select:first').unchoose(); break; case $this.is(':checkbox'): $this.attr('checked', false); break; case $this.is(':radio'): $this.attr('checked', false); break; case $this.is('select'): $this.val($this.find('option:first').val()); break; default: break; } return this; }; /** * Checks if the element would be passed with the form if the form was submitted. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.wouldSubmit = $.fn.wouldSubmit || function(){ var $input = $(this).findAndSelf(':input'); var result = true; if ( !$input.length || !($input.attr('name')||false) || ($input.is(':radio,:checkbox') && !$input.is(':selected,:checked')) ) { result = false; } return result; }; /** * Grab all the values of a form in JSON format if the form would be submitted. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.values = $.fn.values || function(){ var $inputs = $(this).findAndSelf(':input'); var values = {}; $inputs.each(function(){ var $input = $(this); var name = $input.attr('name') || null; var value = $input.val(); // Skip if wouldn't submit if ( !$input.wouldSubmit() ) { return true; } // Set value if (name.indexOf('[]') !== -1) { // We want an array if (typeof values[name] === 'undefined') { values[name] = []; } values[name].push(value); } else { values[name] = value; } }); return values; }; /** * Submit the form which the element is associated with. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.submitForm = $.fn.submitForm || function(){ // Submit the parent form or our form var $this = $(this); // Handle var $form = $this.parentsAndSelf('form:first').trigger('submit'); // Chain return $this; }; /** * Checks if the element is attached within the DOM * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.inDOM = $.fn.inDOM || function(){ var $ancestor = $(this).parent().parent(); return $ancestor.size() && ($ancestor.height()||$ancestor.width()); }; /** * Wrap the element's value with the passed start and end text * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.valWrap = $.fn.valWrap || function(start,end){ // Wrap a value var $field = $(this); return $field.val($field.val().wrap(start,end)); }; /** * Wrap a selection of the element's value with the passed start and end text * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.valWrapSelection = $.fn.valWrapSelection || function(start,end,a,z){ // Wrap the selected text var $field = $(this); var field = $field.get(0); start = start||''; end = end||''; if ( a || z ) { $field.val($field.val().wrapSelection(start,end,a,z)); } else { var a = field.selectionStart, z = field.selectionEnd; if ( document.selection) { field.focus(); var sel = document.selection.createRange(); sel.text = start + sel.text + end; } else { var scrollTop = field.scrollTop; $field.val($field.val().wrapSelection(start,end,a,z)); field.focus(); field.selectionStart = a+start.length; field.selectionEnd = z+start.length; field.scrollTop = scrollTop; } } return $field; }; /** * Find (with regards to the element) the first visible input element, and give focus to it * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.giveFocus = $.fn.giveFocus || function(){ // Give focus to the current element var $this = $(this); var selector = ':input:visible:first'; $this.findAndSelf(selector).focus(); return this; }; /** * Gives target to the element, and removes target from everything else * @version 1.0.0 * @date August 23, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.giveTarget = $.fn.giveTarget || function(){ // Give focus to the current element var $this = $(this); $('.target').removeClass('target'); $this.addClass('target'); return this; }; /** * Perform the highlight effect * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.highlight = $.fn.highlight || function(duration){ // Perform the Highlight Effect return $(this).effect('highlight', {}, duration||3000); }; /** * Get a elements html including it's own tag * @version 1.0.1 * @date August 07, 2010 * @since 1.0.0, August 07, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.htmlAndSelf = $.fn.htmlAndSelf || function(){ // Get a elements html including it's own tag return $(this).attr('outerHTML'); }; /** * Prevent the default action when a click is performed * @version 1.0.1 * @date August 31, 2010 * @since 1.0.0, August 19, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.preventDefaultOnClick = $.fn.preventDefaultOnClick || function(){ return $(this).click(function(event){ event.preventDefault(); return false; }); }; /** * Attempts to change the element type to {$type} * @version 1.0.1 * @date August 07, 2010 * @since 1.0.0, August 07, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.attemptTypeChangeTo = $.fn.attemptTypeChangeTo || function(type){ // Prepare var $input = $(this), result = false, el = $input.get(0), oldType = el.type; // Handle if ( type === oldType ) { // Setting to the same result = true; } else if ( $input.is('input') ) { // We are in fact an input if ( !$.browser.msie ) { // We are not IE, this is due to bug mentioned here: http://stackoverflow.com/questions/1544317/jquery-change-type-of-input-field el.type = type; if ( el.type !== oldType ) { // It stuck, so we successfully applied the type result = true; } } } // Return result return result; }; })(jQuery); /** * @depends jquery * @name jquery.events * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * Bind a event, with or without data * Benefit over $.bind, is that $.binder(event, callback, false|{}|''|false) works. * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.binder = $.fn.binder || function(event, data, callback){ // Help us bind events properly var $this = $(this); // Handle if ( (callback||false) ) { $this.bind(event, data, callback); } else { callback = data; $this.bind(event, callback); } // Chain return $this; }; /** * Bind a event only once * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.once = $.fn.once || function(event, data, callback){ // Only apply a event handler once var $this = $(this); // Handle if ( (callback||false) ) { $this.unbind(event, callback); $this.bind(event, data, callback); } else { callback = data; $this.unbind(event, callback); $this.bind(event, callback); } // Chain return $this; }; /** * Event for pressing the enter key * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.enter = $.fn.enter || function(data,callback){ return $(this).binder('enter',data,callback); }; $.event.special.enter = $.event.special.enter || { setup: function( data, namespaces ) { $(this).bind('keypress', $.event.special.enter.handler); }, teardown: function( namespaces ) { $(this).unbind('keypress', $.event.special.enter.handler); }, handler: function( event ) { // Prepare var $el = $(this); // Setup var enterKey = event.keyCode === 13; if ( enterKey ) { // Our event event.type = 'enter'; $.event.handle.apply(this, [event]); return true; } // Not our event return; } }; /** * Event for pressing the escape key * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.cancel = $.fn.cancel || function(data,callback){ return $(this).binder('cancel',data,callback); }; $.event.special.cancel = $.event.special.cancel || { setup: function( data, namespaces ) { $(this).bind('keyup', $.event.special.cancel.handler); }, teardown: function( namespaces ) { $(this).unbind('keyup', $.event.special.cancel.handler); }, handler: function( event ) { // Prepare var $el = $(this); // Setup var moz = typeof event.DOM_VK_ESCAPE === 'undefined' ? false : event.DOM_VK_ESCAPE; var escapeKey = event.keyCode === 27; if ( moz || escapeKey ) { // Our event event.type = 'cancel'; $.event.handle.apply(this, [event]); return true; } // Not our event return; } }; /** * Event for the last click for a series of one or more clicks * @version 1.0.0 * @date July 16, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.lastclick = $.fn.lastclick || function(data,callback){ return $(this).binder('lastclick',data,callback); }; $.event.special.lastclick = $.event.special.lastclick || { setup: function( data, namespaces ) { $(this).bind('click', $.event.special.lastclick.handler); }, teardown: function( namespaces ) { $(this).unbind('click', $.event.special.lastclick.handler); }, handler: function( event ) { // Setup var clear = function(){ // Fetch var Me = this; var $el = $(Me); // Fetch Timeout var timeout = $el.data('lastclick-timeout')||false; // Clear Timeout if ( timeout ) { clearTimeout(timeout); } timeout = false; // Store Timeout $el.data('lastclick-timeout',timeout); }; var check = function(event){ // Fetch var Me = this; clear.call(Me); var $el = $(Me); // Store the amount of times we have been clicked $el.data('lastclick-clicks', ($el.data('lastclick-clicks')||0)+1); // Handle Timeout for when All Clicks are Completed var timeout = setTimeout(function(){ // Fetch Clicks Count var clicks = $el.data('lastclick-clicks'); // Clear Timeout clear.apply(Me,[event]); // Reset Click Count $el.data('lastclick-clicks',0); // Fire Event event.type = 'lastclick'; $.event.handle.apply(Me, [event,clicks]) },500); // Store Timeout $el.data('lastclick-timeout',timeout); }; // Fire check.apply(this,[event]); } }; /** * Event for the first click for a series of one or more clicks * @version 1.0.0 * @date July 16, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.firstclick = $.fn.firstclick || function(data,callback){ return $(this).binder('firstclick',data,callback); }; $.event.special.firstclick = $.event.special.firstclick || { setup: function( data, namespaces ) { $(this).bind('click', $.event.special.firstclick.handler); }, teardown: function( namespaces ) { $(this).unbind('click', $.event.special.firstclick.handler); }, handler: function( event ) { // Setup var clear = function(event){ // Fetch var Me = this; var $el = $(Me); // Fetch Timeout var timeout = $el.data('firstclick-timeout')||false; // Clear Timeout if ( timeout ) { clearTimeout(timeout); } timeout = false; // Store Timeout $el.data('firstclick-timeout',timeout); }; var check = function(event){ // Fetch var Me = this; clear.call(Me); var $el = $(Me); // Update the amount of times we have been clicked $el.data('firstclick-clicks', ($el.data('firstclick-clicks')||0)+1); // Check we are the First of the series of many if ( $el.data('firstclick-clicks') === 1 ) { // Fire Event event.type = 'firstclick'; $.event.handle.apply(Me, [event]) } // Handle Timeout for when All Clicks are Completed var timeout = setTimeout(function(){ // Clear Timeout clear.apply(Me,[event]); // Reset Click Count $el.data('firstclick-clicks',0); },500); // Store Timeout $el.data('firstclick-timeout',timeout); }; // Fire check.apply(this,[event]); } }; /** * Event for performing a singleclick * @version 1.1.0 * @date July 16, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.fn.singleclick = $.fn.singleclick || function(data,callback){ return $(this).binder('singleclick',data,callback); }; $.event.special.singleclick = $.event.special.singleclick || { setup: function( data, namespaces ) { $(this).bind('click', $.event.special.singleclick.handler); }, teardown: function( namespaces ) { $(this).unbind('click', $.event.special.singleclick.handler); }, handler: function( event ) { // Setup var clear = function(event){ // Fetch var Me = this; var $el = $(Me); // Fetch Timeout var timeout = $el.data('singleclick-timeout')||false; // Clear Timeout if ( timeout ) { clearTimeout(timeout); } timeout = false; // Store Timeout $el.data('singleclick-timeout',timeout); }; var check = function(event){ // Fetch var Me = this; clear.call(Me); var $el = $(Me); // Update the amount of times we have been clicked $el.data('singleclick-clicks', ($el.data('singleclick-clicks')||0)+1); // Handle Timeout for when All Clicks are Completed var timeout = setTimeout(function(){ // Fetch Clicks Count var clicks = $el.data('singleclick-clicks'); // Clear Timeout clear.apply(Me,[event]); // Reset Click Count $el.data('singleclick-clicks',0); // Check Click Status if ( clicks === 1 ) { // There was only a single click performed // Fire Event event.type = 'singleclick'; $.event.handle.apply(Me, [event]) } },500); // Store Timeout $el.data('singleclick-timeout',timeout); }; // Fire check.apply(this,[event]); } }; })(jQuery); /** * @depends jquery * @name jquery.utilities * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * Creates a new object, which uses baseObject's structure, and userObject's values when applicable * @params {Object} baseObject * @params {Object} userObject * @params {Object} ... * @return {Object} newObject * @version 1.0.0 * @date August 01, 2010 * @since 1.0.0 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.prepareObject = $.prepareObject || function(baseObject,userObject) { var newObject = {}; var skipValue = '$.prepareObject.skipValue'; // Extend newObject $.extend(newObject,baseObject||{}); // Intercept with the userObject $.intercept(true,newObject,userObject); // Handle additional params var objects = arguments; objects[0] = objects[1] = skipValue; // Cycle through additional objects $.each(objects,function(i,object){ // Check if we want to skip if ( object === skipValue ) return true; // continue // Intercept with the object $.intercept(true,newObject,object); }); // Return the newObject return newObject; }; /** * Intercept two objects * @params [deep], &object1, object2, ... * @version 1.0.0 * @date August 01, 2010 * @since 1.0.0 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.intercept = $.intercept || function() { // Prepare var objects = arguments, object, deep = false, copy = false; var skipValue = '$.intercept.skipValue'; // Check Deep if ( typeof objects[0] === 'boolean' ) { deep = objects[0]; objects[0] = skipValue; // Check Copy if ( typeof objects[1] === 'boolean' ) { copy = objects[1]; objects[1] = skipValue; // Handle Copy if ( copy ) { object = {}; } else { object = objects[2]; objects[2] = skipValue; } } else { object = objects[1]; objects[1] = skipValue; } } else { object = objects[0]; objects[0] = skipValue; } // Grab Keys var keys = {}; $.each(object,function(key){ keys[key] = true; }); // Intercept Objects if ( deep ) { // Cycle through objects $.each(objects, function(i,v){ // Check if we want to skip if ( v === skipValue ) return true; // continue // Cycle through arguments $.each(v, function(key,value){ // Check if the key exists so we can intercept if ( typeof keys[key] === 'undefined' ) return true; // continue // It exists, check value type if ( typeof value === 'object' && !(value.test||false && value.exec||false) ) { // Extend this object $.extend(object[key],value||{}); } else { // Copy value over object[key] = value; } }); }) } else { // Cycle through objects $.each(objects, function(i,v){ // Cycle through arguments $.each(v, function(key,value){ // Check if the key exists so we can intercept if ( typeof keys[key] === 'undefined' ) return true; // continue // It exists, check value type if ( typeof value === 'object' && !(value.test||false && value.exec||false) ) { // Intercept this object $.intercept(true,object[key],value); } else { // Copy value over object[key] = value; } }); }) } // Return object return object; }; /** * Handle a Promise * @param {Object} options.object * @param {String} options.handlers * @param {String} options.flag * @param {Funtion} options.handler * @return {Boolean} Whether or not the promise is ready * @version 1.0.0 * @date August 31, 2010 * @since 1.0.0 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ $.promise = $.promise || function(options){ // Extract var object = options.object||this; // Check if ( typeof object[options.handlers] === 'undefined' ) { object[options.handlers] = []; } if ( typeof object[options.flag] === 'undefined' ) { object[options.flag] = false; } // Extract var handlers = object[options.handlers], flag = object[options.flag], handler = options.arguments[0]; // Handle switch ( typeof handler ) { case 'boolean': // We want to set the flag as true or false, then continue on flag = object[options.flag] = handler; // no break, as we want to continue on case 'undefined': // We want to fire the handlers, so check if the flag is true if ( flag && handlers.length ) { // Fire the handlers $.each(handlers, function(i,handler){ handler.call(object); }); // Clear the handlers object[options.handlers] = []; } break; case 'function': // We want to add or fire a handler, so check the flag if ( flag ) { // Fire the event handler handler.call(object); } else { // Add to the handlers object[options.handlers].push(handler); } break; default: window.console.error('Unknown arguments for $.promise', [this, arguments]); break; } // Return flag return flag; } })(jQuery); /** * @depends jquery * @name jquery.passwordstrength * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * String.prototype.passwordStrength * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ String.prototype.passwordstrength = String.prototype.passwordstrength || function(confirm,username){ var password = this.toString(), symbolSize = 0, natLog, score; confirm = confirm||''; username = username||''; // Short if ( password.length < 4 ) { return "short"; }; // Username if ( username.length && password.toLowerCase() == username.toLowerCase()) { return "username"; } // Confirm if ( confirm.length && password != confirm ) { return "mismatch"; } // Strength if ( password.match(/[0-9]/) ) symbolSize +=10; if ( password.match(/[a-z]/) ) symbolSize +=26; if ( password.match(/[A-Z]/) ) symbolSize +=26; if ( password.match(/[^a-zA-Z0-9]/) ) symbolSize +=31; // Score natLog = Math.log( Math.pow(symbolSize,password.length) ); score = natLog / Math.LN2; // Check if (score < 40 ) { return "low"; } else if (score < 56 ) { return "medium"; } // Strong return "high"; }; /** * jQuery Password Strength * @version 1.0.0 * @date June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ if ( !($.fn.passwordstrength||false) ) { $.fn.passwordstrength = function(options) { // Prepare var passwordstrength = $.fn.passwordstrength; passwordstrength.config = passwordstrength.config || { content: '<div class="sparkle-passwordstrength-result"></div><div class="sparkle-passwordstrength-description"></div>', contentSelectors: { result: '.sparkle-passwordstrength-result', description: '.sparkle-passwordstrength-description' }, strengthCss: { "short": "invalid", mismatch: "invalid", username: "invalid", low: "low", medium: "medium", high: "high", empty: "" }, il8n: { description: "Hint: The password should be have a strength of at least medium. To make it stronger, use upper and lower case letters, numbers and symbols like ! \" ? $ % ^ &amp; ).", empty: "Strength indicator", username: "Password should not match username", mismatch: "Confirm password does not match", "short": "Password is too short", low: "Weak", medium: "Medium", high: "Strongest" } }; var config = $.extend({}, passwordstrength.config); // Options $.extend(true, config, options); // Fetch var $this = $(this); var $container = $this.html(config.content).hide(); // Implode var $result = $container.find(config.contentSelectors.result); var $description = $container.find(config.contentSelectors.description).html(config.il8n.description); if ( !config.il8n.description ) { $description.remove(); } // Prepare var classes = [ config.strengthCss["short"], config.strengthCss.mismatch, config.strengthCss.username, config.strengthCss.low, config.strengthCss.medium, config.strengthCss.high, config.strengthCss.empty ].join(' '); // Fetch var $password = $(config.password), $confirm = $(config.confirm||null), $username = $(config.username||null); // Apply var check = function(){ // Fetch var password = $password.val(), confirm = $confirm.val(), username = $username.val(); // Strength var strength = password ? password.passwordstrength(confirm,username) : "empty"; var strength_css = config.strengthCss[strength]; var strength_text = config.il8n[strength]; // Apply $result.removeClass(classes).addClass(strength_css).html(strength_text); }; $password .keyup(function(){ var $password = $(this); $confirm.val(''); if ( $password.val() !== '' && !$container.data('shown') ) { $container.animate({'height':'show','opacity':'show'},'slow').data('shown',true); } }); $password.add($confirm).add($username).keyup(check); check(); // Chain return $this; } } else { window.console.warn("$.fn.passwordstrength has already been defined..."); } })(jQuery);/** * @depends jquery, core.console * @name jquery.balclass * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * BalClass * @version 1.5.0 * @date August 28, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ if ( !($.BalClass||false) ) { // Constructor $.BalClass = function(extend){ this.construct(extend); }; // Prototype $.extend($.BalClass.prototype, { config: { }, construct: function(){ var Me = this, extend = {}; // Handle if ( typeof arguments[0] === 'object' && typeof arguments[1] === 'object' ) { // config, extend extend = arguments[1]; extend.config = arguments[0]||{}; } else if ( typeof arguments[0] === 'object' ) { // extend extend = arguments[0]; extend.config = extend.config||{}; } else if ( typeof arguments[0] === 'undefined' ) { // No arguments were passed extend = false; } else { window.console.error('BalClass.construct: Invalid Input'); } // Check if ( extend !== false ) { // Configure Me.configure(extend.config); delete extend.config; // Extend $.extend(Me,extend); } // Build if ( typeof Me.built === 'function' ) { return Me.built(); } // Return true return true; }, configure: function(config){ var Me = this; Me.config = Me.config||{}; Me.config = $.extend({},Me.config,config||{}); // we want to clone return Me; }, clone: function(extend){ // Clone a BalClass (Creates a new BalClass type) var Me = this; var clone = function(extend){ this.construct(extend); }; $.extend(clone.prototype, Me.prototype, extend||{}); clone.clone = clone.prototype.clone; clone.create = clone.prototype.create; return clone; }, create: function(Extension){ // Create a BalClass (Creates a new instance of a BalClass) var Me = this; var Obj = new Me(Extension); return Obj; }, addConfig: function(name, config){ var Me = this; if ( typeof config === 'undefined' ) { if ( typeof name === 'object' ) { // Series $.each(name,function(key,value){ Me.applyConfig(key, value); }); } return false; } else if ( typeof config === 'object' ) { // Single Me.applyConfig(name, config); } return Me; }, applyConfig: function(name,config){ var Me = this; Me.config[name] = Me.config[name]||{}; $.extend(true,Me.config[name],config||{}); return Me; }, setConfig: function(name,config){ var Me = this; Me.config[name] = config||{}; return Me; }, hasConfig: function(name){ var Me = this; return typeof Me.config[name] !== 'undefined'; }, getConfig: function(name){ var Me = this; if ( typeof name !== 'string' ) { return this.config; } return this.getConfigWith(name); }, getConfigWith: function(name,config){ var Me = this; if ( typeof name !== 'string' ) { if ( typeof config === 'undefined' ) { config = name; } name = 'default'; } if ( typeof config !== 'object' ) { config = {}; } var result = {}; $.extend(true, result, Me.config[name]||{}, config||{}); return result; }, getConfigWithDefault: function(name,config){ var Me = this; return Me.getConfigWith('default',Me.getConfigWith(name,config)); }, setDefaults: function(config){ var Me = this; return Me.applyConfig('default',config); } }); // Instance $.BalClass.clone = $.BalClass.prototype.clone; $.BalClass.create = $.BalClass.prototype.create; // ^ we alias these as they should be both in prototype and instance // however we do not want to create a full instance yet... } else { window.console.warn("$.BalClass has already been defined..."); } })(jQuery);/** * @depends jquery, core.console, jquery.balclass, bespin * @name jquery.balclass.bespin * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * jQuery Bespin Extender * @version 1.2.1 * @date August 20, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ if ( !($.Bespin||false) ) { $.Bespin = $.BalClass.create({ // Configuration config: { "default": { "content": null, "bespin": { "settings": { "tabstop": 4 } }, "toolbar": { "fullscreen": true } }, "rich": { "bespin": { "syntax": "html" } }, "html": { "bespin": { "syntax": "html" } }, "plain": { "toolbar": false } }, // Functions fn: function(mode, options) { // Prepare var Me = $.Bespin; var config = Me.getConfigWithDefault(mode,options); // Elements var element = this; // Bespin var onBespinLoad = function(){ // Use Bespin Me.useBespin(element, config); }; $(window).bind('onBespinLoad', onBespinLoad); // Events var events = { onBespinLoad: function(){ $(window).trigger('onBespinLoad'); } }; // Check Loaded if ( bespin.bootLoaded ) { // Fire Event setTimeout(function(){ events.onBespinLoad(); },500); } else { // Add Event window.onBespinLoad = events.onBespinLoad; } // ^ we have this check as if bespin has already loaded, then the onBespinLoad will never fire! // Chain return this; }, useBespin: function(element, config) { // Prepare var Me = $.Bespin; // Elements var $element = $(element), $bespin, bespin_id; // Check if ( $element.is('textarea') ) { // Editor is a textarea // So we have to create a div to use as our bespin editor // Update id bespin_id = $element.attr('id')+'-bespin'; // Create div $bespin = $('<div id="'+bespin_id+'"/>').html($element.val()).css({ height: $element.css('height'), width: $element.css('width') }); // Insert div $bespin.insertAfter($element); // Hide textarea $element.hide(); } else { // Editor is likely a div // So we can use that as our bespin editor $bespin = $element; bespin_id = $bespin.attr('id'); } // Use Bespin bespin.useBespin(bespin_id,config.bespin).then( function(env){ // Success Me.postBespin(bespin_id, env, config); }, function(error){ // Error window.console.error("Bespin Launch Failed: " + error); } ); // Chain return this; }, postBespin: function(bespin_id, env, config) { // Prepare var Me = $.Bespin; // Elements var $bespin = $('#'+bespin_id); var $textarea = $bespin.siblings('textarea'); var editor = env.editor; // Ensure overflow is set to hidden // stops bespin from having text outside it's box in rare circumstances $bespin.css('overflow','hidden'); // Wrap our div $bespin.wrap('<div class="bespin-wrap" />'); var $bespin_wrap = $bespin.parent(); // Update Textarea on submit if ( $textarea.length ) { var updateFunction = function(){ var val = editor.value; $textarea.val(val); }; $textarea.parents('form:first').submit(updateFunction); } // Change the value if ( config.content || config.content === '' ) { editor.value = config.content; } // Toolbar if ( config.toolbar||false ) { var $toolbar = $('<div class="bespin-toolbar" />'); $toolbar.insertBefore($bespin); // Fullscreen if (config.toolbar.fullscreen||false ) { var $fullscreen = $('<span class="bespin-toolbar-fullscreen" title="Toggle Fullscreen"></span>'); $fullscreen.appendTo($toolbar); $fullscreen.click(function(){ if ( $bespin_wrap.hasClass('bespin-fullscreen') ) { // Destroy fullscreen $('body').add($bespin_wrap).removeClass('bespin-fullscreen'); } else { // Make fullscreen $('body').add($bespin_wrap).addClass('bespin-fullscreen'); } env.dimensionsChanged(); }); } } // Chain return this; }, built: function(){ // Prepare var Me = this; // Attach $.fn.Bespin = function(mode,options) { // Alias return Me.fn.apply(this,[mode,options]); }; // Return true return true; } }); } else { window.console.warn("$.Bespin has already been defined..."); } })(jQuery);/** * @depends jquery, core.console, jquery.balclass * @name jquery.balclass.datepicker * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * jQuery Date Picker * @version 1.0.1 * @date August 20, 2010 * @since 1.0.0, August 18, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ if ( !($.Datepicker||false) ) { $.Datepicker = $.BalClass.create({ // Configuration config: { 'default': { useHtml5: false } }, // Functions fn: function(mode,options){ // Prepare var Me = $.Datepicker; var config = Me.getConfigWithDefault(mode,options); // Handle return $(this).each(function(){ var $input = $(this); // Prepare if ( $input.hasClass('sparkle-date-has') ) { // Already done return this; } $input.addClass('sparkle-date').addClass('sparkle-date-has'); // HTML5 if ( config.useHtml5 && Modernizr && Modernizr.inputtypes.date && $input.attemptTypeChangeTo('date') ) { // Chain return this; } // Instantiate $input.datepicker(config); // Chain return this; }); }, built: function(){ // Prepare var Me = this; // Attach $.fn.Datepicker = function(mode,options) { // Alias return Me.fn.apply(this,[mode,options]); }; // Return true return true; } }); } else { window.console.warn("$.Datepicker has already been defined..."); } })(jQuery);/** * @depends jquery, core.console, jquery.balclass * @name jquery.balclass.datetimepicker * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * jQuery Date Time Picker * @version 1.3.1 * @date August 20, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ if ( !($.Datetimepicker||false) ) { $.Datetimepicker = $.BalClass.create({ // Configuration config: { 'default': { useHtml5: false, datepickerOptions: { }, timepickerOptions: { } }, '12hr': { timepickerOptions: { timeConvention: 12 } }, '24hr': { timepickerOptions: { timeConvention: 24 } } }, // Functions fn: function(mode,options){ // Prepare var Me = $.Datetimepicker; var config = Me.getConfigWithDefault(mode,options); // Handle return $(this).each(function(){ var $input = $(this); // Prepare if ( $input.hasClass('sparkle-datetime-has') ) { // Already done return this; } $input.addClass('sparkle-datetime').addClass('sparkle-datetime-has'); // HTML5 if ( config.useHtml5 && Modernizr && Modernizr.inputtypes.datetime && $input.attemptTypeChangeTo('datetime') ) { // Chain return this; } // -------------------------- // Defaults var value = $input.val(); var date = new Date(); var datestr = '', timestr = ''; if ( value ) { date.setDatetimestr(value); datestr = date.getDatestr(); timestr = date.getTimestr(); } // -------------------------- // DOM Manipulation // Hide $input.hide(); // Create date part var $date = $('<input type="text" class="sparkle-date"/>'); var $sep = $('<span class="sparkle-datetime-sep"> @ </span>'); var $time = $('<input type="text" class="sparkle-time"/>'); // Append $time.insertAfter($input); $sep.insertAfter($input); $date.insertAfter($input); // Apply $date.val(datestr); $time.val(timestr); // -------------------------- // Bind var updateFunction = function(){ var value = $date.val()+' '+$time.val(); $input.val(value).trigger('change'); }; $date.add($time).change(updateFunction); // Instantiate $date.Datepicker(config.datepickerOptions); $time.Timepicker(config.timepickerOptions); // Chain return $input; }); }, built: function(){ // Prepare var Me = this; // Attach $.fn.datetimepicker = $.fn.Datetimepicker = function(mode,options) { // Alias return Me.fn.apply(this,[mode,options]); }; // Return true return true; } }); } else { window.console.warn("$.Datetimepicker has already been defined..."); } })(jQuery);/** * @depends jquery, core.console, jquery.balclass * @name jquery.balclass.eventcalendar * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * Event Calendar * @version 1.2.1 * @date August 20, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ if ( !($.EventCalendar||false) ) { $.EventCalendar = $.BalClass.create({ // Configuration config: { // Default Mode "default": { // Ajax Variables /** The JSON variable that will be return on the AJAX request which will contain our entries */ ajaxEntriesVariable: 'entries', /** The AJAX url to request for our entries */ ajaxEntriesUrl: '', /** The JSON Object to send via POST to our AJAX request */ ajaxPostData: {}, /** Whether or not to Cache the AJAX data */ ajaxCache: true, // Data Variables /* If you are not using AJAX, you can define your entries here */ calendarEntries: [], // Customisation Variables /** The CSS class which will be assigned to the Event Calendar */ calendarClass: 'hasEventCalendar', /** The CSS class which will be assigned to day when the day contains a entry */ dayEventClass: 'ui-state-active hasEvent', /** The standard options to send to the datepicker */ datepickerOptions: {}, /** Whether or not to disable the datepicker date selection click */ disableClick: true, /** * Whatever events you would like to assign to a $day * You will recieve the arguments: domEvent, day, dayEntries, entries */ domEvents: {} } }, // Functions /** * jQuery Object Function */ fn: function(mode,options){ var EventCalendar = $.EventCalendar; // Group? var $calendar = $(this); if ( $calendar.length > 1 ) { $calendar.each(function(){ $(this).EventCalendar(mode,options); }); return this; } // Prepare var Me = $.EventCalendar; var config = Me.getConfigWithDefault(mode,options); // Initialise var Entries = { /** * Calendar Entries Stored by {entryId:entry} */ entriesById: {}, /** * Calendar Entries Stored by {"year-month":[entry,entry]} */ entriesByYearMonth: {}, /** * Whether or not the "year-month" is cacheable */ cacheableByYearMonth: {}, /** * Get whether or not a "year-month" is cacheable */ isCacheable: function(year,month,value){ return (this.cacheableByYearMonth[year+'-'+month]||false) ? true : false; }, /** * Set whether or not a "year-month" is cacheable */ setCacheable: function(year,month,value){ if ( typeof value === 'undefined' ) value = this.cacheableByYearMonth[year+'-'+month] = value; return this; }, /** * Calendar Entries Undefined */ isYearMonthSet: function(year,month) { return typeof this.entriesByYearMonth[year+'-'+month] !== 'undefined'; }, /** * Calendar Entries Empty */ isYearMonthEmpty: function(year,month) { var notempty = (typeof this.entriesByYearMonth[year+'-'+month] === 'array' && this.entriesByYearMonth[year+'-'+month].length !== 0) || (typeof this.entriesByYearMonth[year+'-'+month] === 'object' && !$.isEmptyObject(this.entriesByYearMonth[year+'-'+month])) ; return !notempty; }, /** * Calendar Entries Getter */ getEntriesByYearMonth: function(year,month) { return this.entriesByYearMonth[year+'-'+month]||[]; }, /** * Calendar Entries Getter */ getEntryById: function(id) { return this.entriesById[id]||undefined; }, /** * Get Days in a Month by passing a date */ getDaysInMonth: function(date){ // http://snippets.dzone.com/posts/show/2099 return 32 - new Date(date.getFullYear(), date.getMonth(), 32).getDate(); }, /** * Get Date */ getDate: function(timestamp){ // Convert var date; if ( typeof timestamp === 'string' ) { date = new Date(timestamp); } else if ( typeof timestamp === 'number' ) { date = new Date(); date.setTime(timestamp); } else if ( typeof timestamp === 'object' ) { date = new Date(); date.setTime(timestamp.getTime()); } else { throw Error("Unknown date format."); } // Fix for Firefox if ( isNaN(date) || date.toString() === "Invalid Date" ) { date = new Date(); date.setDatetimestr(timestamp); } // Return date return date; }, /** * Calendar Entries Setter */ addEntries: function(entries) { // Prepare var Me = this; // Add $.each(entries,function(index,entry){ // Prepare entry.id = entry.id||index; // Add Entry Me.addEntry(entry); }); // Chain return true; }, /** * Calendar Entries Setter */ addEntry: function(entry) { // Prepare entry entry.start = this.getDate(entry.start); entry.finish = this.getDate(entry.finish); // Cycle through years and months var currentDate = this.getDate(entry.start); currentDate.setDate(1); currentDate.setHours(0); currentDate.setMinutes(0); currentDate.setSeconds(0); currentDate.setMilliseconds(0); var finishDate = this.getDate(entry.finish); finishDate.setDate(2); finishDate.setHours(0); finishDate.setMinutes(0); finishDate.setSeconds(0); finishDate.setMilliseconds(0); while ( currentDate < finishDate ) { // Fetch var year = currentDate.getFullYear(), month = currentDate.getMonth()+1; /* // Add entry.span = entry.span||{}; entry.span[year] = entry.span[year]||{}; entry.span[year][month] = entry.span[year][month]||{}; // Cycle through days // Determine span var firstMonth = (year === entry.start.getFullYear() && month === entry.start.getMonth()+1), lastMonth = (year === entry.finish.getFullYear() && month === entry.finish.getMonth()+1), daysInMonth = this.getDaysInMonth(currentDate); // Ifs if ( firstMonth && lastMonth ) { // First + Last // Get days between (inclusive) var startDay = entry.start.getDate(), finishDay = entry.finish.getDate(); else if ( ) { // First // Get days from (inclusive) var startDay = entry.start.getDate(), finishDay = daysInMonth; } else if ( ) { // Last // Get days to (inclusive) var startDay = 1, finishDay = entry.finish.getDate(); } else { // Intermediate // Get all days var startDay = 1, finishDay = daysInMonth; } // Apply for ( var day = startDay; day<=finishDay; ++day ) { entry.span[year][month][day] = true; } */ // Add to Year-Month Indexed if ( typeof this.entriesByYearMonth[year+'-'+month] === 'undefined' ) { this.entriesByYearMonth[year+'-'+month] = {}; } this.entriesByYearMonth[year+'-'+month][entry.id] = entry; // Increment date by one month if ( month === 11 ) { currentDate.setMonth(0); currentDate.setYear(year+1); } else { currentDate.setMonth(month+1); } } // Add to ID Indexed this.entriesById[entry.id] = entry; // Return entry return entry; } }; // Add the passed entries (if any) Entries.addEntries(config.calendarEntries); // Our Extender Event var calendarEntriesRender = function(datepicker, year, month) { // Fetch the Entries var monthEntries = Entries.getEntriesByYearMonth(year,month), $datepicker = $(datepicker); // Reset the Render var $days_tds = $datepicker.find('tbody td'), $days = $days_tds.find('a'); // Disable Click if ( config.disableClick ) { $days_tds.unbind('click').removeAttr('onclick'); $days.removeAttr('href').css('cursor','default'); } // Cycle Through Entries $.each(monthEntries, function(entryIndex,entry){ // Fetch stat and finish days var startMonth = entry.start.getMonth()+1, finishMonth = entry.finish.getMonth()+1, startDay = entry.start.getDate(), finishDay = entry.finish.getDate(); // Determine start and finish days in the rendered calendar var $startDay = startMonth == month ? $days.filter(':contains('+startDay+'):first') : $days.filter(':first'), $finishDay = finishMonth == month ? $days.filter(':contains('+finishDay+'):first') : $days.filter(':last'); // Determine the indexes var start = startMonth == month ? $days.index($startDay) : 0, finish = finishMonth == month ? $days.index($finishDay) : $days.length-1, duration = finish-start+1; // +1 to be inclusive // Betweens var $entryDays = []; if ( start == finish ) { $entryDays = $startDay; } else if ( start == finish-1 ) { $entryDays = $startDay.add($finishDay); } else { $entryDays = $startDay.add($days.filter(':lt('+(finish)+')').filter(':gt('+(start)+')')).add($finishDay); } // Add the Entry to These Days $entryDays.addClass(config.dayEventClass).each(function(dayIndex,dayElement){ // Fetch var $day = $(dayElement), day = $day.text().trim(), dayEntriesIds = $day.data('dayEntriesIds'); // Handle if ( typeof dayEntriesIds === 'undefined' ) { dayEntriesIds = entry.id; } else { dayEntriesIds = String(dayEntriesIds).split(/,/g); dayEntriesIds.push(entry.id); dayEntriesIds = dayEntriesIds.join(','); } // Apply $day.data('dayEntriesIds',dayEntriesIds); // Bind Entries $.each(config.domEvents,function(domEventName,domEventHandler){ $day.unbind(domEventName).bind(domEventName,function(domEvent){ // Prepare var $day = $(this), day = $day.text().trim(), dayEntriesIds = String($day.data('dayEntriesIds')).split(/,/g), date = new Date(); date.setDatestr(year+'-'+month+'-'+day); // Entries var dayEntries = [] $.each(dayEntriesIds,function(i,entryId){ var dayEntry = Entries.getEntryById(entryId); dayEntries.push(dayEntry); }); // Fire domEventHandler.apply(this, [domEvent, { "year":year, "month":month, "day":day, "date":date, "dayEntries":dayEntries, "monthEntries":monthEntries, "datepicker":datepicker }]); // Done return true; }); }); // Done }); }); // Done return true; }; // Change Month Year var calendarChangeMonthYear = function(year, month, inst) { // Prepare var datepicker = inst.dpDiv||inst; // Check if ( typeof config.ajaxEntriesUrl === 'string' && config.ajaxEntriesUrl.length ) { // Ajax Enabled if ( config.ajaxCache && Entries.isCacheable(year,month) && !Entries.isYearMonthEmpty(year,month) ) { // We can use the cache // And we have entries setTimeout(function(){ calendarEntriesRender(datepicker, year, month) },50); } else { // Prepare var data = $.extend({},{ year: year, month: month }, config.ajaxPostData ); // Fetch into the cache $.ajax({ "url": config.ajaxEntriesUrl, "method": 'post', "dataType": 'json', "data": data, success: function(data, status){ // Cycle var entries = data[config.ajaxEntriesVariable]||[]; // Enable caching for this year month Entries.setCacheable(year,month,true) // Check if we have entries if ( entries.length === 0 ) { return true; } // Store the Entries in the Calendar Data Entries.addEntries(entries); // Render the year and month, as we have new data setTimeout(function(){ calendarEntriesRender(datepicker, year, month) },50); // Done return true; }, error: function(XMLHttpRequest, textStatus, errorThrown, response_data){ // Error window.console.warn('$.EventCalendar.calendarChangeMonthYear.ajax.error:', [this, arguments]); } }); } } else if ( !Entries.isYearMonthEmpty(year,month) ) { // We are not using cache // And we have entries setTimeout(function(){ calendarEntriesRender(datepicker, year, month) },50); } // Done return true; }; // Prepare initial render var calendarInitialised = false; var calendarInit = function(year,month,inst){ // Prepare if ( calendarInitialised ) return; calendarInitialised = true; // Apply $(inst).addClass(config.calendarClass); calendarChangeMonthYear(year, month, inst); }; // Calendar Options var datepickerOptions = $.extend({}, config.datepickerOptions, { onChangeMonthYear: function(year, month, inst) { // Our Event calendarChangeMonthYear(year,month,inst); // Users' Event if ( typeof config.datepickerOptions.onChangeMonthYear === 'function' ) { calendarInit(year,month,inst); } }, beforeShow: function(input, inst) { datepickerShowed = true; // Users' Event if ( typeof config.datepickerOptions.beforeShow === 'function' ) { config.datepickerOptions.beforeShow.apply(this,[input,inst]); } // Our Event setTimeout(function(){ calendarInit(inst.drawYear, inst.drawMonth+1, inst); },1000); } }); // Apply Options so we can hook into the events $calendar.datepicker(datepickerOptions); // Fallback in case beforeShow fails us setTimeout(function(){ var date = $calendar.datepicker("getDate"); calendarInit(date.getFullYear(), date.getMonth()+1, $calendar); },2000); // Chain return $calendar; }, built: function(){ // Prepare var Me = this; // Attach $.fn.EventCalendar = function(mode,options) { // Alias return Me.fn.apply(this,[mode,options]); }; // Return true return true; } }); } else { window.console.warn("$.EventCalendar has already been defined..."); } })(jQuery);/** * @depends jquery, core.console, jquery.balclass * @name jquery.balclass.help * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * jQuery Help * @version 1.2.1 * @date August 20, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ if ( !($.Help||false) ) { $.Help = $.BalClass.create({ // Configuration config: { 'default': { // Elements wrap: '<span class="sparkle-help-wrap"/>', icon: '<span class="sparkle-help-icon"/>', text: '<span class="sparkle-help-text"/>', parentClass: '', title: '' } }, // Functions fn: function(options){ var Me = $.Help; if ( typeof options === 'string' ) { options = { title: options }; } var config = Me.getConfigWithDefault('default',options); // Fetch var $this = $(this); var $wrap = $(config.wrap); var $icon = $(config.icon); var $text = $(config.text); var $parent = $this.parent().addClass(config.parentClass); // Build var $contents = $this.contents(); $this.append($wrap.append($text).append($icon)); $contents.appendTo($text); $this.attr('title', config.title); // Done return $this; }, built: function(){ // Prepare var Me = this; // Attach $.fn.help = function(mode,options) { // Alias return Me.fn.apply(this,[mode,options]); }; // Return true return true; } }); } else { window.console.warn("$.Help has already been defined..."); } })(jQuery);/** * @depends jquery, core.console, jquery.balclass * @name jquery.balclass.timepicker * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * jQuery Time Picker * @version 1.3.1 * @date August 20, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ if ( !($.Timepicker||false) ) { /** * $.timepicker */ $.Timepicker = $.BalClass.create({ // Configuration config: { 'default': { useHtml5: false, timeConvention: 12 }, '12hr': { timeConvention: 12 }, '24hr': { timeConvention: 24 } }, // Functions fn: function(mode,options){ // Prepare var Me = $.Timepicker; var config = Me.getConfigWithDefault(mode,options); // Handle return $(this).each(function(){ var $input = $(this); // Prepare if ( $input.hasClass('sparkle-time-has') ) { // Already done return this; } $input.addClass('sparkle-time').addClass('sparkle-time-has'); // HTML5 if ( config.useHtml5 && Modernizr && Modernizr.inputtypes.date && $input.attemptTypeChangeTo('time') ) { // Chain return this; } // -------------------------- // Defaults var value = $input.val(), date = new Date(), timeConvention = config.timeConvention, hours = 12, minutes = 0, meridian = 'am'; // Assign if ( value ) { date.setTimestr(value); hours = date.getUTCHours(); minutes = date.getUTCMinutes(); } // Adjust if ( timeConvention === 12 && hours > 12 ) { meridian = 'pm'; hours -= 12; } minutes = minutes.roundTo(5); // Check if ( timeConvention === 12 ) { if ( hours > 12 || hours < 1 ) { hours = 1; window.console.warn('timepicker.fn: Invalid Hours.', [this,arguments]); } } else { if ( hours > 23 || hours < 0 ) { hours = 1; window.console.warn('timepicker.fn: Invalid Hours.', [this,arguments]); } } if ( minutes > 60 || minutes < 0 ) { minutes = 0; window.console.warn('timepicker.fn: Invalid Minutes.', [this,arguments]); } // -------------------------- // DOM Manipulation // Hide $input.hide(); // Meridian if ( timeConvention === 12 ) { var $meridian = $('<select class="sparkle-time-meridian" />'); $meridian.append('<option>am</option>'); $meridian.append('<option>pm</option>'); $meridian.val(meridian).insertAfter($input); } // Minutes var $minutes = $('<select class="sparkle-time-minutes" />'); for ( var mins=55,min=0; min<=mins; min+=5) { $minutes.append('<option value="'+min+'">'+min.padLeft('0',2)+'</option>'); } $minutes.val(minutes).insertAfter($input); // Hours var $hours = $('<select class="sparkle-time-hours" />'); if ( timeConvention === 12 ) { for ( var hours=timeConvention,hour=1; hour<=hours; ++hour ) { $hours.append('<option value="'+hour+'">'+hour.padLeft('0',2)+'</option>'); } $hours.val(hours-1).insertAfter($input); } else { for ( var hours=timeConvention,hour=0; hour<hours; ++hour ) { $hours.append('<option value="'+hour+'">'+hour.padLeft('0',2)+'</option>'); } $hours.val(hours).insertAfter($input); } // -------------------------- // Bind var updateFunction = function(){ var hours = parseInt($hours.val(),10); var minutes = $minutes.val(); if ( timeConvention === 12 ) { var meridian = $meridian.val(); // PM Adjustment if ( hours !== 12 && meridian === 'pm' ) { hours += 12; } // AM Adjustment if ( hours === 12 && meridian === 'am' ) { hours = 0; } } // Apply var value = hours.padLeft(0,2)+':'+minutes.padLeft(0,2)+':00'; $input.val(value).trigger('change'); }; $hours.add($minutes).add($meridian).change(updateFunction); $input.parent('form:first').submit(updateFunction); // Done return $input; }); }, built: function(){ // Prepare var Me = this; // Attach $.fn.timepicker = $.fn.Timepicker = function(mode,options) { // Alias return Me.fn.apply(this,[mode,options]); }; // Return true return true; } }); } else { window.console.warn("$.Timepicker has already been defined..."); } })(jQuery);/** * @depends jquery, core.console, jquery.balclass, tinymce * @name jquery.balclass.tinymce * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * jQuery TinyMCE Extender * @version 1.2.1 * @date August 20, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ if ( !($.Tinymce||false) ) { $.Tinymce = $.BalClass.create({ // Configuration config: { 'default': { // Location of TinyMCE script script_url: '/scripts/tiny_mce/tiny_mce.js', // General options theme: "advanced", plugins: "autoresize,safari,pagebreak,style,layer,table,save,advhr,advimage,advlink,emotions,iespell,inlinepopups,insertdatetime,preview,media,searchreplace,print,contextmenu,paste,directionality,fullscreen,noneditable,visualchars,nonbreaking,xhtmlxtras,template", // Theme options theme_advanced_buttons1: "bold,italic,underline,strikethrough,|,justifyleft,justifycenter,justifyright,justifyfull,|,styleselect,formatselect,fontselect,fontsizeselect,|,code,", theme_advanced_buttons2: "cut,copy,paste,pastetext,pasteword,|,undo,redo,|,link,unlink,image,|,preview,|,forecolor,backcolor,|,bullist,numlist,|,outdent,indent,blockquote,|,fullscreen", theme_advanced_buttons3: "tablecontrols,|,hr,removeformat,visualaid,|,sub,sup", theme_advanced_toolbar_location: "top", theme_advanced_toolbar_align: "left", theme_advanced_statusbar_location: "bottom", theme_advanced_path: false, theme_advanced_resizing: false, width: "100%", // Compat //add_form_submit_trigger: false, //submit_patch: false, // Example content CSS (should be your site CSS) // content_css : "css/content.css", // Replace values for the template plugin template_replace_values: { } }, 'rich': { }, 'simple': { theme_advanced_buttons2: "", theme_advanced_buttons3: "" } }, // Functions fn: function(mode,options) { var Me = $.Tinymce; var config = Me.getConfigWithDefault(mode,options); var $this = $(this); // Apply + Return return $this.tinymce(config); }, built: function(){ // Prepare var Me = this; // Attach $.fn.Tinymce = function(mode,options) { // Alias return Me.fn.apply(this,[mode,options]); }; // Return true return true; } }); } else { window.console.warn("$.Tinymce has already been defined..."); } })(jQuery);/** * @depends jquery, core.console, jquery.extra, jquery.balclass * @name jquery.balclass.bespin.sparkle * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} */ /** * jQuery Aliaser */ (function($){ /** * Prepare Body */ $(document.body).addClass('js'); /** * jQuery Sparkle - jQuery's DRY Effect Library * @version 1.5.0 * @date August 28, 2010 * @since 1.0.0, June 30, 2010 * @package jquery-sparkle {@link http://balupton.com/projects/jquery-sparkle} * @author Benjamin "balupton" Lupton {@link http://balupton.com} * @copyright (c) 2009-2010 Benjamin Arthur Lupton {@link http://balupton.com} * @license MIT License {@link http://creativecommons.org/licenses/MIT/} */ if ( !($.Sparkle||false) ) { /** * $.SparkleClass */ $.SparkleClass = $.BalClass.clone({ /** * Alias for Sparkle.addExtension */ addExtensions: function() { // Prepare var Sparkle = this; // Handle var result = Sparkle.addExtension.apply(Sparkle,arguments); // Fire the Configured Promise Sparkle.onConfigured(true); // Return result return result; }, /** * Add an Extension */ addExtension: function() { // Prepare var Sparkle = this, Extension = {}; // Determine switch ( true ) { case Boolean(arguments[2]||false): // name, config, extension // name, extension, config if ( typeof arguments[0] === 'string' && typeof arguments[2] === 'function' && typeof arguments[1] === 'object' ) { Extension.extension = arguments[2]; Extension.config = arguments[1]; Extension.name = arguments[0]; } if ( typeof arguments[0] === 'string' && typeof arguments[1] === 'function' && typeof arguments[2] === 'object' ) { Extension.extension = arguments[1]; Extension.config = arguments[2]; Extension.name = arguments[0]; } else { window.console.error('Sparkle.addExtension: Invalid Input'); } break; case Boolean(arguments[1]||false): // name, Extension // name, extension if ( typeof arguments[0] === 'string' && typeof arguments[1] === 'function' ) { Extension.extension = arguments[1]; Extension.name = arguments[0]; } else if ( typeof arguments[0] === 'string' && Sparkle.isExtension(arguments[1]) ){ Extension = arguments[1]; Extension.name = arguments[0]; } else { window.console.error('Sparkle.addExtension: Invalid Input'); } break; case Boolean(arguments[0]||false): // Extension // Series if ( Sparkle.isExtension(arguments[0]) ) { Extension = arguments[0]; } else if ( typeof arguments[0] === 'object' || typeof arguments[0] === 'array' ) { // Series $.each(arguments[0],function(key,value){ Sparkle.addExtension(key,value); }); // Chain return this; } else { window.console.error('Sparkle.addExtension: Invalid Input'); } break; } // Ensure Extension.config = Extension.config||{}; Extension.extension = Extension.extension||{}; // Add Extension Sparkle.addConfig(Extension.name, Extension); // Bind Ready Handler Sparkle.onReady(function(){ // Fire Extension Sparkle.triggerExtension($('body'),Extension); }); // Chain return this; }, /** * Do we have that Extension */ hasExtension: function (extension) { // Prepare var Sparkle = this, Extension = Sparkle.getExtension(extension); // Return return Extension !== 'undefined'; }, /** * Is the passed Extension an Extension */ isExtension: function (extension) { // Return return Boolean(extension && (extension.extension||false)); }, /** * Get the Extensions */ getExtensions: function ( ) { // Prepare var Sparkle = this, Config = Sparkle.getConfig(), Extensions = {}; // Handle $.each(Config,function(key,value){ if ( Sparkle.isExtension(value) ) { Extensions[key] = value; } }); // Return Extensions return Extensions; }, /** * Get an Extension */ getExtension: function(extension) { // Prepare var Sparkle = this, Extension = undefined; // HAndle if ( Sparkle.isExtension(extension) ) { Extension = extension; } else { var fetched = Sparkle.getConfigWithDefault(extension); if ( Sparkle.isExtension(fetched) ) { Extension = fetched; } } // Return Extension return Extension; }, /** * Get Config from an Extension */ getExtensionConfig: function(extension) { // Prepare var Sparkle = this Extension = Sparkle.getExtension(extension); // Return return Extension.config||{}; }, /** * Apply Config to an Extension */ applyExtensionConfig: function(extension, config) { // Prepare var Sparkle = this; // Handle Sparkle.applyConfig(extension, {'config':config}); // Chain return this; }, /** * Trigger all the Extensions */ triggerExtensions: function(element){ // Prepare var Sparkle = this, Extensions = Sparkle.getExtensions(); // Handle $.each(Extensions,function(extension,Extension){ Sparkle.triggerExtension(element,Extension); }); // Chain return this; }, /** * Trigger Extension */ triggerExtension: function(element,extension){ // Prepare var Sparkle = this, Extension = Sparkle.getExtension(extension), element = element instanceof jQuery ? element : $('body'); // Handle if ( Extension ) { return Extension.extension.apply(element, [Sparkle, Extension.config, Extension]); } else { window.console.error('Sparkle.triggerExtension: Could not find the extension.', [this,arguments], [extension,Extension]); } // Chain return this; }, /** * Sparkle jQuery Function */ fn: function(Sparkle,extension){ // Prepare var $el = $(this); // HAndle if ( extension ) { // Individual Sparkle.triggerExtension.apply(Sparkle, [$el,extension]); } else { // Series Sparkle.triggerExtensions.apply(Sparkle, [$el]); } // Chain return this; }, /** * Sparkle Constructor */ built: function(){ // Prepare var Sparkle = this; // -------------------------- // Attach $.fn.sparkle = function(extension) { // Alias return Sparkle.fn.apply(this,[Sparkle,extension]); }; // -------------------------- // Setup Promises // Bind DomReady Handler $(function(){ // Fire DocumentReady Promise Sparkle.onDocumentReady(true); }); // Bind Configured Handler Sparkle.onConfigured(function(){ // Bind DocumentReady Handler Sparkle.onDocumentReady(function(){ // Fire Ready Promise Sparkle.onReady(true); }); }); // -------------------------- // Return true return true; }, /** * Handle the Configured Promise * We use promise as the function will fire if the event was already fired as it is still true * @param {mixed} arguments */ onConfigured: function(){ var Sparkle = this; // Handle Promise return $.promise({ 'object': Sparkle, 'handlers': 'onConfiguredHandlers', 'flag': 'isConfigured', 'arguments': arguments }); }, /** * Handle the DocumentReady Promise * We use promise as the function will fire if the event was already fired as it is still true * @param {mixed} arguments */ onDocumentReady: function(handler){ // Prepare var Sparkle = this; // Handle Promise return $.promise({ 'object': Sparkle, 'handlers': 'onDocumentReadyHandlers', 'flag': 'isDocumentReady', 'arguments': arguments }); }, /** * Handle the Ready Promise * We use promise as the function will fire if the event was already fired as it is still true * @param {mixed} arguments */ onReady: function(handler){ // Prepare var Sparkle = this; // Handle Promise return $.promise({ 'object': Sparkle, 'handlers': 'onReadyHandlers', 'flag': 'isReady', 'arguments': arguments }); } }); /** * $.Sparkle */ $.Sparkle = $.SparkleClass.create().addExtensions({ 'date': { config: { selector: '.sparkle-date', datepickerOptions: { }, demoText: 'Date format must use the international standard: [year-month-day]. This due to other formats being ambigious eg. day/month/year or month/day/year.', demo: '<input type="text" class="sparkle-date" value="2010-08-05" />' }, extension: function(Sparkle, config){ var $this = $(this); // Fetch var $elements = $this.findAndSelf(config.selector); if ( !$elements.length ) { return true; } // Check if ( typeof $elements.Datepicker === 'undefined' ) { window.console.warn('Datepicker not loaded. Did you forget to include it?'); return false; } // Apply $elements.Datepicker(config.datepickerOptions); // Done return true; } }, 'time': { config: { selector: '.sparkle-time', timepickerOptions: { }, demoText: 'Time format must be either [hour:minute:second] or [hour:minute], with hours being between 0-23.', demo: '<input type="text" class="sparkle-time" value="23:11" />' }, extension: function(Sparkle, config){ var $this = $(this); // Fetch var $elements = $this.findAndSelf(config.selector); if ( !$elements.length ) { return true; } // Check if ( typeof $elements.Timepicker === 'undefined' ) { window.console.warn('Timepicker not loaded. Did you forget to include it?'); return false; } // Apply $elements.Timepicker(config.timepickerOptions); // Done return true; } }, 'datetime': { config: { selector: '.sparkle-datetime', datepickerOptions: { }, timepickerOptions: { }, demoText: 'Date format must use the international standard: [year-month-day]. This due to other formats being ambigious eg. day/month/year or month/day/year.<br/>\ Time format must be either [hour:minute:second] or [hour:minute], with hours being between 0-23.', demo: '<input type="text" class="sparkle-datetime" value="2010-08-05 23:10:09" />' }, extension: function(Sparkle, config){ var $this = $(this); // Fetch var $elements = $this.findAndSelf(config.selector); if ( !$elements.length ) { return true; } // Check if ( typeof $elements.Datetimepicker === 'undefined' ) { window.console.warn('Datetimepicker not loaded. Did you forget to include it?'); return false; } // Apply $elements.Datetimepicker({ datepickerOptions: Sparkle.getExtensionConfig('date').datepickerOptions, timepickerOptions: Sparkle.getExtensionConfig('time').timepickerOptions }); // Done return true; } }, 'hide-if-empty': { config: { selector: '.sparkle-hide-if-empty:empty', demo: '<div class="sparkle-hide-if-empty" style="border:1px solid black"></div>'+"\n"+ '<div class="sparkle-hide-if-empty" style="border:1px solid black">Hello World</div>' }, extension: function(Sparkle, config) { var $this = $(this); // Fetch var $elements = $this.findAndSelf(config.selector); if ( !$elements.length ) { return true; } // Apply $elements.hide(); // Done return true; } }, 'hide': { config: { selector: '.sparkle-hide', demo: '<div class="sparkle-hide">Something to Hide when Sparkle has Loaded</div>' }, extension: function(Sparkle, config) { var $this = $(this); // Fetch var $elements = $this.findAndSelf(config.selector); if ( !$elements.length ) { return true; } // Apply $elements.removeClass(config.selector.replace('.','')).hide(); // Done return true; } }, 'show': { config: { selector: '.sparkle-show', demo: '<div class="sparkle-show" style="display:none;">Something to Show when Sparkle has Loaded</div>' }, extension: function(Sparkle, config) { var $this = $(this); // Fetch var $elements = $this.findAndSelf(config.selector); if ( !$elements.length ) { return true; } // Apply $elements.removeClass(config.selector.replace('.','')).show(); // Done return true; } }, 'subtle': { config: { selector: '.sparkle-subtle', css: { }, inSpeed: 200, inCss: { 'opacity': 1 }, outSpeed: 400, outCss: { 'opacity': 0.5 }, demo: '<div class="sparkle-subtle">This is some subtle text. (mouseover)</div>' }, extension: function(Sparkle, config) { var $this = $(this); // Fetch var $elements = $this.findAndSelf(config.selector); if ( !$elements.length ) { return true; } // Apply var css = {}; $.extend(css, config.outCss, config.css); $elements.css(css).opacityFix().hover(function() { // Over $(this).stop(true, false).animate(config.inCss, config.inSpeed); }, function() { // Out $(this).stop(true, false).animate(config.outCss, config.outSpeed); }); // Done return true; } }, 'panelshower': { config: { selectorSwitch: '.sparkle-panelshower-switch', selectorPanel: '.sparkle-panelshower-panel', inSpeed: 200, outSpeed: 200, demo: '' }, extension: function(Sparkle, config) { var $this = $(this); // Fetch var $switches = $this.findAndSelf(config.selectorSwitch); var $panels = $this.findAndSelf(config.selectorPanel); if ( !$switches.length && !$panels.length ) { return true; } // Events var events = { clickEvent: function(event) { var $switch = $(this); var $panel = $switch.siblings(config.selectorPanel).filter(':first'); var value = $switch.val(); var show = $switch.is(':checked,:selected') && !(!value || value === 0 || value === '0' || value === 'false' || value === false || value === 'no' || value === 'off'); if (show) { $panel.fadeIn(config.inSpeed); } else { $panel.fadeOut(config.outSpeed); } } }; // Apply $switches.once('click',events.clickEvent); $panels.hide(); // Done return true; } }, 'autogrow': { config: { selector: 'textarea.autogrow,textarea.autosize', demo: '<textarea class="autogrow">This textarea will autogrow with your input. - Only if jQuery Autogrow has been loaded.</textarea>' }, extension: function(Sparkle, config){ var $this = $(this); // Fetch var $elements = $this.findAndSelf(config.selector); if ( !$elements.length ) { return true; } // Check if (typeof $.fn.autogrow === 'undefined') { window.console.warn('autogrow not loaded. Did you forget to include it?'); return false; } // Apply $elements.autogrow(); // Done return true; } }, 'gsfnwidget': { config: { selector: '.gsfnwidget', demo: '<a class="gsfnwidget" href="#">This link will show a GetSatisfaction Widget onclick. - Only if GetSatisfaction has been loaded.</a>' }, extension: function(Sparkle, config) { var $this = $(this); // Events var events = { clickEvent: function(event) { if ( typeof GSFN_feedback_widget === 'undefined' ) { window.console.warn('GSFN not loaded. Did you forget to include it?'); return true; // continue with click event } GSFN_feedback_widget.show(); //event.stopPropagation(); event.preventDefault(); return false; } }; // Fetch var $elements = $this.findAndSelf(config.selector); if ( !$elements.length ) { return true; } // Apply $elements.once('click',events.clickEvent); // Done return true; } }, 'hint': { config: { selector: '.form-input-tip,.sparkle-hint,.sparkle-hint-has,:text[placeholder]', hasClass: 'sparkle-hint-has', hintedClass: 'sparkle-hint-hinted', demoText: 'Simulates HTML5\'s <code>placeholder</code> attribute for non HTML5 browsers. Placeholder can be the <code>title</code> or <code>placeholder</code> attribute. Placeholder will not be sent with the form (unlike most other solutions). The <code>sparkle-hint</code> class is optional if you are using the <code>placeholder</code> attribute.', demo: '<input type="text" class="sparkle-hint" placeholder="This is some hint text." title="This is a title." /><br/>'+"\n"+ '<input type="text" class="sparkle-hint" title="This is some hint text." />' }, extension: function(Sparkle, config) { var $this = $(this); // Fetch var $inputs = $this.findAndSelf(config.selector).addClass(config.hasClass); if ( !$inputs.length ) { return true; } // Events var events = { focusEvent: function(){ var $input = $(this); var tip = $input.attr('placeholder')||$input.attr('title'); var val = $input.val(); // Handle if (tip === val) { $input.val('').removeClass(config.hintedClass); } // Done return true; }, blurEvent: function(){ var $input = $(this); var tip = $input.attr('placeholder')||$input.attr('title'); var val = $input.val(); // Handle if (tip === val || !val) { $input.val('').addClass(config.hintedClass).val(tip); } // Done return true; }, submitEvent: function(){ $inputs.trigger('focus'); } }; // Apply if ( typeof Modernizr !== 'undefined' && Modernizr.input.placeholder ) { // We Support HTML5 Hinting $inputs.each(function(){ var $input = $(this); // Set the placeholder as the title if the placeholder does not exist // We could use a filter selector, however we believe this should be faster - not benchmarked though var title = $input.attr('title'); if ( title && !$input.attr('placeholder') ) { $input.attr('placeholder',title); } }); } else { // We Support Javascript Hinting $inputs.each(function(){ var $input = $(this); $input.once('focus',events.focusEvent).once('blur',events.blurEvent).trigger('blur'); }); $this.find('form').once('submit',events.submitEvent); } // Done return $this; } }, 'debug': { config: { selector: '.sparkle-debug', hasClass: 'sparkle-debug-has', hintedClass: 'sparkle-debug-hinted', showVar: 'sparkle-debug-show', demo: '' }, extension: function(Sparkle, config) { var $this = $(this); // Fetch var $debug = $this.findAndSelf(config.selector); if ( !$debug.length ) { return true; } // Apply $debug.addClass(config.hasClass).find('.value:has(.var)').hide().siblings('.name,.type').addClass('link').once('singleclick',events.clickEvent).once('dblclick',events.dblclickEvent); // Events var events = { clickEvent: function(event){ var $this = $(this); var $parent = $this.parent(); var show = !$parent.data(config.showVar); $parent.data(config.showVar, show); $this.siblings('.value').toggle(show); }, dblclickEvent: function(event){ var $this = $(this); var $parent = $this.parent(); var show = $parent.data(config.showVar); // first click will set this off $parent.data(config.showVar, show); $parent.find('.value').toggle(show); } }; // Done return $this; } }, 'submit': { config: { selector: '.sparkle-submit', demoText: 'Adding the <code>sparkle-submit</code> class to an element within a <code>form</code> will submit the form when that element is clicked.' }, extension: function(Sparkle, config) { var $this = $(this); // Fetch var $submit = $this.findAndSelf(config.selector); if ( !$submit.length ) { return true; } // Events var events = { clickEvent: function(event){ var $this = $(this).submitForm(); return true; } }; // Apply $submit.once('singleclick',events.clickEvent); // Done return $this; } }, 'submitswap': { config: { selector: '.sparkle-submitswap', demoText: 'Adding the <code>sparkle-submitswap</code> class to a submit button, will swap it\'s value with it\'s title when it has been clicked. Making it possible for a submit value which isn\'t the submit button\'s text.' }, extension: function(Sparkle, config) { var $this = $(this); // Fetch var $submit = $this.findAndSelf(config.selector); if ( !$submit.length ) { return true; } // Events var events = { clickEvent: function(event){ // Fetch var $submit = $(this); // Put correct value back $submit.val($submit.data('sparkle-submitswap-value')); // Continue with Form Submission return true; } }; // Apply $submit.once('singleclick',events.clickEvent); $submit.each(function(){ var $submit = $(this); $submit.data('sparkle-submitswap-value', $submit.val()); $submit.val($submit.attr('title')); $submit.removeAttr('title'); }); // Done return $this; } }, 'highlight-values': { config: { selector: '.sparkle-highlight-values', innerSelector: 'td,.column', empty: ['',false,null,'false','null',0,'-'], emptyClass: 'sparkle-highlight-values-empty', notemptyClass: 'sparkle-highlight-values-notempty', demoText: 'Adding the <code>sparkle-highlight-values</code> class to a table will highlight all <code>td</code> elements with non empty values. By adding <code>sparkle-highlight-values-notempty</code> or <code>sparkle-highlight-values-empty</code> to the corresponding <code>td</code> element - which can by styled by yourself. Benefit over css\'s <code>:empty</code> as 0, false, null and - are counted as empty values (not just "").' }, extension: function(Sparkle, config) { var $this = $(this); // Fetch var $container = $this.findAndSelf(config.selector); if ( !$container.length ) { return true; } // Apply var $inner = $container.findAndSelf(config.innerSelector); $inner.each(function(){ var $this = $(this); var value = $this.text().trim(); var empty = config.empty.has(value); if ( empty ) { $this.addClass(config.emptyClass); } else { $this.addClass(config.notemptyClass); } }); // Done return $this; } }, 'demo': { config: { selector: '.sparkle-demo', hasClass: 'sparkle-debug-has', demoText: 'Adding the <code>sparkle-demo</code> will display all these demo examples used on this page.' }, extension: function(Sparkle, config){ var $this = $(this); var $container = $this.findAndSelf(config.selector); // Prepare if ( $container.hasClass(config.hasClass) || !$container.length ) { // Only run once return true; } $container.addClass(config.hasClass); // Fetch var Extensions = Sparkle.getExtensions(); // Cycle $.each(Extensions,function(extension,Extension){ var demo = Extension.config.demo||''; var demoText = Extension.config.demoText||''; if ( !demo && !demoText ) { return true; // continue } var $demo = $( '<div class="sparkle-demo-section" id="sparkle-demo-'+extension+'">\ <h3>'+extension+'</h3>\ </div>' ); if ( demoText ) { $demo.append('<div class="sparkle-demo-text">'+demoText+'</div>'); } if ( demo ) { var demoCode = demo.replace(/</g,'&lt;').replace(/>/g,'&gt;'); $demo.append( '<h4>Example Code:</h4>\ <pre class="code language-html sparkle-demo-code">'+demoCode+'</pre>\ <h4>Example Result:</h4>\ <div class="sparkle-demo-result">'+demo+'</div>' ); } $demo.appendTo($container); }); // Sparkle $container.sparkle(); // Done return $this; } } }); } else { window.console.warn('$.Sparkle has already been defined...'); } })(jQuery);
balupton/jquery-sparkle
scripts/jquery.sparkle.js
JavaScript
mit
134,797
/* globals document, ajaxurl, tinymce, window */ define([ 'jquery', 'modal', 'jquery-ui.sortable' ], function ($, modal) { return function(areas, callback) { var $areas = $(areas).filter(':not(.initialized)'); $areas.addClass('initialized'); var updateData = function() { if(typeof tinymce !== 'undefined' && tinymce.get('content')) { //use WordPress native beforeunload warning if content is modified tinymce.get('content').isNotDirty = false; } var data = {}; $areas.each(function () { var col = []; $(this).find('> ul, > div > ul').find('> li[data-widget]:not(.removed)').each(function () { col.push({ "widgetId": $(this).data('widget'), "instance": $(this).data('instance') }); }); data[$(this).data('id')] = col; }); callback(data); }; $areas.find('> ul, > div > ul').sortable({ connectWith: $areas.find('> ul, > div > ul'), placeholder: "neochic-woodlets-placeholder", delay: 250, update: updateData, receive: function (e, ui) { var $area = $(this).closest('.woodlets-content-area'); var widgetId = ui.item.data('widget'); var allowed = $area.data('allowed'); if ($.inArray(widgetId, allowed) < 0) { ui.sender.sortable("cancel"); } } }); $areas.on('click', '.add-element', function (e) { var $button = $(this); if ($button.hasClass('blocked')) { return; } $button.addClass('blocked'); e.preventDefault(); var $area = $(this).closest('.woodlets-content-area'); $.ajax({ method: "post", url: ajaxurl, data: { action: "neochic_woodlets_get_widget_list", allowed: $area.data('allowed') } }).done(function (data) { var $content = $(data); var selectWidget = function($widget, preventClose) { var widget = $widget.closest('.widget').data('widget'); $button.removeClass('blocked'); $.ajax({ method: "post", url: ajaxurl, data: { "action": "neochic_woodlets_get_widget_preview", "widget": widget, "instance": null } }).done(function (result) { var item = $(result); $area.find('> ul, > div > ul').append(item); updateData(); if (!preventClose) { modal.close(); } item.trigger('click'); }); }; var $widgets = $content.find('.widget-top'); if ($widgets.length === 1) { selectWidget($widgets, true); return; } $content.on('click', '.widget-top', function () { selectWidget($(this)); }); $content.on('click', '.cancel', function() { modal.close(); }); modal.open($content, 'Add item'); }); }); $areas.on('click', '.delete', function () { var removed = $(this).closest('.neochic-woodlets-widget'); removed.addClass('removed'); updateData(); }); $areas.on('click', '.revert-removal a', function() { var reverted = $(this).closest('.neochic-woodlets-widget'); //we wan't the click event to bubble first window.setTimeout(function() { reverted.removeClass('removed'); updateData(); }, 4); }); $areas.on('click', '> ul > li.neochic-woodlets-widget, > div > ul > li.neochic-woodlets-widget', function (e) { var el = $(this); if (el.hasClass('blocked') || el.hasClass('removed')) { return; } el.addClass('blocked'); /* * stop propagation to prevent widget getting collapsed by WordPress */ e.stopPropagation(); /* * do not open widget form if an action (like "delete") is clicked */ if (!$(e.target).is('.edit') && $(e.target).closest('.row-actions').length > 0) { return; } var widget = $(this).data('widget'); //this should be done more elegant! var name = $(this).find(".widget-title h4").text(); var data = { action: "neochic_woodlets_get_widget_form", widget: widget, instance: JSON.stringify(el.data('instance')) }; var pageIdEle = $("#post_ID"); if (pageIdEle.length) { data.woodletsPageId = pageIdEle.val(); } $.ajax({ method: "post", url: ajaxurl, data: data }).done(function (data) { var form = $('<form>' + data + '<span class="button cancel">Cancel</span> <button type="submit" class="button button-primary">Save</button></form>'); form.on('submit', function (e) { $(document).trigger('neochic-woodlets-form-end', form); $.ajax({ method: "post", url: ajaxurl, data: $(this).serialize() + '&widget=' + widget + '&action=neochic_woodlets_get_widget_update' + (pageIdEle.length ? '&woodletsPageId=' + pageIdEle.val() : "") }).done(function (result) { var instance = $.parseJSON(result); el.data('instance', instance); var previewData = { "action": "neochic_woodlets_get_widget_preview", "widget": widget, "instance": JSON.stringify(instance) }; if (pageIdEle.length) { previewData.woodletsPageId = pageIdEle.val(); } $.ajax({ method: "post", url: ajaxurl, data: previewData }).done(function (result) { el.replaceWith($(result)); }); modal.close(); updateData(); }); e.preventDefault(); }); form.on('click', '.cancel', function() { modal.close(); }); modal.open(form, name); $(document).trigger('neochic-woodlets-form-init', form); el.removeClass('blocked'); }); }); }; });
Neochic/Woodlets
js/content-area-manager.js
JavaScript
mit
7,553
$(document).ready(function() { var $sandbox = $('#sandbox'); module('typographer_punctuation', { teardown: function() { teardownSandbox($sandbox); } }); var bdquo = '\u201E'; // &bdquo; var rdquo = '\u201D'; // &rdquo; var laquo = '\u00AB'; // &laquo; var raquo = '\u00BB'; // &raquo; var nbsp = '\u00A0'; // &nbsp; var ellip = '\u2026'; // &hellip; var apos = '\u2019'; // &rsquo; var ndash = '\u2013'; // '&ndash; półpauza var mdash = '\u2014'; // '&ndash; pauza test('Initialization', function() { $sandbox.typographer_punctuation(); ok($.fn.typographer_punctuation.defaults, '$.fn.typographer_punctuation.defaults present'); ok($sandbox.hasClass($.fn.typographer_punctuation.defaults.contextClass), 'Context has valid class'); }); test('Quotes correction', function() { var testSpec = [ { init: 'Lorem "ipsum" dolor sit amet.', expected: 'Lorem \u201Eipsum\u201D dolor sit amet.' }, { init: 'Oto "źdźbło" trawy.', expected: 'Oto \u201Eźdźbło\u201D trawy.' }, { init: 'kolegom, że "...moja to trzyma buty".', expected: 'kolegom, że \u201E...moja to trzyma buty\u201D.' }, { init: 'Taką "długą grę" lubię.', expected: 'Taką \u201Edługą grę\u201D lubię.' }, { init: '"jakimi butami jesteś", mój wynik ', expected: '\u201Ejakimi butami jesteś\u201D, mój wynik ' }, { init: 'Lorem "ipsum »dolor« sit" amet.', expected: 'Lorem \u201Eipsum \u00ABdolor\u00BB sit\u201D amet.' } ]; $.each(testSpec, function(i, data) { $sandbox.get(0).innerHTML = data.init; $sandbox.typographer_punctuation({'correction': ['quotes']}); equal($sandbox.get(0).innerHTML, data.expected, data.init); teardownSandbox($sandbox); }); }); test('Ellipsis correction', function() { var testSpec = [ { init: 'Dawno, dawno temu...', expected: 'Dawno, dawno temu' + ellip }, { init: 'Wprost do... domu.', expected: 'Wprost do' + ellip + ' domu.' } ]; $.each(testSpec, function(i, data) { $sandbox.get(0).innerHTML = data.init; $sandbox.typographer_punctuation({'correction': ['ellipsis']}); equal($sandbox.get(0).innerHTML, data.expected, data.init); teardownSandbox($sandbox); }); }); test('Apostrophe correction', function() { var testSpec = [ { init: 'Alfabet Morse\'a', expected: 'Alfabet Morse' + apos + 'a' }, { init: 'prawo Murphy\'ego', expected: 'prawo Murphy' + apos + 'ego' } ]; $.each(testSpec, function(i, data) { $sandbox.get(0).innerHTML = data.init; $sandbox.typographer_punctuation({'correction': ['apostrophe']}); equal($sandbox.get(0).innerHTML, data.expected, data.init); teardownSandbox($sandbox); }); }); test('Dash correction', function() { var testSpec = [ { init: 'A to jest - rzecz oczywista - najlepsze wyjście.', expected: 'A to jest ' + ndash + ' rzecz oczywista ' + ndash + ' najlepsze wyjście.' }, { init: 'Wiedza - to potęga.', expected: 'Wiedza ' + ndash + ' to potęga.' }, { init: 'Działalność PAN-u', expected: 'Działalność PAN-u' }, { init: 'Działalność PAN' + ndash + 'u', expected: 'Działalność PAN-u' }, { init: 'Elżbieta Nowak-Kowalska', expected: 'Elżbieta Nowak-Kowalska' }, { init: 'W latach 1999-2001', expected: 'W latach 1999' + ndash + '2001' }, { init: 'W latach 1999 - 2001', expected: 'W latach 1999' + ndash + '2001' }, { init: 'W latach 1999 ' + ndash + ' 2001', expected: 'W latach 1999' + ndash + '2001' } ]; $.each(testSpec, function(i, data) { $sandbox.get(0).innerHTML = data.init; $sandbox.typographer_punctuation({'dash': ['dash']}); equal($sandbox.get(0).innerHTML, data.expected, data.init); teardownSandbox($sandbox); }); }); });
mir3z/jquery.typographer
test/jquery.typographer.punctuation.test.js
JavaScript
mit
4,996
module.exports = { general: { lenguage (){ temp['locale'] = event.target.value }, close (){ temp['exit_without_ask'] = event.target.checked }, minimize (){ temp['exit_forced'] = event.target.checked }, hide (){ temp['start_hide'] = event.target.checked }, delete (){ temp['ask_on_delete'] = event.target.checked }, theme (){ temp['theme'] = event.target.value } }, network: { conections (){ temp['conections_max'] = event.target.value }, directory (){ temp['dir_downloads'] = event.target.value }, announces (){ temp['announces'] = event.target.value } }, advance: { table (){ temp_interval['table'] = event.target.value }, tray (){ temp_interval['tray'] = event.target.value }, footer (){ temp_interval['footer'] = event.target.value }, reset() { dialog.showMessageBox({ type: "question", title: locale.dialog.reset.title, message: locale.dialog.reset.ask, defaultId: 0, cancelId: 0, buttons: [locale.cancel, locale.dialog.reset.accept] }, select => { if(select === 0) return false gui.send('reset-settings') $('#modal_configs').modal('hide') }) } }, gui: { open() { temp = [] temp_interval = [] modal = $('#modal_configs') modal.modal('toggle') configs.gui.set(modal); }, save() { for (config in temp) settings[config] = temp[config] for (config in temp_interval) settings.interval[config] = temp_interval[config] ipcRenderer.send('save-settings', settings) }, set(modal) { let checkboxs = ['exit_without_ask', 'start_hide', 'exit_forced', 'ask_on_delete'] for (var i = checkboxs.length - 1; i >= 0; i--) { modal.find('#opt-'+checkboxs[i]).prop("checked", settings[checkboxs[i]]) } let textboxs = ['announces', 'conections_max', 'dir_downloads'] for (var i = textboxs.length - 1; i >= 0; i--) { modal.find('#opt-'+textboxs[i]).val(settings[textboxs[i]]) } let intervals = ["table", "tray", "footer"] for (var i = intervals.length - 1; i >= 0; i--) { modal.find('#opt-interval_'+intervals[i]).val(settings.interval[intervals[i]]) } modal.find('#opt-locale-'+ settings.locale).prop("selected", true) } } }
FaCuZ/torrentmedia
app/js/configs.js
JavaScript
mit
2,228
/* This file has been generated by yabbler.js */ require.define({ "program": function(require, exports, module) { var test = require('test'); var a = require('submodule/a'); var b = require('submodule/b'); test.assert(a.foo == b.foo, 'a and b share foo through a relative require'); test.print('DONE', 'info'); }}, ["test", "submodule/a", "submodule/b"]);
jbrantly/yabble
test/modules1.0/wrappedTests/relative/program.js
JavaScript
mit
356
(function() { 'use strict'; angular .module('material') .controller('MainController', MainController); /** @ngInject */ function MainController($timeout, webDevTec, toastr) { var vm = this; vm.awesomeThings = []; vm.classAnimation = ''; vm.creationDate = 1437577753474; vm.showToastr = showToastr; activate(); function activate() { getWebDevTec(); $timeout(function() { vm.classAnimation = 'rubberBand'; }, 4000); } function showToastr() { toastr.info('Fork <a href="https://github.com/Swiip/generator-gulp-angular" target="_blank"><b>generator-gulp-angular</b></a>'); vm.classAnimation = ''; } function getWebDevTec() { vm.awesomeThings = webDevTec.getTec(); angular.forEach(vm.awesomeThings, function(awesomeThing) { awesomeThing.rank = Math.random(); }); } } })();
LuukMoret/gulp-angular-examples
es5/material/src/app/main/main.controller.js
JavaScript
mit
906
import getValue from './getValue.js'; import getNumberValue from './getNumberValue.js'; export default function getOverlayPlaneModule(metaData) { const overlays = []; for (let overlayGroup = 0x00; overlayGroup <= 0x1e; overlayGroup += 0x02) { let groupStr = `x60${overlayGroup.toString(16)}`; if (groupStr.length === 4) { groupStr = `x600${overlayGroup.toString(16)}`; } const data = getValue(metaData[`${groupStr}3000`]); if (!data) { continue; } const pixelData = []; for (let i = 0; i < data.length; i++) { for (let k = 0; k < 8; k++) { const byte_as_int = metaData.Value[data.dataOffset + i]; pixelData[i * 8 + k] = (byte_as_int >> k) & 0b1; // eslint-disable-line no-bitwise } } overlays.push({ rows: getNumberValue(metaData[`${groupStr}0010`]), columns: getNumberValue(metaData[`${groupStr}0011`]), type: getValue(metaData[`${groupStr}0040`]), x: getNumberValue(metaData[`${groupStr}0050`], 1) - 1, y: getNumberValue(metaData[`${groupStr}0050`], 0) - 1, pixelData, description: getValue(metaData[`${groupStr}0022`]), label: getValue(metaData[`${groupStr}1500`]), roiArea: getValue(metaData[`${groupStr}1301`]), roiMean: getValue(metaData[`${groupStr}1302`]), roiStandardDeviation: getValue(metaData[`${groupStr}1303`]), }); } return { overlays, }; }
chafey/cornerstoneWADOImageLoader
src/imageLoader/wadors/metaData/getOverlayPlaneModule.js
JavaScript
mit
1,430
'use strict'; /********************************************************************** * Angular Application (client side) **********************************************************************/ angular.module('SwagApp', ['ngRoute', 'appRoutes', 'ui.bootstrap', 'ui.bootstrap.tpls' , 'MainCtrl', 'LoginCtrl', 'MySwagCtrl', 'MySwagService', 'GeekCtrl', 'GeekService']) .config(function($routeProvider, $locationProvider, $httpProvider) { //================================================ // Add an interceptor for AJAX errors //================================================ $httpProvider.responseInterceptors.push(function($q, $location) { return function(promise) { return promise.then( // Success: just return the response function(response){ return response; }, // Error: check the error status to get only the 401 function(response) { if (response.status === 401) $location.url('/login'); return $q.reject(response); } ); } }); //================================================ }) //end of config .run(function($rootScope, $http){ $rootScope.message = ''; // Logout function is available in any pages $rootScope.logout = function(){ $rootScope.message = 'Logged out.'; $http.post('/logout'); }; });
e2themillions/swaggatar
public/js/app.js
JavaScript
mit
1,462
import { bindable, customAttribute, inject } from 'aurelia-framework'; import { AttributeManager } from '../common/attributeManager'; @customAttribute('b-button') @inject(Element) export class BButton { @bindable bStyle = 'default'; @bindable bSize = null; @bindable bBlock = null; @bindable bDisabled = false; @bindable bActive = false; constructor(element) { this.element = element; this.fixedAttributeManager = new AttributeManager(this.element); } attached() { this.fixedAttributeManager.addClasses('btn'); this.fixedAttributeManager.addClasses(`btn-${this.bStyle}`); if (this.bSize) { this.fixedAttributeManager.addClasses(`btn-${this.bSize}`); } if (this.bBlock) { this.fixedAttributeManager.addClasses('btn-block'); } if (this.bDisabled === true) { this.fixedAttributeManager.addClasses('disabled'); } if (this.bActive === true) { this.fixedAttributeManager.addClasses('active'); } } }
aurelia-ui-toolkits/aurelia-bootstrap-bridge
src/button/button.js
JavaScript
mit
1,041
$(document).ready(function(){ var nav = navigator.userAgent.toLowerCase(); //La variable nav almacenará la información del navegador del usuario if(nav.indexOf("firefox") != -1){ //En caso de que el usuario este usando el navegador MozillaFirefox $("#fecha_inicio").mask("9999-99-99",{placeholder:"AAAA-MM-DD"}); //Se inicializa el campo fecha con el plugIn de maskedInput $("#fecha_fin").mask("9999-99-99",{placeholder:"AAAA-MM-DD"}); //Se inicializa el campo fecha con el plugIn de maskedInput } $("#accordion").on("show.bs.collapse", ".collapse", function(e){ $(this).parent(".panel").find(".panel-heading .panel-title a span").removeClass("glyphicon-plus").addClass("glyphicon-minus"); }); $("#accordion").on("hide.bs.collapse", ".collapse", function(e){ $(this).parent(".panel").find(".panel-heading .panel-title a span").addClass("glyphicon-plus").removeClass("glyphicon-minus"); }); $("#hora_inicio").mask("99:99",{placeholder:"00:00"}); $("#hora_fin").mask("99:99",{placeholder:"00:00"}); $('#registro-evento').validator(); $("#registro-evento").on("submit", function(){ $(this).attr("disabled","disabled"); $('#seccion2').animate({scrollTop : 0}, 500); }); $("#imagen").fileinput({ language: "es", fileType: "image", showUpload: false, browseLabel: 'Examinar &hellip;', removeLabel: 'Remover' }); $("#img-change").on("click", function(){ if ($("#img-change").is(":checked")) { $("#imagen-content figure").hide(); $("#imagen-content h4").hide(); $("#imagen-content .form-group").removeClass("hidden"); }else{ $("#imagen-content figure").show(); $("#imagen-content h4").show(); $("#imagen-content .form-group").addClass("hidden"); } }); });
JoseSoto33/proyecto-sismed
assets/js/funciones-formulario-evento.js
JavaScript
mit
1,944
(function webpackUniversalModuleDefinition(root, factory) { if(typeof exports === 'object' && typeof module === 'object') module.exports = factory(require("react")); else if(typeof define === 'function' && define.amd) define(["react"], factory); else if(typeof exports === 'object') exports["shared-components"] = factory(require("react")); else root["shared-components"] = factory(root["react"]); })(this, function(__WEBPACK_EXTERNAL_MODULE_1__) { return /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ // Check if module is in cache /******/ if(installedModules[moduleId]) /******/ return installedModules[moduleId].exports; /******/ // Create a new module (and put it into the cache) /******/ var module = installedModules[moduleId] = { /******/ exports: {}, /******/ id: moduleId, /******/ loaded: false /******/ }; /******/ // Execute the module function /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); /******/ // Flag the module as loaded /******/ module.loaded = true; /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = modules; /******/ // expose the module cache /******/ __webpack_require__.c = installedModules; /******/ // __webpack_public_path__ /******/ __webpack_require__.p = ""; /******/ // Load entry module and return exports /******/ return __webpack_require__(0); /******/ }) /************************************************************************/ /******/ ([ /* 0 */ /***/ function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _react = __webpack_require__(1); var _react2 = _interopRequireDefault(_react); __webpack_require__(2); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } var NumberPicker = function (_React$Component) { _inherits(NumberPicker, _React$Component); function NumberPicker(props) { _classCallCheck(this, NumberPicker); var _this = _possibleConstructorReturn(this, Object.getPrototypeOf(NumberPicker).call(this, props)); _this.MAX_VALUE = _this.maxValue(); return _this; } _createClass(NumberPicker, [{ key: "maxValue", value: function maxValue() { var str_max = ""; for (var i = 0; i < this.props.digits; i++) { str_max += "9"; }if (this.props.showDecimal) str_max += ".99"; return parseFloat(str_max); } }, { key: "digitInteger", value: function digitInteger(ltr_digit) { var sValue = this.props.value.toString(); var a_sValue = sValue.split("."); var integer = a_sValue[0]; var rtl_digit = this.props.digits - (ltr_digit - 1); if (rtl_digit > integer.length) return "0"; return integer[integer.length - rtl_digit]; } }, { key: "digitDecimal", value: function digitDecimal(ltr_digit) { var sValue = this.props.value.toString(); var a_sValue = sValue.split("."); var decimal = a_sValue.length > 1 && a_sValue[1].length > 0 ? a_sValue[1] : "00"; if (decimal.length > 2) decimal = decimal.substr(0, 2); if (decimal.length < 2) decimal = decimal + "0"; return decimal[ltr_digit - 1]; } }, { key: "modifyValue", value: function modifyValue(type, value, event) { event.preventDefault(); if (!this.props.onChange) return; var value_to_add = type === "down" ? value * -1 : value; var new_value = this.props.value + value_to_add; /* adjust float operations */ var str_new_value = this.props.showDecimal ? new_value.toFixed(2) : new_value.toFixed(0); var adjusted_new_value = parseFloat(str_new_value); /* dont work with negative values, YET */ if (adjusted_new_value < 0) adjusted_new_value = 0; /* prevent from exceed maximum possible values */ if (adjusted_new_value > this.MAX_VALUE) adjusted_new_value = this.MAX_VALUE; this.props.onChange(adjusted_new_value); } }, { key: "renderButtons", value: function renderButtons(type) { var elements = []; /* display an invisible cell */ if (this.props.currency) { elements.push(_react2.default.createElement("div", { key: "currency", className: "NumberPicker__cell button" })); } /* display tob/bottom buttons */ for (var i = 0; i < this.props.digits; i++) { var value_to_add = Math.pow(10, this.props.digits - i - 1); elements.push(_react2.default.createElement( "div", { key: "integer-" + i, className: "NumberPicker__cell button " + type }, _react2.default.createElement("span", { className: type, onClick: this.modifyValue.bind(this, type, value_to_add) }) )); } /* display invisible cell to decimal separator and tob/bottom buttons for decimals */ if (this.props.showDecimal) { elements.push(_react2.default.createElement("div", { key: "decimal-separator", className: "NumberPicker__cell decimal-separator" })); elements.push(_react2.default.createElement( "div", { key: "decimal-1", className: "NumberPicker__cell button " + type }, _react2.default.createElement("span", { className: type, onClick: this.modifyValue.bind(this, type, 0.1) }) )); elements.push(_react2.default.createElement( "div", { key: "decimal-2", className: "NumberPicker__cell button " + type }, _react2.default.createElement("span", { className: type, onClick: this.modifyValue.bind(this, type, 0.01) }) )); } return elements; } }, { key: "renderDigits", value: function renderDigits() { var elements = []; if (this.props.currency) { elements.push(_react2.default.createElement( "div", { key: "currency", className: "NumberPicker__cell currency" }, _react2.default.createElement( "span", { className: "currency" }, this.props.currency ) )); } for (var i = 0; i < this.props.digits; i++) { var digit = i + 1; elements.push(_react2.default.createElement( "div", { key: digit, className: "NumberPicker__cell digit" }, _react2.default.createElement( "span", { className: "digit" }, this.digitInteger(digit) ) )); } if (this.props.showDecimal) { elements.push(_react2.default.createElement( "div", { key: "decimal-separator", className: "NumberPicker__cell decimal-separator" }, _react2.default.createElement( "span", { className: "decimal-separator" }, this.props.decimalSeparator ) )); elements.push(_react2.default.createElement( "div", { key: "decimal-1", className: "NumberPicker__cell digit" }, _react2.default.createElement( "span", { className: "digit" }, this.digitDecimal(1) ) )); elements.push(_react2.default.createElement( "div", { key: "decimal-2", className: "NumberPicker__cell digit" }, _react2.default.createElement( "span", { className: "digit" }, this.digitDecimal(2) ) )); } return elements; } }, { key: "render", value: function render() { return _react2.default.createElement( "div", { className: "NumberPicker__wrapper" }, _react2.default.createElement( "div", { className: "NumberPicker__table" }, _react2.default.createElement( "div", { className: "NumberPicker__row" }, this.renderButtons("up") ), _react2.default.createElement( "div", { className: "NumberPicker__row" }, this.renderDigits() ), _react2.default.createElement( "div", { className: "NumberPicker__row" }, this.renderButtons("down") ) ) ); } }]); return NumberPicker; }(_react2.default.Component); NumberPicker.propTypes = { onChange: _react2.default.PropTypes.func, digits: _react2.default.PropTypes.number.isRequired, currency: _react2.default.PropTypes.string, value: _react2.default.PropTypes.number.isRequired, showDecimal: _react2.default.PropTypes.bool.isRequired, decimalSeparator: _react2.default.PropTypes.string.isRequired }; NumberPicker.defaultProps = { digits: 1, currency: null, value: 0.00, decimalSeparator: ".", showDecimal: false }; exports.default = NumberPicker; /***/ }, /* 1 */ /***/ function(module, exports) { module.exports = __WEBPACK_EXTERNAL_MODULE_1__; /***/ }, /* 2 */ /***/ function(module, exports) { // removed by extract-text-webpack-plugin /***/ } /******/ ]) }); ;
mrlew/react-number-picker
dist/react-number-picker.js
JavaScript
mit
10,328
// Copyright (c) 2012 Ecma International. All rights reserved. // Ecma International makes this code available under the terms and conditions set // forth on http://hg.ecmascript.org/tests/test262/raw-file/tip/LICENSE (the // "Use Terms"). Any redistribution of this code must retain the above // copyright and this notice and otherwise comply with the Use Terms. /*--- es5id: 15.2.3.7-6-a-78 description: > Object.defineProperties will not throw TypeError when P.configurable is false, P.writalbe is false, properties.value and P.value are two numbers with the same value (8.12.9 step 10.a.ii.1) includes: [propertyHelper.js] ---*/ var obj = {}; Object.defineProperty(obj, "foo", { value: 100, writable: false, configurable: false }); Object.defineProperties(obj, { foo: { value: 100 } }); verifyEqualTo(obj, "foo", 100); verifyNotWritable(obj, "foo"); verifyNotEnumerable(obj, "foo"); verifyNotConfigurable(obj, "foo");
PiotrDabkowski/Js2Py
tests/test_cases/built-ins/Object/defineProperties/15.2.3.7-6-a-78.js
JavaScript
mit
975
import React from "react"; export default class TransactionSentModal extends React.Component { constructor(props) { super(props); this.state = { }; } render() { return ( <div className={this.props.transactionSent ? "transaction-sent-wrap active" : "transaction-sent-wrap"}> { this.props.transactionSent ? <form className="container transactionSent" onSubmit={this.props.closeSuccessModal}> <div className="head"> <h3>Sent </h3> <span className="close" onClick={this.props.closeSuccessModal}>X</span> </div> <div className="currency"> <span>Currency:</span> <img className={this.props.sendCoin === 'safex' ? 'coin' : 'coin hidden-xs hidden-sm hidden-md hidden-lg'} onClick={this.props.sendCoinSafex} src="images/coin-white.png" alt="Safex Coin"/> <img className={this.props.sendCoin === 'btc' ? 'coin' : 'coin hidden-xs hidden-sm hidden-md hidden-lg'} onClick={this.props.sendCoinBtc} src="images/btc-coin.png" alt="Bitcoin Coin"/> </div> <div className="input-group"> <label htmlFor="from">From:</label> <textarea name="from" className="form-control" readOnly value={this.props.publicKey} placeholder="Address" aria-describedby="basic-addon1"> </textarea> </div> <div className="input-group"> <label htmlFor="destination">To:</label> <textarea name="destination" className="form-control" readOnly value={this.props.receiveAddress} placeholder="Address" aria-describedby="basic-addon1"> </textarea> </div> <div className="input-group"> <label htmlFor="txid">TX ID:</label> <textarea name="txid" className="form-control" readOnly value={this.props.txid} placeholder="Address" aria-describedby="basic-addon1" rows="3"> </textarea> </div> <input type="hidden" readOnly name="private_key" value={this.props.privateKey} /> <input type="hidden" readOnly name="public_key" value={this.props.publicKey} /> <div className="form-group"> <label htmlFor="amount">Amount:</label> <input readOnly name="amount" value={this.props.sendAmount} /> </div> <div className="form-group"> <label htmlFor="fee">Fee(BTC):</label> <input readOnly name="fee" value={this.props.sendFee} /> </div> <div className="form-group"> <label htmlFor="total">Total:</label> <input readOnly name="total" value={this.props.sendTotal} /> </div> <button type="submit" className="sent-close button-shine"> Close </button> </form> : <div></div> } </div> ); } }
safex/safex_wallet
src/components/partials/TransactionSentModal.js
JavaScript
mit
4,367
Chance = require('chance'); chance = new Chance(); function generateStudent() { var numberOfStudent = chance.integer({ min: 0, max: 10 }) console.log(numberOfStudent); var students = []; for (var i = 0; i < numberOfStudent; i++) { var birthYear = chance.year({ min: 1990, max: 2000 }); var gender = chance.gender(); students.push({ firstname: chance.first({ gender: gender }), lastname: chance.last(), gender: gender, birthday: chance.birthday({ year: birthYear }) }); } console.log(students); return students; } function genPlaName() { var planetsName = ["Sun", "Kepler", "Earth", "Dagoba", "Coruscant", "Venus", "Jupiter", "Hoth"]; var idName = chance.integer({ min: 0, max: planetsName.length-1 }); var rndNumber = chance.integer({ min: 1, max: 9999 }); return planetsName[idName] + "-" + rndNumber; } function generatePlanet() { var nbrOfPlanet = chance.integer({ min: 1, max: 10 }); var planets = []; for (var i = 0; i < nbrOfPlanet; i++) { var minTemperature = chance.integer({ min: -270, max: 1000 }); var maxTemperature = chance.integer({ min: minTemperature, max: 1000 }); planets.push({ name: genPlaName(), minTemperature: minTemperature, maxTemperature: maxTemperature }); } console.log(planets); return planets; } function generatePayload() { return generatePlanet(); } exports.generatePayload = generatePayload;
verdonarthur/Teaching-HEIGVD-RES-2016-Labo-HTTPInfra
docker-images/node-image/src/jsonPayloadGen.js
JavaScript
mit
1,797
dojo.provide("plugins.core.Agua.File"); /* SUMMARY: THIS CLASS IS INHERITED BY Agua.js AND CONTAINS FILE CACHE AND FILE MANIPULATION METHODS */ dojo.declare( "plugins.core.Agua.File", [ ], { /////}}} // FILECACHE METHODS getFoldersUrl : function () { return Agua.cgiUrl + "agua.cgi?"; }, setFileCaches : function (url) { console.log("Agua.File.setFileCache url: " + url); var callback = dojo.hitch(this, function (data) { //console.log("Agua.File.setFileCache BEFORE setData, data: "); //console.dir({data:data}); this.setData("filecaches", data); }); //console.log("Agua.File.setFileCache Doing this.fetchJson(url, callback)"); this.fetchJson(url, callback); }, fetchJson : function (url, callback) { console.log("Agua.File.fetchJson url: " + url); var thisObject = this; dojo.xhrGet({ url: url, sync: false, handleAs: "json", handle: function(data) { //console.log("Agua.File.fetchJson data: "); //console.dir({data:data}); callback(data); }, error: function(response) { console.log("Agua.File.fetchJson Error with JSON Post, response: " + response); } }); }, getFileCache : function (username, location) { console.log("Agua.File.getFileCache username: " + username); console.log("Agua.File.getFileCache location: " + location); var fileCaches = this.cloneData("filecaches"); console.log("Agua.File.getFileCache fileCaches: "); console.dir({fileCaches:fileCaches}); // RETURN IF NO ENTRIES FOR USER if ( ! fileCaches[username] ) return null; return fileCaches[username][location]; }, setFileCache : function (username, location, item) { console.log("Agua.File.setFileCache username: " + username); console.log("Agua.File.setFileCache location: " + location); console.log("Agua.File.setFileCache item: "); console.dir({item:item}); var fileCaches = this.getData("filecaches"); console.log("Agua.File.setFileCache fileCaches: "); console.dir({fileCaches:fileCaches}); if ( ! fileCaches ) fileCaches = {}; if ( ! fileCaches[username] ) fileCaches[username] = {}; fileCaches[username][location] = item; var parentDir = this.getParentDir(location); console.log("Agua.File.setFileCache parentDir: " + parentDir); if ( ! parentDir ) { console.log("Agua.File.setFileCache SETTING fileCaches[" + username + "][" + location + "] = item"); fileCaches[username][location] = item; return; } var parent = fileCaches[username][parentDir]; console.log("Agua.File.setFileCache parent: " + parent); if ( ! parent ) return; console.log("Agua.File.setFileCache parent: " + parent); this.addItemToParent(parent, item); console.log("Agua.File.setFileCache parent: " + parent); console.dir({parent:parent}); }, addItemToParent : function (parent, item) { parent.items.push(item); }, getFileSystem : function (putData, callback, request) { console.log("Agua.File.getFileSystem caller: " + this.getFileSystem.caller.nom); console.log("Agua.File.getFileSystem putData:"); console.dir({putData:putData}); console.log("Agua.File.getFileSystem callback: " + callback); console.dir({callback:callback}); console.log("Agua.File.getFileSystem request:"); console.dir({request:request}); // SET DEFAULT ARGS EMPTY ARRAY if ( ! request ) request = new Array; // SET LOCATION var location = ''; if ( putData.location || putData.query ) location = putData.query || putData.location; console.log("Agua.File.getFileSystem location: " + location); var username = putData.username; console.log("Agua.File.getFileSystem username: " + username); // USE IF CACHED var fileCache = this.getFileCache(username, location); console.log("Agua.File.getFileSystem fileCache:"); console.dir({fileCache:fileCache}); if ( fileCache ) { console.log("Agua.File.getFileSystem fileCache IS DEFINED. Doing setTimeout callback(fileCache, request)"); // DELAY TO AVOID node is undefined ERROR setTimeout( function() { callback(fileCache, request); }, 10, this); return; } else { console.log("Agua.File.getFileSystem fileCache NOT DEFINED. Doing remote query"); this.queryFileSystem(putData, callback, request); } }, queryFileSystem : function (putData, callback, request) { console.log("Agua.File.queryFileSystem putData:"); console.dir({putData:putData}); console.log("Agua.File.queryFileSystem callback:"); console.dir({callback:callback}); console.log("Agua.File.queryFileSystem request:"); console.dir({request:request}); // SET LOCATION var location = ''; if ( putData.location || putData.query ) location = putData.query; if ( ! putData.path && location ) putData.path = location; console.log("Agua.File.queryFileSystem location: " + location); // SET USERNAME var username = putData.username; var url = this.cgiUrl + "agua.cgi"; // QUERY REMOTE var thisObject = this; var putArgs = { url : url, //url : putData.url, contentType : "text", sync : false, preventCache: true, handleAs : "json-comment-optional", putData : dojo.toJson(putData), handle : function(response) { console.log("Agua.File.queryFileSystem handle response:"); console.dir({response:response}); console.log("Agua.File.queryFileSystem BEFORE this.setFileCache()"); thisObject.setFileCache(username, location, dojo.clone(response)); console.log("Agua.File.queryFileSystem AFTER this.setFileCache()"); //callback(response, request); } }; var deferred = dojo.xhrPut(putArgs); deferred.addCallback(callback); var scope = request.scope || dojo.global; deferred.addErrback(function(error){ if(request.onError){ request.onError.call(scope, error, request); } }); }, removeFileTree : function (username, location) { console.log("Agua.File.removeFileTree username: " + username); console.log("Agua.File.removeFileTree location: " + location); var fileCaches = this.getData("filecaches"); console.log("Agua.File.removeFileTree fileCaches: "); console.dir({fileCaches:fileCaches}); if ( ! fileCaches ) { console.log("Agua.File.removeFileTree fileCaches is null. Returning"); return; } var rootTree = fileCaches[username]; console.log("Agua.File.removeFileTree rootTree: "); console.dir({rootTree:rootTree}); if ( ! rootTree ) { console.log("Agua.File.removeFileTree rootTree is null. Returning"); return; } for ( var fileRoot in fileCaches[username] ) { if ( fileRoot.match('^' + location +'$') || fileRoot.match('^' + location +'\/') ) { console.log("Agua.File.removeFileTree DELETING fileRoot: " + fileRoot); // delete fileCaches[username][fileRoot]; } } if ( ! location.match(/^(.+)\/[^\/]+$/) ) { console.log("Agua.File.removeFileTree No parentDir. Returning"); return; } var parentDir = location.match(/^(.+)\/[^\/]+$/)[1]; var child = location.match(/^.+\/([^\/]+)$/)[1]; console.log("Agua.File.removeFileTree parentDir: " + parentDir); console.log("Agua.File.removeFileTree child: " + child); this.removeItemFromParent(fileCaches[username][parentDir], child); var project1 = fileCaches[username][parentDir]; console.log("Agua.File.removeFileTree project1: " + project1); console.dir({project1:project1}); console.log("Agua.File.removeFileTree END"); }, removeItemFromParent : function (parent, childName) { for ( i = 0; i < parent.items.length; i++ ) { var childObject = parent.items[i]; if ( childObject.name == childName ) { parent.items.splice(i, 1); break; } } }, removeRemoteFile : function (username, location, callback) { console.log("Agua.File.removeRemoteFile username: " + username); console.log("Agua.File.removeRemoteFile location: " + location); console.log("Agua.File.removeRemoteFile callback: " + callback); // DELETE ON REMOTE var url = this.getFoldersUrl(); var putData = new Object; putData.mode = "removeFile"; putData.module = "Folders"; putData.sessionid = Agua.cookie('sessionid'); putData.username = Agua.cookie('username'); putData.file = location; var thisObject = this; dojo.xhrPut( { url : url, putData : dojo.toJson(putData), handleAs : "json", sync : false, handle : function(response) { if ( callback ) callback(response); } } ); }, renameFileTree : function (username, oldLocation, newLocation) { console.log("Agua.File.renameFileTree username: " + username); console.log("Agua.File.renameFileTree oldLocation: " + oldLocation); console.log("Agua.File.renameFileTree newLocation: " + newLocation); var fileCaches = this.getData("filecaches"); console.log("Agua.File.renameFileTree fileCaches: "); console.dir({fileCaches:fileCaches}); if ( ! fileCaches ) { console.log("Agua.File.renameFileTree fileCaches is null. Returning"); return; } var rootTree = fileCaches[username]; console.log("Agua.File.renameFileTree rootTree: "); console.dir({rootTree:rootTree}); if ( ! rootTree ) { console.log("Agua.File.renameFileTree rootTree is null. Returning"); return; } for ( var fileRoot in fileCaches[username] ) { if ( fileRoot.match('^' + oldLocation +'$') || fileRoot.match('^' + oldLocation +'\/') ) { console.log("Agua.File.renameFileTree DELETING fileRoot: " + fileRoot); var value = fileCaches[username][fileRoot]; var re = new RegExp('^' + oldLocation); var newRoot = fileRoot.replace(re, newLocation); console.log("Agua.File.renameFileTree ADDING newRoot: " + newRoot); delete fileCaches[username][fileRoot]; fileCaches[username][newRoot] = value; } } console.log("Agua.File.renameFileTree oldLocation: " + oldLocation); var parentDir = this.getParentDir(oldLocation); console.log("Agua.File.renameFileTree oldLocation: " + oldLocation); if ( ! parentDir ) return; console.log("Agua.File.renameFileTree Doing this.renameItemInParent()"); var child = this.getChild(oldLocation); var newChild = newLocation.match(/^.+\/([^\/]+)$/)[1]; console.log("Agua.File.renameFileTree parentDir: " + parentDir); console.log("Agua.File.renameFileTree child: " + child); console.log("Agua.File.renameFileTree newChild: " + newChild); var parent = fileCaches[username][parentDir]; this.renameItemInParent(parent, child, newChild); console.log("Agua.File.renameFileTree parent: " + parent); console.dir({parent:parent}); console.log("Agua.File.renameFileTree END"); }, renameItemInParent : function (parent, childName, newChildName) { for ( i = 0; i < parent.items.length; i++ ) { var childObject = parent.items[i]; if ( childObject.name == childName ) { var re = new RegExp(childName + "$"); parent.items[i].name= parent.items[i].name.replace(re, newChildName); console.log("Agua.File.renameItemInParent NEW parent.items[" + i + "].name: " + parent.items[i].name); parent.items[i].path= parent.items[i].path.replace(re, newChildName); console.log("Agua.File.repathItemInParent NEW parent.items[" + i + "].path: " + parent.items[i].path); break; } } }, getParentDir : function (location) { if ( ! location.match(/^(.+)\/[^\/]+$/) ) return null; return location.match(/^(.+)\/[^\/]+$/)[1]; }, getChild : function (location) { if ( ! location.match(/^.+\/([^\/]+)$/) ) return null; return location.match(/^.+\/([^\/]+)$/)[1]; }, isDirectory : function (username, location) { // USE IF CACHED var fileCache = this.getFileCache(username, location); console.log("Agua.File.isDirectory username: " + username); console.log("Agua.File.isDirectory location: " + location); console.log("Agua.File.isDirectory fileCache: "); console.dir({fileCache:fileCache}); if ( fileCache ) return fileCache.directory; return null; }, isFileCacheItem : function (username, directory, itemName) { console.log("Agua.isFileCacheItem username: " + username); console.log("Agua.isFileCacheItem directory: " + directory); console.log("Agua.isFileCacheItem itemName: " + itemName); var fileCache = this.getFileCache(username, directory); console.log("Agua.isFileCacheItem fileCache: " + fileCache); console.dir({fileCache:fileCache}); if ( ! fileCache || ! fileCache.items ) return false; for ( var i = 0; i < fileCache.items.length; i++ ) { if ( fileCache.items[i].name == itemName) return true; } return false; }, // FILE METHODS renameFile : function (oldFilePath, newFilePath) { // RENAME FILE OR FOLDER ON SERVER var url = this.getFoldersUrl(); var query = new Object; query.mode = "renameFile"; query.module = "Agua::Folders"; query.sessionid = Agua.cookie('sessionid'); query.username = Agua.cookie('username'); query.oldpath = oldFilePath; query.newpath = newFilePath; this.doPut({ url: url, query: query, sync: false }); }, createFolder : function (folderPath) { // CREATE FOLDER ON SERVER var url = this.getFoldersUrl(); var query = new Object; query.mode = "newFolder"; query.module = "Agua::Folders"; query.sessionid = Agua.cookie('sessionid'); query.username = Agua.cookie('username'); query.folderpath = folderPath; this.doPut({ url: url, query: query, sync: false }); }, // FILEINFO METHODS getFileInfo : function (stageParameterObject, fileinfo) { // GET THE BOOLEAN fileInfo VALUE FOR A STAGE PARAMETER if ( fileinfo != null ) { console.log("Agua.File.getFileInfo fileinfo parameter is present. Should you be using setFileInfo instead?. Returning null."); return null; } return this._fileInfo(stageParameterObject, fileinfo); }, setFileInfo : function (stageParameterObject, fileinfo) { // SET THE BOOLEAN fileInfo VALUE FOR A STAGE PARAMETER if ( ! stageParameterObject ) return; if ( fileinfo == null ) { console.log("Agua.File.setFileInfo fileinfo is null. Returning null."); return null; } return this._fileInfo(stageParameterObject, fileinfo); }, _fileInfo : function (stageParameterObject, fileinfo) { // RETURN THE fileInfo BOOLEAN FOR A STAGE PARAMETER // OR SET IT IF A VALUE IS SUPPLIED: RETURN NULL IF // UNSUCCESSFUL, TRUE OTHERWISE console.log("Agua.File._fileInfo plugins.core.Data._fileInfo()"); console.log("Agua.File._fileInfo stageParameterObject: "); console.dir({stageParameterObject:stageParameterObject}); console.log("Agua.File._fileInfo fileinfo: "); console.dir({fileinfo:fileinfo}); var uniqueKeys = ["username", "project", "workflow", "appname", "appnumber", "name", "paramtype"]; var valueArray = new Array; for ( var i = 0; i < uniqueKeys.length; i++ ) { valueArray.push(stageParameterObject[uniqueKeys[i]]); } var stageParameter = this.getEntry(this.cloneData("stageparameters"), uniqueKeys, valueArray); console.log("Agua.File._fileInfo stageParameter found: "); console.dir({stageParameter:stageParameter}); if ( stageParameter == null ) { console.log("Agua.File._fileInfo stageParameter is null. Returning null"); return null; } // RETURN FOR GETTER if ( fileinfo == null ) { console.log("Agua.File._fileInfo DOING the GETTER. Returning stageParameter.exists: " + stageParameter.fileinfo.exists); return stageParameter.fileinfo.exists; } console.log("Agua.File._fileInfo DOING the SETTER"); // ELSE, DO THE SETTER stageParameter.fileinfo = fileinfo; var success = this._removeStageParameter(stageParameter); if ( success == false ) { console.log("Agua.File._fileInfo Could not remove stage parameter. Returning null"); return null; } console.log("Agua.File._fileInfo BEFORE success = this._addStageParameter(stageParameter)"); success = this._addStageParameter(stageParameter); if ( success == false ) { console.log("Agua.File._fileInfo Could not add stage parameter. Returning null"); return null; } return true; }, // VALIDITY METHODS getParameterValidity : function (stageParameterObject, booleanValue) { // GET THE BOOLEAN parameterValidity VALUE FOR A STAGE PARAMETER //console.log("Agua.File.getParameterValidity plugins.core.Data.getParameterValidity()"); ////console.log("Agua.File.getParameterValidity stageParameterObject: " + dojo.toJson(stageParameterObject)); ////console.log("Agua.File.getParameterValidity booleanValue: " + booleanValue); if ( booleanValue != null ) { //console.log("Agua.File.getParameterValidity booleanValue parameter is present. Should you be using "setParameterValidity" instead?. Returning null."); return null; } var isValid = this._parameterValidity(stageParameterObject, booleanValue); //console.log("Agua.File.getParameterValidity '" + stageParameterObject.name + "' isValid: " + isValid); return isValid; }, setParameterValidity : function (stageParameterObject, booleanValue) { // SET THE BOOLEAN parameterValidity VALUE FOR A STAGE PARAMETER ////console.log("Agua.File.setParameterValidity plugins.core.Data.setParameterValidity()"); ////console.log("Agua.File.setParameterValidity stageParameterObject: " + dojo.toJson(stageParameterObject)); ////console.log("Agua.File.setParameterValidity " + stageParameterObject.name + " booleanValue: " + booleanValue); if ( booleanValue == null ) { //console.log("Agua.File.setParameterValidity booleanValue is null. Returning null."); return null; } var isValid = this._parameterValidity(stageParameterObject, booleanValue); //console.log("Agua.File.setParameterValidity '" + stageParameterObject.name + "' isValid: " + isValid); return isValid; }, _parameterValidity : function (stageParameterObject, booleanValue) { // RETURN THE parameterValidity BOOLEAN FOR A STAGE PARAMETER // OR SET IT IF A VALUE IS SUPPLIED ////console.log("Agua.File._parameterValidity plugins.core.Data._parameterValidity()"); //console.log("Agua.File._parameterValidity stageParameterObject: " + dojo.toJson(stageParameterObject, true)); ////console.log("Agua.File._parameterValidity booleanValue: " + booleanValue); //////var filtered = this._getStageParameters(); //////var keys = ["appname"]; //////var values = ["image2eland.pl"]; //////filtered = this.filterByKeyValues(filtered, keys, values); ////////console.log("Agua.File._parameterValidity filtered: " + dojo.toJson(filtered, true)); var uniqueKeys = ["project", "workflow", "appname", "appnumber", "name", "paramtype"]; var valueArray = new Array; for ( var i = 0; i < uniqueKeys.length; i++ ) { valueArray.push(stageParameterObject[uniqueKeys[i]]); } var stageParameter = this.getEntry(this._getStageParameters(), uniqueKeys, valueArray); //console.log("Agua.File._parameterValidity stageParameter found: " + dojo.toJson(stageParameter, true)); if ( stageParameter == null ) { //console.log("Agua.File._parameterValidity stageParameter is null. Returning null"); return null; } if ( booleanValue == null ) return stageParameter.isValid; //console.log("Agua.File._parameterValidity stageParameter: " + dojo.toJson(stageParameter, true)); //console.log("Agua.File._parameterValidity booleanValue: " + booleanValue); // SET isValid BOOLEAN VALUE stageParameter.isValid = booleanValue; var success = this._removeStageParameter(stageParameter); if ( success == false ) { //console.log("Agua.File._parameterValidity Could not remove stage parameter. Returning null"); return null; } ////console.log("Agua.File._parameterValidity BEFORE success = this._addStageParameter(stageParameter)"); success = this._addStageParameter(stageParameter); if ( success == false ) { //console.log("Agua.File._parameterValidity Could not add stage parameter. Returning null"); return null; } return true; } });
aguadev/aguadev
html/plugins/core/Agua/File.js
JavaScript
mit
19,766
import { globalThis } from './global-this'; /** * Detect if running in Node.js. * @type {boolean} */ const isNode = Object.prototype.toString.call(globalThis.process) === '[object process]'; export { isNode };
zant95/otpauth
src/utils/is-node.js
JavaScript
mit
215
/** * History.js Core * History.js HTML4 Support * @author Benjamin Arthur Lupton <[email protected]> * @copyright 2010-2011 Benjamin Arthur Lupton <[email protected]> * @license New BSD License <http://creativecommons.org/licenses/BSD/> */ define(function(require){ "use strict"; // ======================================================================== // Initialise // Localise Globals var console = window.console||undefined, // Prevent a JSLint complain document = window.document, // Make sure we are using the correct document navigator = window.navigator, // Make sure we are using the correct navigator sessionStorage = window.sessionStorage||false, // sessionStorage setTimeout = window.setTimeout, clearTimeout = window.clearTimeout, setInterval = window.setInterval, clearInterval = window.clearInterval, JSON = window.JSON, alert = window.alert, History = window.History = window.History||{}, // Public History Object history = window.history; // Old History Object try { sessionStorage.setItem('TEST', '1'); sessionStorage.removeItem('TEST'); } catch(e) { sessionStorage = false; } // MooTools Compatibility JSON.stringify = JSON.stringify||JSON.encode; JSON.parse = JSON.parse||JSON.decode; // Check Existence if ( typeof History.init !== 'undefined' ) { throw new Error('History.js Core has already been loaded...'); } // Add the Adapter History.Adapter = { /** * History.Adapter.handlers[uid][eventName] = Array */ handlers: {}, /** * History.Adapter._uid * The current element unique identifier */ _uid: 1, /** * History.Adapter.uid(element) * @param {Element} element * @return {String} uid */ uid: function(element){ return element._uid || (element._uid = History.Adapter._uid++); }, /** * History.Adapter.bind(el,event,callback) * @param {Element} element * @param {String} eventName - custom and standard events * @param {Function} callback * @return */ bind: function(element,eventName,callback){ // Prepare var uid = History.Adapter.uid(element); // Apply Listener History.Adapter.handlers[uid] = History.Adapter.handlers[uid] || {}; History.Adapter.handlers[uid][eventName] = History.Adapter.handlers[uid][eventName] || []; History.Adapter.handlers[uid][eventName].push(callback); // Bind Global Listener element['on'+eventName] = (function(element,eventName){ return function(event){ History.Adapter.trigger(element,eventName,event); }; })(element,eventName); }, /** * History.Adapter.trigger(el,event) * @param {Element} element * @param {String} eventName - custom and standard events * @param {Object} event - a object of event data * @return */ trigger: function(element,eventName,event){ // Prepare event = event || {}; var uid = History.Adapter.uid(element), i,n; // Apply Listener History.Adapter.handlers[uid] = History.Adapter.handlers[uid] || {}; History.Adapter.handlers[uid][eventName] = History.Adapter.handlers[uid][eventName] || []; // Fire Listeners for ( i=0,n=History.Adapter.handlers[uid][eventName].length; i<n; ++i ) { History.Adapter.handlers[uid][eventName][i].apply(this,[event]); } }, /** * History.Adapter.extractEventData(key,event,extra) * @param {String} key - key for the event data to extract * @param {String} event - custom and standard events * @return {mixed} */ extractEventData: function(key,event){ var result = (event && event[key]) || undefined; return result; }, /** * History.Adapter.onDomLoad(callback) * @param {Function} callback * @return */ onDomLoad: function(callback) { var timeout = window.setTimeout(function(){ callback(); },2000); window.onload = function(){ clearTimeout(timeout); callback(); }; } }; // Initialise HTML4 Support History.initHtml4 = function(){ // Initialise if ( typeof History.initHtml4.initialized !== 'undefined' ) { // Already Loaded return false; } else { History.initHtml4.initialized = true; } // ==================================================================== // Properties /** * History.enabled * Is History enabled? */ History.enabled = true; // ==================================================================== // Hash Storage /** * History.savedHashes * Store the hashes in an array */ History.savedHashes = []; /** * History.isLastHash(newHash) * Checks if the hash is the last hash * @param {string} newHash * @return {boolean} true */ History.isLastHash = function(newHash){ // Prepare var oldHash = History.getHashByIndex(), isLast; // Check isLast = newHash === oldHash; // Return isLast return isLast; }; /** * History.isHashEqual(newHash, oldHash) * Checks to see if two hashes are functionally equal * @param {string} newHash * @param {string} oldHash * @return {boolean} true */ History.isHashEqual = function(newHash, oldHash){ newHash = encodeURIComponent(newHash).replace(/%25/g, "%"); oldHash = encodeURIComponent(oldHash).replace(/%25/g, "%"); return newHash === oldHash; }; /** * History.saveHash(newHash) * Push a Hash * @param {string} newHash * @return {boolean} true */ History.saveHash = function(newHash){ // Check Hash if ( History.isLastHash(newHash) ) { return false; } // Push the Hash History.savedHashes.push(newHash); // Return true return true; }; /** * History.getHashByIndex() * Gets a hash by the index * @param {integer} index * @return {string} */ History.getHashByIndex = function(index){ // Prepare var hash = null; // Handle if ( typeof index === 'undefined' ) { // Get the last inserted hash = History.savedHashes[History.savedHashes.length-1]; } else if ( index < 0 ) { // Get from the end hash = History.savedHashes[History.savedHashes.length+index]; } else { // Get from the beginning hash = History.savedHashes[index]; } // Return hash return hash; }; // ==================================================================== // Discarded States /** * History.discardedHashes * A hashed array of discarded hashes */ History.discardedHashes = {}; /** * History.discardedStates * A hashed array of discarded states */ History.discardedStates = {}; /** * History.discardState(State) * Discards the state by ignoring it through History * @param {object} State * @return {true} */ History.discardState = function(discardedState,forwardState,backState){ //History.debug('History.discardState', arguments); // Prepare var discardedStateHash = History.getHashByState(discardedState), discardObject; // Create Discard Object discardObject = { 'discardedState': discardedState, 'backState': backState, 'forwardState': forwardState }; // Add to DiscardedStates History.discardedStates[discardedStateHash] = discardObject; // Return true return true; }; /** * History.discardHash(hash) * Discards the hash by ignoring it through History * @param {string} hash * @return {true} */ History.discardHash = function(discardedHash,forwardState,backState){ //History.debug('History.discardState', arguments); // Create Discard Object var discardObject = { 'discardedHash': discardedHash, 'backState': backState, 'forwardState': forwardState }; // Add to discardedHash History.discardedHashes[discardedHash] = discardObject; // Return true return true; }; /** * History.discardedState(State) * Checks to see if the state is discarded * @param {object} State * @return {bool} */ History.discardedState = function(State){ // Prepare var StateHash = History.getHashByState(State), discarded; // Check discarded = History.discardedStates[StateHash]||false; // Return true return discarded; }; /** * History.discardedHash(hash) * Checks to see if the state is discarded * @param {string} State * @return {bool} */ History.discardedHash = function(hash){ // Check var discarded = History.discardedHashes[hash]||false; // Return true return discarded; }; /** * History.recycleState(State) * Allows a discarded state to be used again * @param {object} data * @param {string} title * @param {string} url * @return {true} */ History.recycleState = function(State){ //History.debug('History.recycleState', arguments); // Prepare var StateHash = History.getHashByState(State); // Remove from DiscardedStates if ( History.discardedState(State) ) { delete History.discardedStates[StateHash]; } // Return true return true; }; // ==================================================================== // HTML4 HashChange Support if ( History.emulated.hashChange ) { /* * We must emulate the HTML4 HashChange Support by manually checking for hash changes */ /** * History.hashChangeInit() * Init the HashChange Emulation */ History.hashChangeInit = function(){ // Define our Checker Function History.checkerFunction = null; // Define some variables that will help in our checker function var lastDocumentHash = '', iframeId, iframe, lastIframeHash, checkerRunning, startedWithHash = Boolean(History.getHash()); // Handle depending on the browser if ( History.isInternetExplorer() ) { // IE6 and IE7 // We need to use an iframe to emulate the back and forward buttons // Create iFrame iframeId = 'historyjs-iframe'; iframe = document.createElement('iframe'); // Adjust iFarme // IE 6 requires iframe to have a src on HTTPS pages, otherwise it will throw a // "This page contains both secure and nonsecure items" warning. iframe.setAttribute('id', iframeId); iframe.setAttribute('src', '#'); iframe.style.display = 'none'; // Append iFrame document.body.appendChild(iframe); // Create initial history entry iframe.contentWindow.document.open(); iframe.contentWindow.document.close(); // Define some variables that will help in our checker function lastIframeHash = ''; checkerRunning = false; // Define the checker function History.checkerFunction = function(){ // Check Running if ( checkerRunning ) { return false; } // Update Running checkerRunning = true; // Fetch var documentHash = History.getHash(), iframeHash = History.getHash(iframe.contentWindow.document); // The Document Hash has changed (application caused) if ( documentHash !== lastDocumentHash ) { // Equalise lastDocumentHash = documentHash; // Create a history entry in the iframe if ( iframeHash !== documentHash ) { //History.debug('hashchange.checker: iframe hash change', 'documentHash (new):', documentHash, 'iframeHash (old):', iframeHash); // Equalise lastIframeHash = iframeHash = documentHash; // Create History Entry iframe.contentWindow.document.open(); iframe.contentWindow.document.close(); // Update the iframe's hash iframe.contentWindow.document.location.hash = History.escapeHash(documentHash); } // Trigger Hashchange Event History.Adapter.trigger(window,'hashchange'); } // The iFrame Hash has changed (back button caused) else if ( iframeHash !== lastIframeHash ) { //History.debug('hashchange.checker: iframe hash out of sync', 'iframeHash (new):', iframeHash, 'documentHash (old):', documentHash); // Equalise lastIframeHash = iframeHash; // If there is no iframe hash that means we're at the original // iframe state. // And if there was a hash on the original request, the original // iframe state was replaced instantly, so skip this state and take // the user back to where they came from. if (startedWithHash && iframeHash === '') { History.back(); } else { // Update the Hash History.setHash(iframeHash,false); } } // Reset Running checkerRunning = false; // Return true return true; }; } else { // We are not IE // Firefox 1 or 2, Opera // Define the checker function History.checkerFunction = function(){ // Prepare var documentHash = History.getHash()||''; // The Document Hash has changed (application caused) if ( documentHash !== lastDocumentHash ) { // Equalise lastDocumentHash = documentHash; // Trigger Hashchange Event History.Adapter.trigger(window,'hashchange'); } // Return true return true; }; } // Apply the checker function History.intervalList.push(setInterval(History.checkerFunction, History.options.hashChangeInterval)); // Done return true; }; // History.hashChangeInit // Bind hashChangeInit History.Adapter.onDomLoad(History.hashChangeInit); } // History.emulated.hashChange // ==================================================================== // HTML5 State Support // Non-Native pushState Implementation if ( History.emulated.pushState ) { /* * We must emulate the HTML5 State Management by using HTML4 HashChange */ /** * History.onHashChange(event) * Trigger HTML5's window.onpopstate via HTML4 HashChange Support */ History.onHashChange = function(event){ //History.debug('History.onHashChange', arguments); // Prepare var currentUrl = ((event && event.newURL) || History.getLocationHref()), currentHash = History.getHashByUrl(currentUrl), currentState = null, currentStateHash = null, currentStateHashExits = null, discardObject; // Check if we are the same state if ( History.isLastHash(currentHash) ) { // There has been no change (just the page's hash has finally propagated) //History.debug('History.onHashChange: no change'); History.busy(false); return false; } // Reset the double check History.doubleCheckComplete(); // Store our location for use in detecting back/forward direction History.saveHash(currentHash); // Expand Hash if ( currentHash && History.isTraditionalAnchor(currentHash) ) { //History.debug('History.onHashChange: traditional anchor', currentHash); // Traditional Anchor Hash History.Adapter.trigger(window,'anchorchange'); History.busy(false); return false; } // Create State currentState = History.extractState(History.getFullUrl(currentHash||History.getLocationHref()),true); // Check if we are the same state if ( History.isLastSavedState(currentState) ) { //History.debug('History.onHashChange: no change'); // There has been no change (just the page's hash has finally propagated) History.busy(false); return false; } // Create the state Hash currentStateHash = History.getHashByState(currentState); // Check if we are DiscardedState discardObject = History.discardedState(currentState); if ( discardObject ) { // Ignore this state as it has been discarded and go back to the state before it if ( History.getHashByIndex(-2) === History.getHashByState(discardObject.forwardState) ) { // We are going backwards //History.debug('History.onHashChange: go backwards'); History.back(false); } else { // We are going forwards //History.debug('History.onHashChange: go forwards'); History.forward(false); } return false; } // Push the new HTML5 State //History.debug('History.onHashChange: success hashchange'); History.pushState(currentState.data,currentState.title,encodeURI(currentState.url),false); // End onHashChange closure return true; }; History.Adapter.bind(window,'hashchange',History.onHashChange); /** * History.pushState(data,title,url) * Add a new State to the history object, become it, and trigger onpopstate * We have to trigger for HTML4 compatibility * @param {object} data * @param {string} title * @param {string} url * @return {true} */ History.pushState = function(data,title,url,queue){ //History.debug('History.pushState: called', arguments); // We assume that the URL passed in is URI-encoded, but this makes // sure that it's fully URI encoded; any '%'s that are encoded are // converted back into '%'s url = encodeURI(url).replace(/%25/g, "%"); // Check the State if ( History.getHashByUrl(url) ) { throw new Error('History.js does not support states with fragment-identifiers (hashes/anchors).'); } // Handle Queueing if ( queue !== false && History.busy() ) { // Wait + Push to Queue //History.debug('History.pushState: we must wait', arguments); History.pushQueue({ scope: History, callback: History.pushState, args: arguments, queue: queue }); return false; } // Make Busy History.busy(true); // Fetch the State Object var newState = History.createStateObject(data,title,url), newStateHash = History.getHashByState(newState), oldState = History.getState(false), oldStateHash = History.getHashByState(oldState), html4Hash = History.getHash(), wasExpected = History.expectedStateId == newState.id; // Store the newState History.storeState(newState); History.expectedStateId = newState.id; // Recycle the State History.recycleState(newState); // Force update of the title History.setTitle(newState); // Check if we are the same State if ( newStateHash === oldStateHash ) { //History.debug('History.pushState: no change', newStateHash); History.busy(false); return false; } // Update HTML5 State History.saveState(newState); // Fire HTML5 Event if(!wasExpected) History.Adapter.trigger(window,'statechange'); // Update HTML4 Hash if ( !History.isHashEqual(newStateHash, html4Hash) && !History.isHashEqual(newStateHash, History.getShortUrl(History.getLocationHref())) ) { History.setHash(newStateHash,false); } History.busy(false); // End pushState closure return true; }; /** * History.replaceState(data,title,url) * Replace the State and trigger onpopstate * We have to trigger for HTML4 compatibility * @param {object} data * @param {string} title * @param {string} url * @return {true} */ History.replaceState = function(data,title,url,queue){ //History.debug('History.replaceState: called', arguments); // We assume that the URL passed in is URI-encoded, but this makes // sure that it's fully URI encoded; any '%'s that are encoded are // converted back into '%'s url = encodeURI(url).replace(/%25/g, "%"); // Check the State if ( History.getHashByUrl(url) ) { throw new Error('History.js does not support states with fragment-identifiers (hashes/anchors).'); } // Handle Queueing if ( queue !== false && History.busy() ) { // Wait + Push to Queue //History.debug('History.replaceState: we must wait', arguments); History.pushQueue({ scope: History, callback: History.replaceState, args: arguments, queue: queue }); return false; } // Make Busy History.busy(true); // Fetch the State Objects var newState = History.createStateObject(data,title,url), newStateHash = History.getHashByState(newState), oldState = History.getState(false), oldStateHash = History.getHashByState(oldState), previousState = History.getStateByIndex(-2); // Discard Old State History.discardState(oldState,newState,previousState); // If the url hasn't changed, just store and save the state // and fire a statechange event to be consistent with the // html 5 api if ( newStateHash === oldStateHash ) { // Store the newState History.storeState(newState); History.expectedStateId = newState.id; // Recycle the State History.recycleState(newState); // Force update of the title History.setTitle(newState); // Update HTML5 State History.saveState(newState); // Fire HTML5 Event //History.debug('History.pushState: trigger popstate'); History.Adapter.trigger(window,'statechange'); History.busy(false); } else { // Alias to PushState History.pushState(newState.data,newState.title,newState.url,false); } // End replaceState closure return true; }; } // History.emulated.pushState // ==================================================================== // Initialise // Non-Native pushState Implementation if ( History.emulated.pushState ) { /** * Ensure initial state is handled correctly */ if ( History.getHash() && !History.emulated.hashChange ) { History.Adapter.onDomLoad(function(){ History.Adapter.trigger(window,'hashchange'); }); } } // History.emulated.pushState }; // History.initHtml4 // Initialise History History.init = function(options){ // Check Load Status of Adapter if ( typeof History.Adapter === 'undefined' ) { return false; } // Check Load Status of Core if ( typeof History.initCore !== 'undefined' ) { History.initCore(); } // Check Load Status of HTML4 Support if ( typeof History.initHtml4 !== 'undefined' ) { History.initHtml4(); } // Return true return true; }; // ======================================================================== // Initialise Core // Initialise Core History.initCore = function(options){ // Initialise if ( typeof History.initCore.initialized !== 'undefined' ) { // Already Loaded return false; } else { History.initCore.initialized = true; } // ==================================================================== // Options /** * History.options * Configurable options */ History.options = History.options||{}; /** * History.options.hashChangeInterval * How long should the interval be before hashchange checks */ History.options.hashChangeInterval = History.options.hashChangeInterval || 100; /** * History.options.safariPollInterval * How long should the interval be before safari poll checks */ History.options.safariPollInterval = History.options.safariPollInterval || 500; /** * History.options.doubleCheckInterval * How long should the interval be before we perform a double check */ History.options.doubleCheckInterval = History.options.doubleCheckInterval || 500; /** * History.options.disableSuid * Force History not to append suid */ History.options.disableSuid = History.options.disableSuid || false; /** * History.options.storeInterval * How long should we wait between store calls */ History.options.storeInterval = History.options.storeInterval || 1000; /** * History.options.busyDelay * How long should we wait between busy events */ History.options.busyDelay = History.options.busyDelay || 250; /** * History.options.debug * If true will enable debug messages to be logged */ History.options.debug = History.options.debug || false; /** * History.options.initialTitle * What is the title of the initial state */ History.options.initialTitle = History.options.initialTitle || document.title; /** * History.options.html4Mode * If true, will force HTMl4 mode (hashtags) */ History.options.html4Mode = History.options.html4Mode || false; /** * History.options.delayInit * Want to override default options and call init manually. */ History.options.delayInit = History.options.delayInit || false; // ==================================================================== // Interval record /** * History.intervalList * List of intervals set, to be cleared when document is unloaded. */ History.intervalList = []; /** * History.clearAllIntervals * Clears all setInterval instances. */ History.clearAllIntervals = function(){ var i, il = History.intervalList; if (typeof il !== "undefined" && il !== null) { for (i = 0; i < il.length; i++) { clearInterval(il[i]); } History.intervalList = null; } }; // ==================================================================== // Debug /** * History.debug(message,...) * Logs the passed arguments if debug enabled */ History.debug = function(){ if ( (History.options.debug||false) ) { History.log.apply(History,arguments); } }; /** * History.log(message,...) * Logs the passed arguments */ History.log = function(){ // Prepare var consoleExists = !(typeof console === 'undefined' || typeof console.log === 'undefined' || typeof console.log.apply === 'undefined'), textarea = document.getElementById('log'), message, i,n, args,arg ; // Write to Console if ( consoleExists ) { args = Array.prototype.slice.call(arguments); message = args.shift(); if ( typeof console.debug !== 'undefined' ) { console.debug.apply(console,[message,args]); } else { console.log.apply(console,[message,args]); } } else { message = ("\n"+arguments[0]+"\n"); } // Write to log for ( i=1,n=arguments.length; i<n; ++i ) { arg = arguments[i]; if ( typeof arg === 'object' && typeof JSON !== 'undefined' ) { try { arg = JSON.stringify(arg); } catch ( Exception ) { // Recursive Object } } message += "\n"+arg+"\n"; } // Textarea if ( textarea ) { textarea.value += message+"\n-----\n"; textarea.scrollTop = textarea.scrollHeight - textarea.clientHeight; } // No Textarea, No Console else if ( !consoleExists ) { alert(message); } // Return true return true; }; // ==================================================================== // Emulated Status /** * History.getInternetExplorerMajorVersion() * Get's the major version of Internet Explorer * @return {integer} * @license Public Domain * @author Benjamin Arthur Lupton <[email protected]> * @author James Padolsey <https://gist.github.com/527683> */ History.getInternetExplorerMajorVersion = function(){ var result = History.getInternetExplorerMajorVersion.cached = (typeof History.getInternetExplorerMajorVersion.cached !== 'undefined') ? History.getInternetExplorerMajorVersion.cached : (function(){ var v = 3, div = document.createElement('div'), all = div.getElementsByTagName('i'); while ( (div.innerHTML = '<!--[if gt IE ' + (++v) + ']><i></i><![endif]-->') && all[0] ) {} return (v > 4) ? v : false; })() ; return result; }; /** * History.isInternetExplorer() * Are we using Internet Explorer? * @return {boolean} * @license Public Domain * @author Benjamin Arthur Lupton <[email protected]> */ History.isInternetExplorer = function(){ var result = History.isInternetExplorer.cached = (typeof History.isInternetExplorer.cached !== 'undefined') ? History.isInternetExplorer.cached : Boolean(History.getInternetExplorerMajorVersion()) ; return result; }; /** * History.emulated * Which features require emulating? */ if (History.options.html4Mode) { History.emulated = { pushState : true, hashChange: true }; } else { History.emulated = { pushState: !Boolean( window.history && window.history.pushState && window.history.replaceState && !( (/ Mobile\/([1-7][a-z]|(8([abcde]|f(1[0-8]))))/i).test(navigator.userAgent) /* disable for versions of iOS before version 4.3 (8F190) */ || (/AppleWebKit\/5([0-2]|3[0-2])/i).test(navigator.userAgent) /* disable for the mercury iOS browser, or at least older versions of the webkit engine */ ) ), hashChange: Boolean( !(('onhashchange' in window) || ('onhashchange' in document)) || (History.isInternetExplorer() && History.getInternetExplorerMajorVersion() < 8) ) }; } /** * History.enabled * Is History enabled? */ History.enabled = !History.emulated.pushState; /** * History.bugs * Which bugs are present */ History.bugs = { /** * Safari 5 and Safari iOS 4 fail to return to the correct state once a hash is replaced by a `replaceState` call * https://bugs.webkit.org/show_bug.cgi?id=56249 */ setHash: Boolean(!History.emulated.pushState && navigator.vendor === 'Apple Computer, Inc.' && /AppleWebKit\/5([0-2]|3[0-3])/.test(navigator.userAgent)), /** * Safari 5 and Safari iOS 4 sometimes fail to apply the state change under busy conditions * https://bugs.webkit.org/show_bug.cgi?id=42940 */ safariPoll: Boolean(!History.emulated.pushState && navigator.vendor === 'Apple Computer, Inc.' && /AppleWebKit\/5([0-2]|3[0-3])/.test(navigator.userAgent)), /** * MSIE 6 and 7 sometimes do not apply a hash even it was told to (requiring a second call to the apply function) */ ieDoubleCheck: Boolean(History.isInternetExplorer() && History.getInternetExplorerMajorVersion() < 8), /** * MSIE 6 requires the entire hash to be encoded for the hashes to trigger the onHashChange event */ hashEscape: Boolean(History.isInternetExplorer() && History.getInternetExplorerMajorVersion() < 7) }; /** * History.isEmptyObject(obj) * Checks to see if the Object is Empty * @param {Object} obj * @return {boolean} */ History.isEmptyObject = function(obj) { for ( var name in obj ) { if ( obj.hasOwnProperty(name) ) { return false; } } return true; }; /** * History.cloneObject(obj) * Clones a object and eliminate all references to the original contexts * @param {Object} obj * @return {Object} */ History.cloneObject = function(obj) { var hash,newObj; if ( obj ) { hash = JSON.stringify(obj); newObj = JSON.parse(hash); } else { newObj = {}; } return newObj; }; // ==================================================================== // URL Helpers /** * History.getRootUrl() * Turns "http://mysite.com/dir/page.html?asd" into "http://mysite.com" * @return {String} rootUrl */ History.getRootUrl = function(){ // Create var rootUrl = document.location.protocol+'//'+(document.location.hostname||document.location.host); if ( document.location.port||false ) { rootUrl += ':'+document.location.port; } rootUrl += '/'; // Return return rootUrl; }; /** * History.getBaseHref() * Fetches the `href` attribute of the `<base href="...">` element if it exists * @return {String} baseHref */ History.getBaseHref = function(){ // Create var baseElements = document.getElementsByTagName('base'), baseElement = null, baseHref = ''; // Test for Base Element if ( baseElements.length === 1 ) { // Prepare for Base Element baseElement = baseElements[0]; baseHref = baseElement.href.replace(/[^\/]+$/,''); } // Adjust trailing slash baseHref = baseHref.replace(/\/+$/,''); if ( baseHref ) baseHref += '/'; // Return return baseHref; }; /** * History.getBaseUrl() * Fetches the baseHref or basePageUrl or rootUrl (whichever one exists first) * @return {String} baseUrl */ History.getBaseUrl = function(){ // Create var baseUrl = History.getBaseHref()||History.getBasePageUrl()||History.getRootUrl(); // Return return baseUrl; }; /** * History.getPageUrl() * Fetches the URL of the current page * @return {String} pageUrl */ History.getPageUrl = function(){ // Fetch var State = History.getState(false,false), stateUrl = (State||{}).url||History.getLocationHref(), pageUrl; // Create pageUrl = stateUrl.replace(/\/+$/,'').replace(/[^\/]+$/,function(part,index,string){ return (/\./).test(part) ? part : part+'/'; }); // Return return pageUrl; }; /** * History.getBasePageUrl() * Fetches the Url of the directory of the current page * @return {String} basePageUrl */ History.getBasePageUrl = function(){ // Create var basePageUrl = (History.getLocationHref()).replace(/[#\?].*/,'').replace(/[^\/]+$/,function(part,index,string){ return (/[^\/]$/).test(part) ? '' : part; }).replace(/\/+$/,'')+'/'; // Return return basePageUrl; }; /** * History.getFullUrl(url) * Ensures that we have an absolute URL and not a relative URL * @param {string} url * @param {Boolean} allowBaseHref * @return {string} fullUrl */ History.getFullUrl = function(url,allowBaseHref){ // Prepare var fullUrl = url, firstChar = url.substring(0,1); allowBaseHref = (typeof allowBaseHref === 'undefined') ? true : allowBaseHref; // Check if ( /[a-z]+\:\/\//.test(url) ) { // Full URL } else if ( firstChar === '/' ) { // Root URL fullUrl = History.getRootUrl()+url.replace(/^\/+/,''); } else if ( firstChar === '#' ) { // Anchor URL fullUrl = History.getPageUrl().replace(/#.*/,'')+url; } else if ( firstChar === '?' ) { // Query URL fullUrl = History.getPageUrl().replace(/[\?#].*/,'')+url; } else { // Relative URL if ( allowBaseHref ) { fullUrl = History.getBaseUrl()+url.replace(/^(\.\/)+/,''); } else { fullUrl = History.getBasePageUrl()+url.replace(/^(\.\/)+/,''); } // We have an if condition above as we do not want hashes // which are relative to the baseHref in our URLs // as if the baseHref changes, then all our bookmarks // would now point to different locations // whereas the basePageUrl will always stay the same } // Return return fullUrl.replace(/\#$/,''); }; /** * History.getShortUrl(url) * Ensures that we have a relative URL and not a absolute URL * @param {string} url * @return {string} url */ History.getShortUrl = function(url){ // Prepare var shortUrl = url, baseUrl = History.getBaseUrl(), rootUrl = History.getRootUrl(); // Trim baseUrl if ( History.emulated.pushState ) { // We are in a if statement as when pushState is not emulated // The actual url these short urls are relative to can change // So within the same session, we the url may end up somewhere different console.log ('History.getShortUrl IE :: ' + 'shortUrl: ' + shortUrl + ' baseUrl ' + baseUrl ); shortUrl = shortUrl.replace(baseUrl,''); } // Trim rootUrl shortUrl = shortUrl.replace(rootUrl,'/'); console.log('short url pre: ', shortUrl); // Ensure we can still detect it as a state if ( History.isTraditionalAnchor(shortUrl) ) { // shortUrl = './'+shortUrl; } // Clean It shortUrl = shortUrl.replace(/^(\.\/)+/g,'./').replace(/\#$/,''); console.log('short url post: ', shortUrl); // Return return shortUrl; }; /** * History.getLocationHref(document) * Returns a normalized version of document.location.href * accounting for browser inconsistencies, etc. * * This URL will be URI-encoded and will include the hash * * @param {object} document * @return {string} url */ History.getLocationHref = function(doc) { doc = doc || document; // most of the time, this will be true if (doc.URL === doc.location.href) return doc.location.href; // some versions of webkit URI-decode document.location.href // but they leave document.URL in an encoded state if (doc.location.href === decodeURIComponent(doc.URL)) return doc.URL; // FF 3.6 only updates document.URL when a page is reloaded // document.location.href is updated correctly if (doc.location.hash && decodeURIComponent(doc.location.href.replace(/^[^#]+/, "")) === doc.location.hash) return doc.location.href; if (doc.URL.indexOf('#') == -1 && doc.location.href.indexOf('#') != -1) return doc.location.href; return doc.URL || doc.location.href; }; // ==================================================================== // State Storage /** * History.store * The store for all session specific data */ History.store = {}; /** * History.idToState * 1-1: State ID to State Object */ History.idToState = History.idToState||{}; /** * History.stateToId * 1-1: State String to State ID */ History.stateToId = History.stateToId||{}; /** * History.urlToId * 1-1: State URL to State ID */ History.urlToId = History.urlToId||{}; /** * History.storedStates * Store the states in an array */ History.storedStates = History.storedStates||[]; /** * History.savedStates * Saved the states in an array */ History.savedStates = History.savedStates||[]; /** * History.noramlizeStore() * Noramlize the store by adding necessary values */ History.normalizeStore = function(){ History.store.idToState = History.store.idToState||{}; History.store.urlToId = History.store.urlToId||{}; History.store.stateToId = History.store.stateToId||{}; }; /** * History.getState() * Get an object containing the data, title and url of the current state * @param {Boolean} friendly * @param {Boolean} create * @return {Object} State */ History.getState = function(friendly,create){ // Prepare if ( typeof friendly === 'undefined' ) { friendly = true; } if ( typeof create === 'undefined' ) { create = true; } // Fetch var State = History.getLastSavedState(); // Create if ( !State && create ) { State = History.createStateObject(); } // Adjust if ( friendly ) { State = History.cloneObject(State); State.url = State.cleanUrl||State.url; } // Return return State; }; /** * History.getIdByState(State) * Gets a ID for a State * @param {State} newState * @return {String} id */ History.getIdByState = function(newState){ // Fetch ID var id = History.extractId(newState.url), str; if ( !id ) { // Find ID via State String str = History.getStateString(newState); if ( typeof History.stateToId[str] !== 'undefined' ) { id = History.stateToId[str]; } else if ( typeof History.store.stateToId[str] !== 'undefined' ) { id = History.store.stateToId[str]; } else { // Generate a new ID while ( true ) { id = (new Date()).getTime() + String(Math.random()).replace(/\D/g,''); if ( typeof History.idToState[id] === 'undefined' && typeof History.store.idToState[id] === 'undefined' ) { break; } } // Apply the new State to the ID History.stateToId[str] = id; History.idToState[id] = newState; } } // Return ID return id; }; /** * History.normalizeState(State) * Expands a State Object * @param {object} State * @return {object} */ History.normalizeState = function(oldState){ // Variables var newState, dataNotEmpty; // Prepare if ( !oldState || (typeof oldState !== 'object') ) { oldState = {}; } // Check if ( typeof oldState.normalized !== 'undefined' ) { return oldState; } // Adjust if ( !oldState.data || (typeof oldState.data !== 'object') ) { oldState.data = {}; } // ---------------------------------------------------------------- // Create newState = {}; newState.normalized = true; newState.title = oldState.title||''; newState.url = History.getFullUrl(oldState.url?oldState.url:(History.getLocationHref())); newState.hash = History.getShortUrl(newState.url); newState.data = History.cloneObject(oldState.data); // Fetch ID newState.id = History.getIdByState(newState); // ---------------------------------------------------------------- // Clean the URL newState.cleanUrl = newState.url.replace(/\??\&_suid.*/,''); newState.url = newState.cleanUrl; // Check to see if we have more than just a url dataNotEmpty = !History.isEmptyObject(newState.data); // Apply if ( (newState.title || dataNotEmpty) && History.options.disableSuid !== true ) { // Add ID to Hash newState.hash = History.getShortUrl(newState.url).replace(/\??\&_suid.*/,''); if ( !/\?/.test(newState.hash) ) { newState.hash += '?'; } newState.hash += '&_suid='+newState.id; } // Create the Hashed URL newState.hashedUrl = History.getFullUrl(newState.hash); // ---------------------------------------------------------------- // Update the URL if we have a duplicate if ( (History.emulated.pushState || History.bugs.safariPoll) && History.hasUrlDuplicate(newState) ) { newState.url = newState.hashedUrl; } // ---------------------------------------------------------------- // Return return newState; }; /** * History.createStateObject(data,title,url) * Creates a object based on the data, title and url state params * @param {object} data * @param {string} title * @param {string} url * @return {object} */ History.createStateObject = function(data,title,url){ // Hashify var State = { 'data': data, 'title': title, 'url': url }; // Expand the State State = History.normalizeState(State); // Return object return State; }; /** * History.getStateById(id) * Get a state by it's UID * @param {String} id */ History.getStateById = function(id){ // Prepare id = String(id); // Retrieve var State = History.idToState[id] || History.store.idToState[id] || undefined; // Return State return State; }; /** * Get a State's String * @param {State} passedState */ History.getStateString = function(passedState){ // Prepare var State, cleanedState, str; // Fetch State = History.normalizeState(passedState); // Clean cleanedState = { data: State.data, title: passedState.title, url: passedState.url }; // Fetch str = JSON.stringify(cleanedState); // Return return str; }; /** * Get a State's ID * @param {State} passedState * @return {String} id */ History.getStateId = function(passedState){ // Prepare var State, id; // Fetch State = History.normalizeState(passedState); // Fetch id = State.id; // Return return id; }; /** * History.getHashByState(State) * Creates a Hash for the State Object * @param {State} passedState * @return {String} hash */ History.getHashByState = function(passedState){ // Prepare var State, hash; // Fetch State = History.normalizeState(passedState); // Hash hash = State.hash; // Return return hash; }; /** * History.extractId(url_or_hash) * Get a State ID by it's URL or Hash * @param {string} url_or_hash * @return {string} id */ History.extractId = function ( url_or_hash ) { // Prepare var id,parts,url, tmp; // Extract // If the URL has a #, use the id from before the # if (url_or_hash.indexOf('#') != -1) { tmp = url_or_hash.split("#")[0]; } else { tmp = url_or_hash; } parts = /(.*)\&_suid=([0-9]+)$/.exec(tmp); url = parts ? (parts[1]||url_or_hash) : url_or_hash; id = parts ? String(parts[2]||'') : ''; // Return return id||false; }; /** * History.isTraditionalAnchor * Checks to see if the url is a traditional anchor or not * @param {String} url_or_hash * @return {Boolean} */ History.isTraditionalAnchor = function(url_or_hash){ // Check var isTraditional = !(/[\/\?\.]/.test(url_or_hash)); // Return return isTraditional; }; /** * History.extractState * Get a State by it's URL or Hash * @param {String} url_or_hash * @return {State|null} */ History.extractState = function(url_or_hash,create){ // Prepare var State = null, id, url; create = create||false; // Fetch SUID id = History.extractId(url_or_hash); if ( id ) { State = History.getStateById(id); } // Fetch SUID returned no State if ( !State ) { // Fetch URL url = History.getFullUrl(url_or_hash); // Check URL id = History.getIdByUrl(url)||false; if ( id ) { State = History.getStateById(id); } // Create State if ( !State && create && !History.isTraditionalAnchor(url_or_hash) ) { State = History.createStateObject(null,null,url); } } // Return return State; }; /** * History.getIdByUrl() * Get a State ID by a State URL */ History.getIdByUrl = function(url){ // Fetch var id = History.urlToId[url] || History.store.urlToId[url] || undefined; // Return return id; }; /** * History.getLastSavedState() * Get an object containing the data, title and url of the current state * @return {Object} State */ History.getLastSavedState = function(){ return History.savedStates[History.savedStates.length-1]||undefined; }; /** * History.getLastStoredState() * Get an object containing the data, title and url of the current state * @return {Object} State */ History.getLastStoredState = function(){ return History.storedStates[History.storedStates.length-1]||undefined; }; /** * History.hasUrlDuplicate * Checks if a Url will have a url conflict * @param {Object} newState * @return {Boolean} hasDuplicate */ History.hasUrlDuplicate = function(newState) { // Prepare var hasDuplicate = false, oldState; // Fetch oldState = History.extractState(newState.url); // Check hasDuplicate = oldState && oldState.id !== newState.id; // Return return hasDuplicate; }; /** * History.storeState * Store a State * @param {Object} newState * @return {Object} newState */ History.storeState = function(newState){ // Store the State History.urlToId[newState.url] = newState.id; // Push the State History.storedStates.push(History.cloneObject(newState)); // Return newState return newState; }; /** * History.isLastSavedState(newState) * Tests to see if the state is the last state * @param {Object} newState * @return {boolean} isLast */ History.isLastSavedState = function(newState){ // Prepare var isLast = false, newId, oldState, oldId; // Check if ( History.savedStates.length ) { newId = newState.id; oldState = History.getLastSavedState(); oldId = oldState.id; // Check isLast = (newId === oldId); } // Return return isLast; }; /** * History.saveState * Push a State * @param {Object} newState * @return {boolean} changed */ History.saveState = function(newState){ // Check Hash if ( History.isLastSavedState(newState) ) { return false; } // Push the State History.savedStates.push(History.cloneObject(newState)); // Return true return true; }; /** * History.getStateByIndex() * Gets a state by the index * @param {integer} index * @return {Object} */ History.getStateByIndex = function(index){ // Prepare var State = null; // Handle if ( typeof index === 'undefined' ) { // Get the last inserted State = History.savedStates[History.savedStates.length-1]; } else if ( index < 0 ) { // Get from the end State = History.savedStates[History.savedStates.length+index]; } else { // Get from the beginning State = History.savedStates[index]; } // Return State return State; }; /** * History.getCurrentIndex() * Gets the current index * @return (integer) */ History.getCurrentIndex = function(){ // Prepare var index = null; // No states saved if(History.savedStates.length < 1) { index = 0; } else { index = History.savedStates.length-1; } return index; }; // ==================================================================== // Hash Helpers /** * History.getHash() * @param {Location=} location * Gets the current document hash * Note: unlike location.hash, this is guaranteed to return the escaped hash in all browsers * @return {string} */ History.getHash = function(doc){ var url = History.getLocationHref(doc), hash; hash = History.getHashByUrl(url); return hash; }; /** * History.unescapeHash() * normalize and Unescape a Hash * @param {String} hash * @return {string} */ History.unescapeHash = function(hash){ // Prepare var result = History.normalizeHash(hash); // Unescape hash result = decodeURIComponent(result); // Return result return result; }; /** * History.normalizeHash() * normalize a hash across browsers * @return {string} */ History.normalizeHash = function(hash){ // Prepare var result = hash.replace(/[^#]*#/,'').replace(/#.*/, ''); // Return result return result; }; /** * History.setHash(hash) * Sets the document hash * @param {string} hash * @return {History} */ History.setHash = function(hash,queue){ // Prepare var State, pageUrl; // Handle Queueing if ( queue !== false && History.busy() ) { // Wait + Push to Queue //History.debug('History.setHash: we must wait', arguments); History.pushQueue({ scope: History, callback: History.setHash, args: arguments, queue: queue }); return false; } // Log //History.debug('History.setHash: called',hash); // Make Busy + Continue History.busy(true); // Check if hash is a state State = History.extractState(hash,true); if ( State && !History.emulated.pushState ) { // Hash is a state so skip the setHash //History.debug('History.setHash: Hash is a state so skipping the hash set with a direct pushState call',arguments); // PushState History.pushState(State.data,State.title,State.url,false); } else if ( History.getHash() !== hash ) { // Hash is a proper hash, so apply it // Handle browser bugs if ( History.bugs.setHash ) { // Fix Safari Bug https://bugs.webkit.org/show_bug.cgi?id=56249 // Fetch the base page pageUrl = History.getPageUrl(); // Safari hash apply History.pushState(null,null,pageUrl+'#'+hash,false); } else { // Normal hash apply document.location.hash = hash; } } // Chain return History; }; /** * History.escape() * normalize and Escape a Hash * @return {string} */ History.escapeHash = function(hash){ // Prepare var result = History.normalizeHash(hash); // Escape hash result = window.encodeURIComponent(result); // IE6 Escape Bug if ( !History.bugs.hashEscape ) { // Restore common parts result = result .replace(/\%21/g,'!') .replace(/\%26/g,'&') .replace(/\%3D/g,'=') .replace(/\%3F/g,'?'); } // Return result return result; }; /** * History.getHashByUrl(url) * Extracts the Hash from a URL * @param {string} url * @return {string} url */ History.getHashByUrl = function(url){ // Extract the hash var hash = String(url) .replace(/([^#]*)#?([^#]*)#?(.*)/, '$2') ; // Unescape hash hash = History.unescapeHash(hash); // Return hash return hash; }; /** * History.setTitle(title) * Applies the title to the document * @param {State} newState * @return {Boolean} */ History.setTitle = function(newState){ // Prepare var title = newState.title, firstState; // Initial if ( !title ) { firstState = History.getStateByIndex(0); if ( firstState && firstState.url === newState.url ) { title = firstState.title||History.options.initialTitle; } } // Apply try { document.getElementsByTagName('title')[0].innerHTML = title.replace('<','&lt;').replace('>','&gt;').replace(' & ',' &amp; '); } catch ( Exception ) { } document.title = title; // Chain return History; }; // ==================================================================== // Queueing /** * History.queues * The list of queues to use * First In, First Out */ History.queues = []; /** * History.busy(value) * @param {boolean} value [optional] * @return {boolean} busy */ History.busy = function(value){ // Apply if ( typeof value !== 'undefined' ) { //History.debug('History.busy: changing ['+(History.busy.flag||false)+'] to ['+(value||false)+']', History.queues.length); History.busy.flag = value; } // Default else if ( typeof History.busy.flag === 'undefined' ) { History.busy.flag = false; } // Queue if ( !History.busy.flag ) { // Execute the next item in the queue clearTimeout(History.busy.timeout); var fireNext = function(){ var i, queue, item; if ( History.busy.flag ) return; for ( i=History.queues.length-1; i >= 0; --i ) { queue = History.queues[i]; if ( queue.length === 0 ) continue; item = queue.shift(); History.fireQueueItem(item); History.busy.timeout = setTimeout(fireNext,History.options.busyDelay); } }; History.busy.timeout = setTimeout(fireNext,History.options.busyDelay); } // Return return History.busy.flag; }; /** * History.busy.flag */ History.busy.flag = false; /** * History.fireQueueItem(item) * Fire a Queue Item * @param {Object} item * @return {Mixed} result */ History.fireQueueItem = function(item){ return item.callback.apply(item.scope||History,item.args||[]); }; /** * History.pushQueue(callback,args) * Add an item to the queue * @param {Object} item [scope,callback,args,queue] */ History.pushQueue = function(item){ // Prepare the queue History.queues[item.queue||0] = History.queues[item.queue||0]||[]; // Add to the queue History.queues[item.queue||0].push(item); // Chain return History; }; /** * History.queue (item,queue), (func,queue), (func), (item) * Either firs the item now if not busy, or adds it to the queue */ History.queue = function(item,queue){ // Prepare if ( typeof item === 'function' ) { item = { callback: item }; } if ( typeof queue !== 'undefined' ) { item.queue = queue; } // Handle if ( History.busy() ) { History.pushQueue(item); } else { History.fireQueueItem(item); } // Chain return History; }; /** * History.clearQueue() * Clears the Queue */ History.clearQueue = function(){ History.busy.flag = false; History.queues = []; return History; }; // ==================================================================== // IE Bug Fix /** * History.stateChanged * States whether or not the state has changed since the last double check was initialised */ History.stateChanged = false; /** * History.doubleChecker * Contains the timeout used for the double checks */ History.doubleChecker = false; /** * History.doubleCheckComplete() * Complete a double check * @return {History} */ History.doubleCheckComplete = function(){ // Update History.stateChanged = true; // Clear History.doubleCheckClear(); // Chain return History; }; /** * History.doubleCheckClear() * Clear a double check * @return {History} */ History.doubleCheckClear = function(){ // Clear if ( History.doubleChecker ) { clearTimeout(History.doubleChecker); History.doubleChecker = false; } // Chain return History; }; /** * History.doubleCheck() * Create a double check * @return {History} */ History.doubleCheck = function(tryAgain){ // Reset History.stateChanged = false; History.doubleCheckClear(); // Fix IE6,IE7 bug where calling history.back or history.forward does not actually change the hash (whereas doing it manually does) // Fix Safari 5 bug where sometimes the state does not change: https://bugs.webkit.org/show_bug.cgi?id=42940 if ( History.bugs.ieDoubleCheck ) { // Apply Check History.doubleChecker = setTimeout( function(){ History.doubleCheckClear(); if ( !History.stateChanged ) { //History.debug('History.doubleCheck: State has not yet changed, trying again', arguments); // Re-Attempt tryAgain(); } return true; }, History.options.doubleCheckInterval ); } // Chain return History; }; // ==================================================================== // Safari Bug Fix /** * History.safariStatePoll() * Poll the current state * @return {History} */ History.safariStatePoll = function(){ // Poll the URL // Get the Last State which has the new URL var urlState = History.extractState(History.getLocationHref()), newState; // Check for a difference if ( !History.isLastSavedState(urlState) ) { newState = urlState; } else { return; } // Check if we have a state with that url // If not create it if ( !newState ) { //History.debug('History.safariStatePoll: new'); newState = History.createStateObject(); } // Apply the New State //History.debug('History.safariStatePoll: trigger'); History.Adapter.trigger(window,'popstate'); // Chain return History; }; // ==================================================================== // State Aliases /** * History.back(queue) * Send the browser history back one item * @param {Integer} queue [optional] */ History.back = function(queue){ //History.debug('History.back: called', arguments); // Handle Queueing if ( queue !== false && History.busy() ) { // Wait + Push to Queue //History.debug('History.back: we must wait', arguments); History.pushQueue({ scope: History, callback: History.back, args: arguments, queue: queue }); return false; } // Make Busy + Continue History.busy(true); // Fix certain browser bugs that prevent the state from changing History.doubleCheck(function(){ History.back(false); }); // Go back history.go(-1); // End back closure return true; }; /** * History.forward(queue) * Send the browser history forward one item * @param {Integer} queue [optional] */ History.forward = function(queue){ //History.debug('History.forward: called', arguments); // Handle Queueing if ( queue !== false && History.busy() ) { // Wait + Push to Queue //History.debug('History.forward: we must wait', arguments); History.pushQueue({ scope: History, callback: History.forward, args: arguments, queue: queue }); return false; } // Make Busy + Continue History.busy(true); // Fix certain browser bugs that prevent the state from changing History.doubleCheck(function(){ History.forward(false); }); // Go forward history.go(1); // End forward closure return true; }; /** * History.go(index,queue) * Send the browser history back or forward index times * @param {Integer} queue [optional] */ History.go = function(index,queue){ //History.debug('History.go: called', arguments); // Prepare var i; // Handle if ( index > 0 ) { // Forward for ( i=1; i<=index; ++i ) { History.forward(queue); } } else if ( index < 0 ) { // Backward for ( i=-1; i>=index; --i ) { History.back(queue); } } else { throw new Error('History.go: History.go requires a positive or negative integer passed.'); } // Chain return History; }; // ==================================================================== // HTML5 State Support // Non-Native pushState Implementation if ( History.emulated.pushState ) { /* * Provide Skeleton for HTML4 Browsers */ // Prepare var emptyFunction = function(){}; History.pushState = History.pushState||emptyFunction; History.replaceState = History.replaceState||emptyFunction; } // History.emulated.pushState // Native pushState Implementation else { /* * Use native HTML5 History API Implementation */ /** * History.onPopState(event,extra) * Refresh the Current State */ History.onPopState = function(event,extra){ // Prepare var stateId = false, newState = false, currentHash, currentState; // Reset the double check History.doubleCheckComplete(); // Check for a Hash, and handle apporiatly currentHash = History.getHash(); if ( currentHash ) { // Expand Hash currentState = History.extractState(currentHash||History.getLocationHref(),true); if ( currentState ) { // We were able to parse it, it must be a State! // Let's forward to replaceState //History.debug('History.onPopState: state anchor', currentHash, currentState); History.replaceState(currentState.data, currentState.title, currentState.url, false); } else { // Traditional Anchor //History.debug('History.onPopState: traditional anchor', currentHash); History.Adapter.trigger(window,'anchorchange'); History.busy(false); } // We don't care for hashes History.expectedStateId = false; return false; } // Ensure stateId = History.Adapter.extractEventData('state',event,extra) || false; // Fetch State if ( stateId ) { // Vanilla: Back/forward button was used newState = History.getStateById(stateId); } else if ( History.expectedStateId ) { // Vanilla: A new state was pushed, and popstate was called manually newState = History.getStateById(History.expectedStateId); } else { // Initial State newState = History.extractState(History.getLocationHref()); } // The State did not exist in our store if ( !newState ) { // Regenerate the State newState = History.createStateObject(null,null,History.getLocationHref()); } // Clean History.expectedStateId = false; // Check if we are the same state if ( History.isLastSavedState(newState) ) { // There has been no change (just the page's hash has finally propagated) //History.debug('History.onPopState: no change', newState, History.savedStates); History.busy(false); return false; } // Store the State History.storeState(newState); History.saveState(newState); // Force update of the title History.setTitle(newState); // Fire Our Event History.Adapter.trigger(window,'statechange'); History.busy(false); // Return true return true; }; History.Adapter.bind(window,'popstate',History.onPopState); /** * History.pushState(data,title,url) * Add a new State to the history object, become it, and trigger onpopstate * We have to trigger for HTML4 compatibility * @param {object} data * @param {string} title * @param {string} url * @return {true} */ History.pushState = function(data,title,url,queue){ //History.debug('History.pushState: called', arguments); // Check the State if ( History.getHashByUrl(url) && History.emulated.pushState ) { throw new Error('History.js does not support states with fragement-identifiers (hashes/anchors).'); } // Handle Queueing if ( queue !== false && History.busy() ) { // Wait + Push to Queue //History.debug('History.pushState: we must wait', arguments); History.pushQueue({ scope: History, callback: History.pushState, args: arguments, queue: queue }); return false; } // Make Busy + Continue History.busy(true); // Create the newState var newState = History.createStateObject(data,title,url); // Check it if ( History.isLastSavedState(newState) ) { // Won't be a change History.busy(false); } else { // Store the newState History.storeState(newState); History.expectedStateId = newState.id; // Push the newState history.pushState(newState.id,newState.title,newState.url); // Fire HTML5 Event History.Adapter.trigger(window,'popstate'); } // End pushState closure return true; }; /** * History.replaceState(data,title,url) * Replace the State and trigger onpopstate * We have to trigger for HTML4 compatibility * @param {object} data * @param {string} title * @param {string} url * @return {true} */ History.replaceState = function(data,title,url,queue){ //History.debug('History.replaceState: called', arguments); // Check the State if ( History.getHashByUrl(url) && History.emulated.pushState ) { throw new Error('History.js does not support states with fragement-identifiers (hashes/anchors).'); } // Handle Queueing if ( queue !== false && History.busy() ) { // Wait + Push to Queue //History.debug('History.replaceState: we must wait', arguments); History.pushQueue({ scope: History, callback: History.replaceState, args: arguments, queue: queue }); return false; } // Make Busy + Continue History.busy(true); // Create the newState var newState = History.createStateObject(data,title,url); // Check it if ( History.isLastSavedState(newState) ) { // Won't be a change History.busy(false); } else { // Store the newState History.storeState(newState); History.expectedStateId = newState.id; // Push the newState history.replaceState(newState.id,newState.title,newState.url); // Fire HTML5 Event History.Adapter.trigger(window,'popstate'); } // End replaceState closure return true; }; } // !History.emulated.pushState // ==================================================================== // Initialise /** * Load the Store */ if ( sessionStorage ) { // Fetch try { History.store = JSON.parse(sessionStorage.getItem('History.store'))||{}; } catch ( err ) { History.store = {}; } // Normalize History.normalizeStore(); } else { // Default Load History.store = {}; History.normalizeStore(); } /** * Clear Intervals on exit to prevent memory leaks */ History.Adapter.bind(window,"unload",History.clearAllIntervals); /** * Create the initial State */ History.saveState(History.storeState(History.extractState(History.getLocationHref(),true))); /** * Bind for Saving Store */ if ( sessionStorage ) { // When the page is closed History.onUnload = function(){ // Prepare var currentStore, item, currentStoreString; // Fetch try { currentStore = JSON.parse(sessionStorage.getItem('History.store'))||{}; } catch ( err ) { currentStore = {}; } // Ensure currentStore.idToState = currentStore.idToState || {}; currentStore.urlToId = currentStore.urlToId || {}; currentStore.stateToId = currentStore.stateToId || {}; // Sync for ( item in History.idToState ) { if ( !History.idToState.hasOwnProperty(item) ) { continue; } currentStore.idToState[item] = History.idToState[item]; } for ( item in History.urlToId ) { if ( !History.urlToId.hasOwnProperty(item) ) { continue; } currentStore.urlToId[item] = History.urlToId[item]; } for ( item in History.stateToId ) { if ( !History.stateToId.hasOwnProperty(item) ) { continue; } currentStore.stateToId[item] = History.stateToId[item]; } // Update History.store = currentStore; History.normalizeStore(); // In Safari, going into Private Browsing mode causes the // Session Storage object to still exist but if you try and use // or set any property/function of it it throws the exception // "QUOTA_EXCEEDED_ERR: DOM Exception 22: An attempt was made to // add something to storage that exceeded the quota." infinitely // every second. currentStoreString = JSON.stringify(currentStore); try { // Store sessionStorage.setItem('History.store', currentStoreString); } catch (e) { if (e.code === DOMException.QUOTA_EXCEEDED_ERR) { if (sessionStorage.length) { // Workaround for a bug seen on iPads. Sometimes the quota exceeded error comes up and simply // removing/resetting the storage can work. sessionStorage.removeItem('History.store'); sessionStorage.setItem('History.store', currentStoreString); } else { // Otherwise, we're probably private browsing in Safari, so we'll ignore the exception. } } else { throw e; } } }; // For Internet Explorer History.intervalList.push(setInterval(History.onUnload,History.options.storeInterval)); // For Other Browsers History.Adapter.bind(window,'beforeunload',History.onUnload); History.Adapter.bind(window,'unload',History.onUnload); // Both are enabled for consistency } // Non-Native pushState Implementation if ( !History.emulated.pushState ) { // Be aware, the following is only for native pushState implementations // If you are wanting to include something for all browsers // Then include it above this if block /** * Setup Safari Fix */ if ( History.bugs.safariPoll ) { History.intervalList.push(setInterval(History.safariStatePoll, History.options.safariPollInterval)); } /** * Ensure Cross Browser Compatibility */ if ( navigator.vendor === 'Apple Computer, Inc.' || (navigator.appCodeName||'') === 'Mozilla' ) { /** * Fix Safari HashChange Issue */ // Setup Alias History.Adapter.bind(window,'hashchange',function(){ History.Adapter.trigger(window,'popstate'); }); // Initialise Alias if ( History.getHash() ) { History.Adapter.onDomLoad(function(){ History.Adapter.trigger(window,'hashchange'); }); } } } // !History.emulated.pushState }; // History.initCore // Try to Initialise History if (!History.options || !History.options.delayInit) { History.init(); } return History; });
shovemedia/GigaJS
js/src/lib/History.js
JavaScript
mit
71,024
import deepFreeze from 'deep-freeze'; import article_details from '../../app/assets/javascripts/reducers/article_details'; import { RECEIVE_ARTICLE_DETAILS } from '../../app/assets/javascripts/constants/article_details'; import '../testHelper'; describe('article_details reducer', () => { it('Should return initial state if no action type matches', () => { const mockAction = { type: 'NO_TYPE' }; const initialState = {}; deepFreeze(initialState); const result = article_details(undefined, mockAction); expect(result).to.deep.eq(initialState); }); it('should reutrn a new state if action type is RECEIVE_ARTICLE_DETAILS', () => { const mockAction = { type: RECEIVE_ARTICLE_DETAILS, articleId: 586, data: { article_details: 'best article ever' } }; const expectedState = { 586: 'best article ever' }; expect(article_details(undefined, mockAction)).to.deep.eq(expectedState); }); });
sejalkhatri/WikiEduDashboard
test/reducers/article_details.spec.js
JavaScript
mit
981
var db = require('../models'); exports.checkItemsList = function (req, res, next) { var data = { items: [] }; db.Item.findAll().then(function (results) { for (var i = 0; i < results.length; i++) { data.items.push(results[i].dataValues); } // console.log(data.items); console.log('items list controller working'); res.locals.items = data.items; next(); }).catch(function (error) { console.log(error); console.log('items list controller error'); next(); }); };
yoonslee/project2-game
controllers/itemController.js
JavaScript
mit
522
import $ from 'jquery' import template from './Loadbox.html' import Mustache from 'mustache' import img1 from '../../images/load-circle.png' import img2 from '../../images/load-bg.png' import img3 from '../../images/logo.png' import img4 from '../../images/slogan.png' import img5 from '../../images/panel-bg.jpg' import img6 from '../../images/button.png' import img7 from '../../images/leftnav.png' import img8 from '../../images/intro_1_pic.png' import img9 from '../../images/intro_2_pic.png' import img10 from '../../images/intro_3_pic.png' import img11 from '../../images/intro_1_txt.png' import img12 from '../../images/intro_2_txt.png' import img13 from '../../images/intro_3_txt.png' import img14 from '../../images/intro_4_txt.png' import img15 from '../../images/intro_5_txt.png' import img16 from '../../images/bg.jpg' export default class Loadbox { constructor(type) { this.type = type; } render() { let preload = [] switch(this.type) { case 'landing': preload = [img1,img2,img3,img4,img5,img6,img7,img8,img9,img10,img11,img12,img13,img14,img15,img16] break default: preload = [] } $('#preload').html( Mustache.render(template, {preload: preload}) ); } }
RainKolwa/goon_cowala_feb
src/components/Loadbox/Index.js
JavaScript
mit
1,235
const postcss = require('postcss'); const fs = require('fs'); const plugin = require('../index'); const pkg = require('../package.json'); /** * Runs the plugins process function. Tests whether the given input is equal * to the expected output with the given options. * * @param {string} input Input fixture file name. * @param {object} opts Options to be used by the plugin. * @return {function} */ function run(input, opts = {}) { const raw = fs.readFileSync(`./test/fixtures/${input}.css`, 'utf8'); const expected = fs.readFileSync(`./test/fixtures/${input}.expected.css`, 'utf8'); return postcss([plugin(opts)]).process(raw, { from: undefined }) .then(result => { expect(result.css).toEqual(expected); expect(result.warnings().length).toBe(0); }); } it('Should replace strings in comments and styles.', () => { return run('basic', { data: pkg }); }); it('Should throw a TypeError if invalid pattern is supplied.', () => { return run('basic', { data: pkg, pattern: '' }).catch(e => expect(e).toBeInstanceOf(TypeError) ) }); it('Should not replace anything in styles when “commentsOnly” option is set to TRUE.', () => { return run('commentsOnly', { data: pkg, commentsOnly: true }); }); it('Should not replace anything without data', () => { return run('noChanges'); }); it('Should not change unknown variables', () => { return run('noChanges', { data: pkg }); }); it('Should work with deep data objects', () => { return run('deep', { data: { level1: { level2: 'test' } } }); }); it('Should work with a custom RegEx', () => { return run('otherRegex', { data: pkg, pattern: /%\s?([^\s]+?)\s?%/gi }); }); it('Should work with a custom RegEx object', () => { return run('basic', { data: pkg, pattern: new RegExp(/{{\s?([^\s]+?)\s?}}/, 'gi') }); }); it('Should work with a custom RegEx string', () => { return run('basic', { data: pkg, pattern: '{{\\s?([^\\s]+?)\\s?}}' }); }); it('Should work with another custom RegEx string', () => { return run('otherRegex', { data: pkg, pattern: '%\\s?([^\\s]+?)\\s?%' }); }); it('Should work with empty string values', () => { return run('empty', { data: { value: '' } }); }); it('Should work with undefined values', () => { return run('noChanges', { data: { value: undefined } }); }); it('Should work with null values', () => { return run('noChanges', { data: { value: null } }); }); it('Should work with null data', () => { return run('noChanges', { data: null }); }); it('Should not replace multiple times', () => { return run('noDuplicate', { pattern: /(a)/g, data: { a: 'abc'} }); }); it('Should replace strings in selectors', () => { return run('selectors', { pattern: /(foo)/g, data: { 'foo': 'bar' }, }); }); it('Should replace regex to empty in selectors', () => { return run('regexEmpty', { pattern: /\[.*\]:delete\s+/gi, data: { replaceAll: '' } }); }); it('Should replace regex to single value in selectors', () => { return run('regexValue', { pattern: /\[.*\]:delete/gi, data: { replaceAll: '.newValue' } }); }); it('Should work with custom Regex string', () => { return run('customRegexValue', { pattern: new RegExp(/%replace_me%/, 'gi'), data: { replaceAll: 'new awesome string :)' } }); }); it('Should replace properties and values', () => { return run('replaceProperties', { pattern: /##\((.*?)\)/g, data: { 'prop': 'color', 'name': 'basic', 'key': 'dark', 'value': '#9c9c9c' }, }); });
gridonic/postcss-replace
test/index.test.js
JavaScript
mit
3,694
// Import React import React from "react"; // Import Spectacle Core tags import { BlockQuote, Cite, CodePane, Deck, Heading, Image, Link, Quote, Slide, Spectacle, Text, Code, Markdown, List, ListItem } from "spectacle"; import CodeSlide from "spectacle-code-slide"; // Import image preloader util import preloader from "spectacle/lib/utils/preloader"; // Import theme import createTheme from "spectacle/lib/themes/default"; // Import custom component // import Interactive from "../assets/interactive"; // Require CSS require("normalize.css"); require("spectacle/lib/themes/default/index.css"); const images = { styleguide: require("../assets/styleguide.png"), invision: require("../assets/invision_styleguide.png"), canvas: require("../assets/canvas.png"), toggle: require("../assets/toggle.png"), panda: require("../assets/panda.jpg"), checkbox: require("../assets/checkbox.png"), happy: require("../assets/happy.jpg"), button: require("../assets/button.png"), production: require("../assets/production.png"), development: require("../assets/development.png"), initial: require("../assets/initial.png"), applyTheme: require("../assets/applyTheme.png"), themed: require("../assets/themed.png"), zoomed: require("../assets/zoomed.png"), variableSupport: require("../assets/variableSupport.png"), holyGrail: require("../assets/holyGrail.jpg"), microservices: require("../assets/microservices.jpg") }; preloader(images); const theme = createTheme({ primary: "#1bb7b6" }, { primary: "Lato" }); export default class Presentation extends React.Component { render() { return ( <Spectacle theme={theme}> <Deck transition={["zoom", "slide"]} transitionDuration={500}> <Slide transition={["zoom"]} bgColor="primary"> <Heading size={1} fit caps lineHeight={1} textColor="black"> Style Guide Driven Development </Heading> <Heading size={1} fit caps> <i> <small style={{ paddingRight: "4px", textTransform: "lowercase", fontWeight: "normal" }}>with</small> </i> React and CSS Modules </Heading> </Slide> <Slide transition={["slide"]} bgColor="black" notes={` A little information about myself: I'm Lead UI Engineer on the UI dev team at Instructure. We're a cross-functional team made up of designers and engineers and we work closely with both Engineering and Product Design/UX. Our goal is to build tools and establish processes that make it easier for our designers and developers to more easily collaborate. `} > <Heading size={1} fit caps lineHeight={1} textColor="primary"> Jennifer Stern </Heading> <Heading size={1} fit caps> Lead UI Engineer @ <Link href="http://instructure.com" textColor="tertiary">Instructure</Link> </Heading> <Text lineHeight={1} textColor="tertiary"> [email protected] </Text> </Slide> <Slide bgImage={images.styleguide.replace("/", "")} bgDarken={0.50} notes={` What's a style guide? Where application development is concerned: It's all about better process and communication between designers and developers (and in a larger org between developers -- reducing duplication of efforts) To produce a more consistent UX and to be able to build out UI code more efficiently. `} > <Heading size={1} fit caps lineHeight={1}> What's a Style Guide? </Heading> <BlockQuote bgColor="rgba(0, 0, 0, 0.6)" margin="1em 0" padding="1em 1.5em"> <Quote textColor="tertiary" textSize="1em" bold={false} lineHeight={1.5}> A style guide is a set of standards for the writing and design of documents, either for general use or for a specific publication, organization, or field.... <Text margin="1em 0px 0px" textSize="1em" textColor="primary" caps bold lineHeight={1.2}> A style guide establishes and enforces style to improve communication. </Text> </Quote> <Cite textColor="tertiary" textSize="0.5em"> <Link textColor="tertiary" href="https://en.wikipedia.org/wiki/Style_guide"> Wikipedia </Link> </Cite> </BlockQuote> </Slide> <Slide notes={` Our designers maintain a static style guide in Sketch app and they share it with us in invision. This document doesn't really reflect the state of the current application UI and is time consuming to maintain. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Static Style Guide </Text> <div className="browser"> <Image src={images.invision.replace("/", "")} margin="0" height="500px" /> </div> </Slide> <Slide notes={` vs a "live" style guide... In recent years it's become pretty standard to build out a "living" style guide and there are a bunch of open source tools to help you generate documentation from your Sass or CSS style sheets. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Live Style Guide </Text> <Text textSize="3rem" textColor="tertiary">(or pattern library)</Text> <div className="browser"> <Image src={images.canvas.replace("/", "")} margin="0" height="400px" /> </div> </Slide> <Slide notes={` We've had one our living style guide for a while now and the documentation looks like this. When I first starting building out documentation like this, I was thinking... `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> In a Live Style Guide </Text> <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Documentation lives with the source code in the same repository </Text> </Slide> <CodeSlide transition={["slide"]} lang="jsx" code={require("raw!../assets/buttons.scss")} ranges={[ { loc: [0, 0], title: "buttons.scss" }, { loc: [0, 21]} ]} /> <Slide bgColor="black" transition={["slide"]} notes={` Is this the holy grail? Can we finally have a 'single source of truth' owned by both design and engineering and stop manually updating documentation that is usually out of date as soon as we write it? `} > <Image src={images.holyGrail.replace("/", "")} margin="0" /> </Slide> <Slide bgColor="black" transition={["slide"]} notes={` Well... Nope. As it turns out, our "live" style guide is still out of sync with the application code, and most designers and developers don't reference it when they are working on new features (if they know it exists). Why? There is a steep learning curve to working in our monolithic code base, and since the old style guide lives there and is part of that build, it's difficult to set up and get running. So it's not really fair to ask designers to learn to update the documentation. In fact, most developers aren't familiar with the style guide part of the build because our current front end build process and testing setup is confusing and cumbersome. `} > <Image src={images.panda.replace("/", "")} margin="0" /> </Slide> <Slide notes={` So let's take a look at a custom checkbox (toggle) in our sass style guide. Notice that there is a lot of markup to copy and paste. Also to make it accessible we need to add some JS behavior to it. So the documentation doesn't necessarily reflect what's in the application code in terms of html markup or JS for behavior. The scss code for this component lives in a common css file that is used across the application. Most developers are reluctant to make changes to CSS because they aren't sure what they may break and so they probably never see the files that have the documentation comment blocks. This leads to lots of one-off solutions and overrides, duplication of effort and inconsistency in the UX. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> A custom checkbox in <b>Sass</b> </Text> <div className="browser"> <Image src={images.toggle.replace("/", "")} margin="0" height="500px" /> </div> </Slide> <Slide notes={` Let's compare that Toggle documentation with a custom checkbox (toggle) in our new React style guide. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> A custom checkbox in <b>React</b> </Text> <div className="browser"> <Image src={images.checkbox.replace("/", "")} margin="0" height="500px" /> </div> </Slide> <Slide notes={` Similar to our old style guide: the documentation is generated from the source code + markdown in comment blocks. Examples are generated from code blocks. Property documentation is generated from code + comment blocks using react-docgen. But in this case, CSS, JS, HTML and documentation are bundled and documented as one component. Notice that here we're encapsulating style, markup and behavior for the component. And we've replaced all of those lines of code with one. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> <b>CSS, JS, HTML</b> &amp; documentation </Text> <Text textColor="tertiary" caps fit> in one place </Text> </Slide> <CodeSlide transition={["slide"]} lang="jsx" code={require("raw!../assets/checkbox.js")} ranges={[ { loc: [48, 270], title: "checkbox.js" }, { loc: [21, 24]} ]} /> <Slide transition={["spin", "slide"]} bgImage={images.styleguide.replace("/", "")} bgDarken={0.50} notes={` So that's great, but how do we get designers and developers to share ownership of our living style guide v2.0 (and actually use it)? `} > <BlockQuote bgColor="rgba(0, 0, 0, 0.6)" margin="1em 0" padding="1em 1.5em"> <Quote textColor="tertiary" textSize="1em" bold={false} lineHeight={1.2}> Make the right things easy and the wrong things hard. </Quote> <Cite textColor="tertiary" textSize="0.5em"> <Link textColor="tertiary" href="https://en.wikipedia.org/wiki/Style_guide"> Jonathan Snook </Link> </Cite> </BlockQuote> <Text textColor="tertiary" textSize="0.75em">And now I'll attempt to live code...</Text> </Slide> <Slide notes={` The component library code is in a separate repository and the documentation app is easy to install and and run locally. We've spent lots of time on scaffolding and tools to make it super easy to spin up a new component and write documentation and tests for it. (webpack dev server + hot reloading, eslint, stylelint) Now designers can (at minimum) pull down code from a pull request and run it locally. (We're working on convincing them that they can update it too :) ) The easiest thing used to be to make a one-off solution for the feature, but we've made it a lot easier to contribute to the shared UI code instead. `} > <Image src={images.happy.replace("/", "")} margin="0" /> </Slide> <Slide transition={["spin", "slide"]} bgImage={images.styleguide.replace("/", "")} bgDarken={0.50} notes={` So now that we're bundling JS, CSS and HTML together into a single component, how can we be sure that it will render the same in the application as it does in our style guide? Can we take advantage of the fact that we're using JS to render these components? Should we consider writing our CSS in JS (as inline styles)? Lots of react component libraries are using frameworks like Radium and Aphrodite to write CSS in JS. `} > <BlockQuote bgColor="rgba(0, 0, 0, 0.6)" margin="1em 0" padding="1em 1.5em"> <Quote textColor="tertiary" textSize="1em" bold={false} lineHeight={1.2}> CSS in JS? <Markdown> {` 1. Global Namespaces 2. Dependencies 3. Dead Code Elimination 4. Minification 5. Sharing Constants 6. Non-Deterministic Resolution 7. Isolation `} </Markdown> </Quote> <Cite textColor="tertiary" textSize="0.5em"> <Link textColor="tertiary" href=""> Christopher "vjeux" Chedeau </Link> </Cite> </BlockQuote> </Slide> <Slide notes={` CSS Modules solves 1-6 and half of 7 With CSS modules we can isolate components and make them more durable by limiting the scope of their CSS. With CSS modules we can write our class names as if they were only scoped to the component we're working on without worrying that we'll accidentally break something somewhere else. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> CSS Modules </Text> <Text textColor="tertiary" caps fit> (isolate component styles <b>without writing CSS in JS</b>) </Text> </Slide> <CodeSlide transition={["slide"]} lang="jsx" code={require("raw!../assets/button.css")} ranges={[ { loc: [0, 0], title: "button.css" }, { loc: [274, 280], title: "local classes"} ]} /> <Slide notes={` CSS Modules `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> CSS Modules </Text> <Text textColor="tertiary" caps fit> loading a CSS file in a JS component </Text> </Slide> <CodeSlide transition={["slide"]} lang="jsx" code={require("raw!../assets/button.js")} ranges={[ { loc: [0, 0], title: "button.js" }, { loc: [7, 9], title: "importing styles"}, { loc: [161, 168], title: "rendering styles"}, { loc: [184, 195] } ]} /> <Slide notes={` Generated class names in production `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> <small>with</small> production config </Text> <div className="browser"> <Image src={images.production.replace("/", "")} margin="0" height="550px" /> </div> </Slide> <Slide notes={` Generated class names in development Note that it's pretty similar to the BEM class name format This makes it easy to debug issues in dev mode. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> <small>with</small> development config </Text> <div className="browser"> <Image src={images.development.replace("/", "")} margin="0" height="550px" /> </div> </Slide> <Slide notes={` The other half of #7 Prevent the cascade with all: initial and postcss-initial We need to roll out these components bit by bit, so they need to work when older legacy CSS and various versions of Bootstrap CSS. We want to be pretty sure they'll work the same in the consuming app as they do in the documentation app. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Prevent the Cascade </Text> <Text textColor="tertiary" caps fit> with <Code textSize="1em" caps={false}>all: initial</Code> and postcss-initial </Text> <div className="browser"> <Image src={images.initial.replace("/", "")} margin="0" width="100%" /> </div> </Slide> <Slide transition={["spin", "slide"]} bgImage={images.styleguide.replace("/", "")} bgDarken={0.50} notes={` As it turns out, bundling component JS, CSS and markup together makes writing accessibile UIs a whole lot easier. What does it mean for a UI to be accesible? It's about building your UI so that it works with assistive tech like screen readers, keyboards (for users who can't use a mouse) and for people who may be color blind or have partial vision. `} > <Heading size={1} fit caps>Accessibility</Heading> </Slide> <Slide notes={` A11y benefits (Button and Link components) In Canvas, we fix a lot of a11y bugs around buttons. Usually we've added onClick behavior to a div or we've styled a link to look like a button (or vice versa). Rule of thumb for keyboard a11y: If it looks like a button it should behave like a button. If it looks like a link it should behave like a link. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Accessible Buttons </Text> <div className="browser"> <Image src={images.button.replace("/", "")} margin="0" height="500px" /> </div> </Slide> <Slide notes={` (JS...) A11y benefits (Button and Link components) Take a look at the handleKeyDown method `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Adding (JS) behavior to components for <b>accessibility</b> </Text> </Slide> <CodeSlide transition={["slide"]} lang="jsx" code={require("raw!../assets/button.js")} ranges={[ { loc: [0, 0], title: "button.js" }, { loc: [113, 134]} ]} /> <Slide notes={` (html...) A11y benefits (unit tests) We can use tools like axe-core and eslint-plugin-jsx-a11y to run unit tests to verify that the components are accessible and lint for common a11y issues (e.g. missing alt attributes on images). `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Unit tests for Accessibility using <b>axe-core</b> </Text> </Slide> <CodeSlide transition={["slide"]} lang="jsx" code={require("raw!../assets/checkbox.test.js")} ranges={[ { loc: [0, 0], title: "checkbox.test.js" }, { loc: [79, 87]} ]} /> <Slide notes={` (color variables...) A11y benefits (color contrast) Notice the variables are defined in JS... `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Testing <b>color contrast</b> for a11y </Text> </Slide> <CodeSlide transition={["slide"]} lang="jsx" code={require("raw!../assets/button.test.js")} ranges={[ { loc: [0, 0], title: "theme.test.js" }, { loc: [8, 14]} ]} /> <Slide transition={["spin", "slide"]} bgImage={images.styleguide.replace("/", "")} bgDarken={0.50} notes={` `} > <Heading size={1} caps>Themes</Heading> </Slide> <Slide notes={` Sass variables Notice the global (color) variables. Notice the functional (link) variables. What's the drawback here? We need to pre-process all of the variations and custom brands as part of our build. How can we avoid this? We can write our variables (not our CSS) in JS. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> SASS variables <b>in the monolith</b> </Text> </Slide> <CodeSlide transition={["slide"]} lang="css" code={require("raw!../assets/variables.scss")} ranges={[ { loc: [0, 0], title: "variables.scss" }, { loc: [186, 188], title: "global variables"}, { loc: [204, 208], title: "functional variables"} ]} /> <Slide notes={` Global/Brand JS variables `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> <b>Global brand variables</b> defined in JS </Text> </Slide> <CodeSlide transition={["slide"]} lang="js" code={require("raw!../assets/brand.js")} ranges={[ { loc: [0, 0], title: "brand.js" }, { loc: [4, 9], title: "global color variables"} ]} /> <Slide notes={` Component/functional variables `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> <b>Component variables</b> defined in JS </Text> </Slide> <CodeSlide transition={["slide"]} lang="js" code={require("raw!../assets/theme.js")} ranges={[ { loc: [0, 0], title: "theme.js" }, { loc: [7, 14], title: "component variables"} ]} /> <Slide notes={` Now these variables are accessible withing our JS code too... and we can do run time themeing. Here's the ApplyTheme component. `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Applying themes at run time </Text> <div className="browser"> <Image src={images.applyTheme.replace("/", "")} margin="0" width="800px" /> </div> </Slide> <Slide notes={` How does this work without writing inline styles with JS? ...CSS custom properties `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> CSS custom properties </Text> <div className="browser"> <Image src={images.themed.replace("/", "")} margin="0" width="800px" /> </div> </Slide> <Slide notes={` Setting custom properties with JS `} > <Code textColor="tertiary" fit lineHeight={1}> CSSStyleDeclaration.setProperty() </Code> <CodePane lang="js" source={require("raw!../assets/setProperty.js")} textSize="1em" margin="1em auto" /> </Slide> <Slide notes={` CSS custom properties have pretty good browser support `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> CSS custom properties </Text> <Text textSize="2rem" textColor="tertiary" lineHeight={1}> (we wrote a polyfill for IE) </Text> <div className="browser"> <Image src={images.variableSupport.replace("/", "")} margin="0" width="800px" /> </div> </Slide> <Slide transition={["spin", "slide"]} bgImage={images.microservices.replace("/", "")} bgDarken={0.70} notes={` How's it going so far? `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Built to Scale </Text> <Text textSize="3rem" textColor="tertiary" bold> We're using our UI components in multiple applications as we start breaking up the monolith into microservices </Text> <Text textColor="tertiary"> & </Text> <Text textSize="3rem" textColor="tertiary" bold> Our professional services team is using the library to build custom integrations with a seamless UX. </Text> </Slide> <Slide transition={["spin", "slide"]} bgImage={images.styleguide.replace("/", "")} bgDarken={0.70} notes={` Questions `} > <Heading textColor="tertiary" fit caps lineHeight={1}> Questions? </Heading> <Text fit margin="2em 0" bold textColor="tertiary"> https://github.com/instructure/instructure-ui </Text> <Text caps lineHeight={1} textColor="primary" bold margin="1em 0"> We're Hiring! </Text> <Text textColor="tertiary"> Contact Ariel: [email protected] </Text> </Slide> <Slide notes={` Resources and Links `} > <Text textSize="1rem" textColor="tertiary" fit caps lineHeight={1}> Resources and Links </Text> <List textColor="tertiary"> <ListItem> <Link textColor="tertiary" href="https://github.com/reactjs/react-docgen">react-docgen</Link> </ListItem> <ListItem> <Link textColor="tertiary" href="http://eslint.org/">eslint</Link> </ListItem> <ListItem> <Link textColor="tertiary" href="https://github.com/stylelint/stylelint">stylelint</Link> </ListItem> <ListItem> <Link textColor="tertiary" href="https://github.com/dequelabs/axe-core">axe-core</Link> </ListItem> <ListItem> <Link textColor="tertiary" href="https://www.npmjs.com/package/eslint-plugin-jsx-a11y">eslint-plugin-jsx-a11y</Link> </ListItem> <ListItem> <Link textColor="tertiary" href="https://github.com/maximkoretskiy/postcss-initial">postcss-initial</Link> </ListItem> <ListItem> <Link textColor="tertiary" href="https://github.com/css-modules/css-modules">css modules</Link> </ListItem> <ListItem> <Link textColor="tertiary" href="https://github.com/webpack/css-loader">webpack css-loader</Link> </ListItem> </List> </Slide> </Deck> </Spectacle> ); } }
junyper/react-meetup
presentation/index.js
JavaScript
mit
29,727
import { AudioSourceErrorEvent, AudioSourceInitializingEvent, AudioSourceOffEvent, AudioSourceReadyEvent, AudioStreamNodeAttachedEvent, AudioStreamNodeAttachingEvent, AudioStreamNodeDetachedEvent } from 'microsoft-cognitiveservices-speech-sdk/distrib/lib/src/common/AudioSourceEvents'; export { AudioSourceErrorEvent, AudioSourceInitializingEvent, AudioSourceOffEvent, AudioSourceReadyEvent, AudioStreamNodeAttachedEvent, AudioStreamNodeAttachingEvent, AudioStreamNodeDetachedEvent };
billba/botchat
packages/testharness/pre/external/microsoft-cognitiveservices-speech-sdk/distrib/lib/src/common/AudioSourceEvents.js
JavaScript
mit
514
var expect = chai.expect; var assert = chai.assert; var Utils = { elementContainer: undefined, _init: function(){ this.elementContainer = document.createElement('div'); this.elementContainer.setAttribute('data-element-container', ''); this.elementContainer.style.display = 'none'; document.body.appendChild(this.elementContainer); return this; }, append: function(selector, html){ var div = document.createElement('div'); div.innerHTML = html; var children = Array.prototype.slice.call(div.childNodes); var length = children.length; var parents = document.querySelectorAll(selector); for(var p=0; p<parents.length; p++){ var parent = parents[p]; while(children.length){ var child = children.pop(); parent.appendChild(child); } } }, remove: function(parentSelector, childSelector){ var parents = document.querySelectorAll(parentSelector); for(var p=0; p<parents.length; p++){ var parent = parents[p]; var children = parent.querySelectorAll(childSelector); children = Array.prototype.slice.call(children); while(children.length){ var child = children.pop(); parent.removeChild(child); } } } }._init();
hkvalvik/element-observer
test/utils.js
JavaScript
mit
1,413
/* eslint-disable no-console */ const path = require('path'); const { promisify } = require('util'); const render = require('koa-ejs'); const helmet = require('helmet'); const { Provider } = require('../lib'); // require('oidc-provider'); const Account = require('./support/account'); const configuration = require('./support/configuration'); const routes = require('./routes/koa'); const { PORT = 3000, ISSUER = `http://localhost:${PORT}` } = process.env; configuration.findAccount = Account.findAccount; let server; (async () => { let adapter; if (process.env.MONGODB_URI) { adapter = require('./adapters/mongodb'); // eslint-disable-line global-require await adapter.connect(); } const prod = process.env.NODE_ENV === 'production'; const provider = new Provider(ISSUER, { adapter, ...configuration }); const directives = helmet.contentSecurityPolicy.getDefaultDirectives(); delete directives['form-action']; const pHelmet = promisify(helmet({ contentSecurityPolicy: { useDefaults: false, directives, }, })); provider.use(async (ctx, next) => { const origSecure = ctx.req.secure; ctx.req.secure = ctx.request.secure; await pHelmet(ctx.req, ctx.res); ctx.req.secure = origSecure; return next(); }); if (prod) { provider.proxy = true; provider.use(async (ctx, next) => { if (ctx.secure) { await next(); } else if (ctx.method === 'GET' || ctx.method === 'HEAD') { ctx.status = 303; ctx.redirect(ctx.href.replace(/^http:\/\//i, 'https://')); } else { ctx.body = { error: 'invalid_request', error_description: 'do yourself a favor and only use https', }; ctx.status = 400; } }); } render(provider.app, { cache: false, viewExt: 'ejs', layout: '_layout', root: path.join(__dirname, 'views'), }); provider.use(routes(provider).routes()); server = provider.listen(PORT, () => { console.log(`application is listening on port ${PORT}, check its /.well-known/openid-configuration`); }); })().catch((err) => { if (server && server.listening) server.close(); console.error(err); process.exitCode = 1; });
panva/node-oidc-provider
example/standalone.js
JavaScript
mit
2,219
// All symbols in the Vertical Forms block as per Unicode v8.0.0: [ '\uFE10', '\uFE11', '\uFE12', '\uFE13', '\uFE14', '\uFE15', '\uFE16', '\uFE17', '\uFE18', '\uFE19', '\uFE1A', '\uFE1B', '\uFE1C', '\uFE1D', '\uFE1E', '\uFE1F' ];
mathiasbynens/unicode-data
8.0.0/blocks/Vertical-Forms-symbols.js
JavaScript
mit
245
const LOAD = 'lance-web/serviceTypes/LOAD'; const LOAD_SUCCESS = 'lance-web/serviceTypes/LOAD_SUCCESS'; const LOAD_FAIL = 'lance-web/serviceTypes/LOAD_FAIL'; const EDIT_START = 'lance-web/serviceTypes/EDIT_START'; const EDIT_STOP = 'lance-web/serviceTypes/EDIT_STOP'; const SAVE = 'lance-web/serviceTypes/SAVE'; const SAVE_SUCCESS = 'lance-web/serviceTypes/SAVE_SUCCESS'; const SAVE_FAIL = 'lance-web/serviceTypes/SAVE_FAIL'; const REMOVE = 'lance-web/serviceTypes/REMOVE'; const REMOVE_SUCCESS = 'lance-web/serviceTypes/REMOVE_SUCCESS'; const REMOVE_FAIL = 'lance-web/serviceTypes/REMOVE_FAIL'; const CLEAR_ERRORS = 'lance-web/serviceTypes/CLEAR_ERRORS'; const initialState = { loaded: false, editing: {}, saveError: {} }; export default function reducer(state = initialState, action = {}) { switch (action.type) { case LOAD: return { ...state, loading: true }; case LOAD_SUCCESS: return { ...state, loading: false, loaded: true, data: action.result.serviceTypes, error: null }; case LOAD_FAIL: return { ...state, loading: false, loaded: false, data: null, error: action.error }; case EDIT_START: return { ...state, editing: { ...state.editing, [action.id]: true } }; case EDIT_STOP: return { ...state, editing: { ...state.editing, [action.id]: false } }; case SAVE: return { ...state, loading: true, error: null }; case SAVE_SUCCESS: return { ...state, data: [...state.data, action.result.serviceType], loading: false, error: null }; case SAVE_FAIL: return { ...state, loading: false, error: action.error }; case REMOVE: return { ...state, loading: true, error: null }; case REMOVE_SUCCESS: let idx; for (let jdx = 0; jdx < state.data.length; jdx++) { if (state.data[jdx].id === action.id) { idx = jdx; } } return { ...state, data: [ ...state.data.slice(0, idx), ...state.data.slice(idx + 1)], loading: false, error: null }; case REMOVE_FAIL: return { ...state, loading: false, error: action.error }; case CLEAR_ERRORS: return { ...state, error: null }; default: return state; } } export function isLoaded(globalState) { return globalState.serviceTypes && globalState.serviceTypes.loaded; } export function filter(term) { return { types: [LOAD, LOAD_SUCCESS, LOAD_FAIL], promise: (client) => client.post('/serviceType/filter/', {data: {title: term}}) // params not used, just shown as demonstration }; } export function load() { return { types: [LOAD, LOAD_SUCCESS, LOAD_FAIL], promise: (client) => client.get('/serviceType/load') // params not used, just shown as demonstration }; } export function save(serviceType) { return { types: [SAVE, SAVE_SUCCESS, SAVE_FAIL], id: serviceType.id, promise: (client) => client.post('/serviceType/save', { data: serviceType }) }; } export function remove(id) { return { types: [REMOVE, REMOVE_SUCCESS, REMOVE_FAIL], id: id, promise: (client) => client.post('/serviceType/remove', {data: {id: id}}) }; } export function clearErrors() { return { type: CLEAR_ERRORS }; } export function editStart(id) { return { type: EDIT_START, id }; } export function editStop(id) { return { type: EDIT_STOP, id }; }
jairoandre/lance-web-hot
src/redux/modules/serviceTypes.js
JavaScript
mit
3,767
'use strict'; // 서비스 단위 테스트 describe('서비스 단위 테스트', function() { beforeEach(module('myApp.services')); describe('버전 서비스 테스트', function() { it('현재 버전 반환', inject(function(version) { expect(version).toEqual('0.1'); })); }); });
eu81273/angularjs-testing-example
test/unit/servicesSpec.js
JavaScript
mit
313
import React, { PropTypes, Component } from 'react'; import cx from 'classnames'; import Modal from '../Modal'; import FontIcon from '../FontIcon'; import s from './AssignTo.scss'; class AssignTo extends Component { state = { nodeIdx: null, treeData: [], }; componentDidMount = () => this.setState({ nodeIdx: this.props.document.tags, treeData: this.props.treeData.map(node => this.props.document.tags.indexOf(node.id) !== -1 ? Object.assign({}, node, { isTarget: true }) : Object.assign({}, node, { isTarget: false }) ), }); /** * Handles dismiss */ handleOnDismiss = () => this.props.onCancel(); /** * Handles confirmation */ handleOnConfirm = () => { this.props.onConfirm(this.props.document._id, this.state.nodeIdx); this.handleOnDismiss(); }; /** * Handles click on tree view's element * @param {String} id - Current Tree Node * @param {Event} event - Event * @param isDisabled {Boolean} */ handleOnClickOnTreeItem = (id, event, isDisabled) => { event.stopPropagation(); if (!isDisabled) { const { nodeIdx } = this.state; const newNodeIdx = nodeIdx.indexOf(id) !== -1 ? nodeIdx.filter(node => node !== id) // remove if already added : [...new Set([...this.state.nodeIdx, id])]; this.setState({ nodeIdx: newNodeIdx, isRoot: false, treeData: this.state.treeData.map(node => newNodeIdx.indexOf(node.id) !== -1 ? Object.assign({}, node, { isTarget: true }) : Object.assign({}, node, { isTarget: false }) ), }); } }; /** * Handles key down on tree view's element * @param {String} id - Current Tree Node ID * @param {Event} event - Event * @param isDisabled {Boolean} */ handleOnKeyDownOnTreeItem = (id, event, isDisabled) => { if (!isDisabled) { if (event.keyCode === 13 || event.keyCode === 32) { this.handleOnClickOnTreeItem(id, event, isDisabled); // enter or space } } }; /** * Render tree item * @param {Object} [node] Tree Node * @param {number} [key] * @return {XML} Tree Item. */ renderChild = (node) => { const { treeData } = this.state; const { canAssignSystemTags } = this.props; const isDisabled = !canAssignSystemTags && node.isSystem; const children = node ? treeData.map(child => child.parentId === node.id ? this.renderChild(child) : null) : null; return node.id === '0' ? null : ( <li role="treeitem" key={node.id} tabIndex="0" onClick={(event) => this.handleOnClickOnTreeItem(node.id, event, isDisabled)} onKeyDown={(event) => this.handleOnKeyDownOnTreeItem(node.id, event)} className={cx(s.child, { [s.child_target]: node.isTarget, [s.child_disabled]: isDisabled, })} > <div className={s.item}> <FontIcon name={cx({ ['folder']: node.isTarget, ['folder-o']: !node.isTarget, })} /> <span>{node.name}</span> </div> <ul className={s.node} role="group"> { children } </ul> </li> ); }; render() { const { strCancelLabel, strCaption, strSaveLabel } = this.props; const { nodeIdx, treeData } = this.state; return ( <Modal caption={strCaption} confirmText={strSaveLabel} customBodyClassName={s.muted} dismissText={strCancelLabel} isConfirmDisabled={nodeIdx === null} onConfirm={this.handleOnConfirm} onDismiss={this.handleOnDismiss} > <div className={s.tree}> <ul className={s.node} role="tree"> { treeData.map(node => node.isRoot ? this.renderChild(node) : null )} </ul> </div> </Modal> ); } } AssignTo.propTypes = { canAssignSystemTags: PropTypes.bool, document: PropTypes.object, message: PropTypes.string, onCancel: PropTypes.func, onConfirm: PropTypes.func, onMount: PropTypes.func, strCancelLabel: PropTypes.string, strCaption: PropTypes.string, strSaveLabel: PropTypes.string, tagId: PropTypes.string, tagName: PropTypes.string, treeData: PropTypes.array, }; AssignTo.defaultProps = { canAssignSystemTags: false, message: '', treeData: [], }; export default AssignTo;
peinanshow/react-redux-samples
src/components/common/AssignTo/AssignTo.js
JavaScript
mit
4,465
import test from 'tape'; import Validation from '../../src/validation'; import _ from 'lodash'; const v = new Validation(); test('isFalse: validates isFalse', t => { let rule = {a: "isFalse"}; t.equal(v.validate({a: false}, rule), undefined); t.deepEqual(v.validate({a: true}, rule), {a: ['must be false']}); rule = {a: {validate: "isFalse", message: '${$propertyPath}:${$value} is not false'}}; t.equal(v.validate({a: false}, rule), undefined); t.deepEqual(v.validate({a: true}, rule), {a: ['a:true is not false']}); rule = { a: { validate: "isFalse", value: "b < c", message: "b:${$this.b} must be greater than c:${$this.c}" } }; t.equal(v.validate({a: true, b: 2, c: 1}, rule), undefined); t.deepEqual(v.validate({a: false, b: 1, c: 2}, rule), {a: ['b:1 must be greater than c:2']}); rule = { a: [{ validate: "isFalse", value: "b < c", message: "b:${$this.b} must be greater than c:${$this.c}" }] }; t.equal(v.validate({a: true, b: 2, c: 1}, rule), undefined); t.deepEqual(v.validate({a: false, b: 1, c: 2}, rule), {a: ['b:1 must be greater than c:2']}); t.end(); });
buttonwoodcx/bcx-validation
test/standard-transformers-and-validators/is-false.spec.js
JavaScript
mit
1,160
/* Copyright (c) 2007 Danny Chapman http://www.rowlhouse.co.uk This software is provided 'as-is', without any express or implied warranty. In no event will the authors be held liable for any damages arising from the use of this software. Permission is granted to anyone to use this software for any purpose, including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions: 1. The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment in the product documentation would be appreciated but is not required. 2. Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software. 3. This notice may not be removed or altered from any source distribution. */ /** * @author Muzer([email protected]) * @link http://code.google.com/p/jiglibflash */ (function(jigLib){ var Vector3D=jigLib.Vector3D; var JConfig=jigLib.JConfig; var Vector3D=jigLib.Vector3D; var Matrix3D=jigLib.Matrix3D; var JMatrix3D=jigLib.JMatrix3D; var JNumber3D=jigLib.JNumber3D; var MaterialProperties=jigLib.MaterialProperties; var PhysicsState=jigLib.PhysicsState; var PhysicsSystem=jigLib.PhysicsSystem; var JAABox=jigLib.JAABox; var RigidBody=function(skin){ this._useDegrees = (JConfig.rotationType == "DEGREES") ? true : false; this._id = RigidBody.idCounter++; this._skin = skin; this._material = new MaterialProperties(); this._bodyInertia = new Matrix3D(); this._bodyInvInertia = JMatrix3D.getInverseMatrix(this._bodyInertia); this._currState = new PhysicsState(); this._oldState = new PhysicsState(); this._storeState = new PhysicsState(); this._invOrientation = JMatrix3D.getInverseMatrix(this._currState.get_orientation()); this._currLinVelocityAux = new Vector3D(); this._currRotVelocityAux = new Vector3D(); this._force = new Vector3D(); this._torque = new Vector3D(); this._linVelDamping = new Vector3D(0.995, 0.995, 0.995); this._rotVelDamping = new Vector3D(0.5, 0.5, 0.5); this._maxLinVelocities = 500; this._maxRotVelocities = 50; this._velChanged = false; this._inactiveTime = 0; this.isActive = this._activity = true; this._movable = true; this._origMovable = true; this.collisions = []; this._constraints = []; this._nonCollidables = []; this._storedPositionForActivation = new Vector3D(); this._bodiesToBeActivatedOnMovement = []; this._lastPositionForDeactivation = this._currState.position.clone(); this._lastOrientationForDeactivation = this._currState.get_orientation().clone(); this._type = "Object3D"; this._boundingSphere = 0; this._boundingBox = new JAABox(new Vector3D(), new Vector3D()); this._boundingBox.clear(); } RigidBody.idCounter = 0; RigidBody.prototype._id=null; RigidBody.prototype._skin=null; RigidBody.prototype._type=null; RigidBody.prototype._boundingSphere=null; RigidBody.prototype._boundingBox=null; RigidBody.prototype._currState=null; RigidBody.prototype._oldState=null; RigidBody.prototype._storeState=null; RigidBody.prototype._invOrientation=null; RigidBody.prototype._currLinVelocityAux=null; RigidBody.prototype._currRotVelocityAux=null; RigidBody.prototype._mass=null; RigidBody.prototype._invMass=null; RigidBody.prototype._bodyInertia=null; RigidBody.prototype._bodyInvInertia=null; RigidBody.prototype._worldInertia=null; RigidBody.prototype._worldInvInertia=null; RigidBody.prototype._force=null; RigidBody.prototype._torque=null; RigidBody.prototype._linVelDamping=null; RigidBody.prototype._rotVelDamping=null; RigidBody.prototype._maxLinVelocities=null; RigidBody.prototype._maxRotVelocities=null; RigidBody.prototype._velChanged=null; RigidBody.prototype._activity=null; RigidBody.prototype._movable=null; RigidBody.prototype._origMovable=null; RigidBody.prototype._inactiveTime=null; // The list of bodies that need to be activated when we move away from our stored position RigidBody.prototype._bodiesToBeActivatedOnMovement=null; RigidBody.prototype._storedPositionForActivation=null;// The position stored when we need to notify other bodies RigidBody.prototype._lastPositionForDeactivation=null;// last position for when trying the deactivate RigidBody.prototype._lastOrientationForDeactivation=null;// last orientation for when trying to deactivate RigidBody.prototype._material=null; RigidBody.prototype._rotationX = 0; RigidBody.prototype._rotationY = 0; RigidBody.prototype._rotationZ = 0; RigidBody.prototype._useDegrees=null; RigidBody.prototype._nonCollidables=null; RigidBody.prototype._constraints=null; RigidBody.prototype.collisions=null; RigidBody.prototype.isActive=null; RigidBody.prototype.radiansToDegrees=function(rad){ return rad * 180 / Math.PI; } RigidBody.prototype.degreesToRadians=function(deg){ return deg * Math.PI / 180; } RigidBody.prototype.get_rotationX=function(){ return this._rotationX;//(_useDegrees) ? radiansToDegrees(_rotationX) : _rotationX; } RigidBody.prototype.get_rotationY=function(){ return this._rotationY;//(_useDegrees) ? radiansToDegrees(_rotationY) : _rotationY; } RigidBody.prototype.get_rotationZ=function(){ return this._rotationZ;//(_useDegrees) ? radiansToDegrees(_rotationZ) : _rotationZ; } /** * px - angle in Radians or Degrees */ RigidBody.prototype.set_rotationX=function(px){ //var rad:Number = (_useDegrees) ? degreesToRadians(px) : px; this._rotationX = px; this.setOrientation(this.createRotationMatrix()); } /** * py - angle in Radians or Degrees */ RigidBody.prototype.set_rotationY=function(py){ //var rad:Number = (_useDegrees) ? degreesToRadians(py) : py; this._rotationY = py; this.setOrientation(this.createRotationMatrix()); } /** * pz - angle in Radians or Degrees */ RigidBody.prototype.set_rotationZ=function(pz){ //var rad:Number = (_useDegrees) ? degreesToRadians(pz) : pz; this._rotationZ = pz; this.setOrientation(this.createRotationMatrix()); } RigidBody.prototype.pitch=function(rot){ this.setOrientation(JMatrix3D.getAppendMatrix3D(this.get_currentState().orientation, JMatrix3D.getRotationMatrixAxis(rot, Vector3D.X_AXIS))); } RigidBody.prototype.yaw=function(rot){ this.setOrientation(JMatrix3D.getAppendMatrix3D(this.get_currentState().orientation, JMatrix3D.getRotationMatrixAxis(rot, Vector3D.Y_AXIS))); } RigidBody.prototype.roll=function(rot){ this.setOrientation(JMatrix3D.getAppendMatrix3D(this.get_currentState().orientation, JMatrix3D.getRotationMatrixAxis(rot, Vector3D.Z_AXIS))); } RigidBody.prototype.createRotationMatrix=function(){ var matrix3D = new Matrix3D(); matrix3D.appendRotation(this._rotationX, Vector3D.X_AXIS); matrix3D.appendRotation(this._rotationY, Vector3D.Y_AXIS); matrix3D.appendRotation(this._rotationZ, Vector3D.Z_AXIS); return matrix3D; } RigidBody.prototype.setOrientation=function(orient){ //this._currState.get_orientation() = orient.clone(); this._currState.set_orientation(orient.clone()); this.updateInertia(); this.updateState(); } RigidBody.prototype.get_x=function(){ return this._currState.position.x; } RigidBody.prototype.get_y=function(){ return this._currState.position.y; } RigidBody.prototype.get_z=function(){ return this._currState.position.z; } RigidBody.prototype.set_x=function(px){ this._currState.position.x = px; this.updateState(); } RigidBody.prototype.set_y=function(py){ this._currState.position.y = py; this.updateState(); } RigidBody.prototype.set_z=function(pz){ this._currState.position.z = pz; this.updateState(); } RigidBody.prototype.moveTo=function(pos){ this._currState.position = pos.clone(); this.updateState(); } RigidBody.prototype.updateState=function(){ this._currState.linVelocity = new Vector3D(); this._currState.rotVelocity = new Vector3D(); this.copyCurrentStateToOld(); this.updateBoundingBox(); } RigidBody.prototype.setVelocity=function(vel){ this._currState.linVelocity = vel.clone(); } RigidBody.prototype.setAngVel=function(angVel){ this._currState.rotVelocity = angVel.clone(); } RigidBody.prototype.setVelocityAux=function(vel){ this._currLinVelocityAux = vel.clone(); } RigidBody.prototype.setAngVelAux=function(angVel){ this._currRotVelocityAux = angVel.clone(); } RigidBody.prototype.addGravity=function(){ if (!this._movable){ return; } this._force = this._force.add(JNumber3D.getScaleVector(jigLib.PhysicsSystem.getInstance().get_gravity(), this._mass)); this._velChanged = true; } RigidBody.prototype.addExternalForces=function(dt){ this.addGravity(); } RigidBody.prototype.addWorldTorque=function(t){ if (!this._movable){ return; } this._torque = this._torque.add(t); this._velChanged = true; this.setActive(); } RigidBody.prototype.addBodyTorque=function(t){ if (!this._movable){ return; } JMatrix3D.multiplyVector(this._currState.get_orientation(), t); this.addWorldTorque(t); } // functions to add forces in the world coordinate frame RigidBody.prototype.addWorldForce=function(f, p){ if (!this._movable){ return; } this._force = this._force.add(f); this.addWorldTorque(p.subtract(this._currState.position).crossProduct(f)); this._velChanged = true; this.setActive(); } // functions to add forces in the body coordinate frame RigidBody.prototype.addBodyForce=function(f, p){ if (!this._movable){ return; } JMatrix3D.multiplyVector(this._currState.get_orientation(), f); JMatrix3D.multiplyVector(this._currState.get_orientation(), p); this.addWorldForce(f, this._currState.position.add(p)); } // This just sets all forces etc to zero RigidBody.prototype.clearForces=function(){ this._force = new Vector3D(); this._torque = new Vector3D(); } // functions to add impulses in the world coordinate frame RigidBody.prototype.applyWorldImpulse=function(impulse, pos){ if (!this._movable){ return; } this._currState.linVelocity = this._currState.linVelocity.add(JNumber3D.getScaleVector(impulse, this._invMass)); var rotImpulse = pos.subtract(this._currState.position).crossProduct(impulse); JMatrix3D.multiplyVector(this._worldInvInertia, rotImpulse); this._currState.rotVelocity = this._currState.rotVelocity.add(rotImpulse); this._velChanged = true; } RigidBody.prototype.applyWorldImpulseAux=function(impulse, pos){ if (!this._movable){ return; } this._currLinVelocityAux = this._currLinVelocityAux.add(JNumber3D.getScaleVector(impulse, this._invMass)); var rotImpulse = pos.subtract(this._currState.position).crossProduct(impulse); JMatrix3D.multiplyVector(this._worldInvInertia, rotImpulse); this._currRotVelocityAux = this._currRotVelocityAux.add(rotImpulse); this._velChanged = true; } // functions to add impulses in the body coordinate frame RigidBody.prototype.applyBodyWorldImpulse=function(impulse, delta){ if (!this._movable){ return; } this._currState.linVelocity = this._currState.linVelocity.add(JNumber3D.getScaleVector(impulse, this._invMass)); var rotImpulse = delta.crossProduct(impulse); JMatrix3D.multiplyVector(this._worldInvInertia, rotImpulse); this._currState.rotVelocity = this._currState.rotVelocity.add(rotImpulse); this._velChanged = true; } RigidBody.prototype.applyBodyWorldImpulseAux=function(impulse, delta){ if (!this._movable){ return; } this._currLinVelocityAux = this._currLinVelocityAux.add(JNumber3D.getScaleVector(impulse, this._invMass)); var rotImpulse = delta.crossProduct(impulse); JMatrix3D.multiplyVector(this._worldInvInertia, rotImpulse); this._currRotVelocityAux = this._currRotVelocityAux.add(rotImpulse); this._velChanged = true; } RigidBody.prototype.addConstraint=function(constraint){ if (!this.findConstraint(constraint)){ this._constraints.push(constraint); } } RigidBody.prototype.removeConstraint=function(constraint){ if (this.findConstraint(constraint)){ this._constraints.splice(this._constraints.indexOf(constraint), 1); } } RigidBody.prototype.removeAllConstraints=function(){ this._constraints = []; } RigidBody.prototype.findConstraint=function(constraint){ for(var i=0; i<this._constraints.length;i++){ if (constraint == this._constraints[i]){ return true; } } return false; } // implementation updates the velocity/angular rotation with the force/torque. RigidBody.prototype.updateVelocity=function(dt){ if (!this._movable || !this._activity){ return; } this._currState.linVelocity = this._currState.linVelocity.add(JNumber3D.getScaleVector(this._force, this._invMass * dt)); var rac = JNumber3D.getScaleVector(this._torque, dt); JMatrix3D.multiplyVector(this._worldInvInertia, rac); this._currState.rotVelocity = this._currState.rotVelocity.add(rac); } // Updates the position with the auxiliary velocities, and zeros them RigidBody.prototype.updatePositionWithAux=function(dt){ if (!this._movable || !this._activity){ this._currLinVelocityAux = new Vector3D(); this._currRotVelocityAux = new Vector3D(); return; } var ga = jigLib.PhysicsSystem.getInstance().get_gravityAxis(); if (ga != -1){ var arr = JNumber3D.toArray(this._currLinVelocityAux); arr[(ga + 1) % 3] *= 0.1; arr[(ga + 2) % 3] *= 0.1; JNumber3D.copyFromArray(this._currLinVelocityAux, arr); } var angMomBefore = this._currState.rotVelocity.clone(); JMatrix3D.multiplyVector(this._worldInertia, angMomBefore); this._currState.position = this._currState.position.add(JNumber3D.getScaleVector(this._currState.linVelocity.add(this._currLinVelocityAux), dt)); var dir = this._currState.rotVelocity.add(this._currRotVelocityAux); var ang = dir.get_length() * 180 / Math.PI; if (ang > 0){ dir.normalize(); ang *= dt; var rot = JMatrix3D.getRotationMatrix(dir.x, dir.y, dir.z, ang); this._currState.set_orientation(JMatrix3D.getAppendMatrix3D(this._currState.get_orientation(), rot)); this.updateInertia(); } this._currLinVelocityAux = new Vector3D(); this._currRotVelocityAux = new Vector3D(); JMatrix3D.multiplyVector(this._worldInvInertia, angMomBefore); this._currState.rotVelocity = angMomBefore.clone(); this.updateBoundingBox(); } RigidBody.prototype.postPhysics=function(dt){ } // function provided for the use of Physics system RigidBody.prototype.tryToFreeze=function(dt){ if (!this._movable || !this._activity){ return; } if (this._currState.position.subtract(this._lastPositionForDeactivation).get_length() > JConfig.posThreshold){ this._lastPositionForDeactivation = this._currState.position.clone(); this._inactiveTime = 0; return; } var ot = JConfig.orientThreshold; var deltaMat = JMatrix3D.getSubMatrix(this._currState.get_orientation(), this._lastOrientationForDeactivation); var cols = JMatrix3D.getCols(deltaMat); if (cols[0].get_length() > ot || cols[1].get_length() > ot || cols[2].get_length() > ot){ this._lastOrientationForDeactivation = this._currState.get_orientation().clone(); this._inactiveTime = 0; return; } if (this.getShouldBeActive()){ return; } this._inactiveTime += dt; if (this._inactiveTime > JConfig.deactivationTime){ this._lastPositionForDeactivation = this._currState.position.clone(); this._lastOrientationForDeactivation = this._currState.get_orientation().clone(); this.setInactive(); } } RigidBody.prototype.set_mass=function(m){ this._mass = m; this._invMass = 1 / m; this.setInertia(this.getInertiaProperties(m)); } RigidBody.prototype.setInertia=function(matrix3D){ this._bodyInertia = matrix3D.clone(); this._bodyInvInertia = JMatrix3D.getInverseMatrix(this._bodyInertia.clone()); this.updateInertia(); } RigidBody.prototype.updateInertia=function(){ this._invOrientation = JMatrix3D.getTransposeMatrix(this._currState.get_orientation()); this._worldInertia = JMatrix3D.getAppendMatrix3D( this._invOrientation, JMatrix3D.getAppendMatrix3D(this._currState.get_orientation(), this._bodyInertia) ); this._worldInvInertia = JMatrix3D.getAppendMatrix3D( this._invOrientation, JMatrix3D.getAppendMatrix3D(this._currState.get_orientation(), this._bodyInvInertia) ); } // prevent velocity updates etc RigidBody.prototype.get_movable=function(){ return this._movable; } RigidBody.prototype.set_movable=function(mov){ if (this._type == "PLANE" || this._type == "TERRAIN") { return; } this._movable = mov; this.isActive = this._activity = mov; this._origMovable = mov; } RigidBody.prototype.internalSetImmovable=function(){ this._origMovable = this._movable; this._movable = false; } RigidBody.prototype.internalRestoreImmovable=function(){ this._movable = this._origMovable; } RigidBody.prototype.getVelChanged=function(){ return this._velChanged; } RigidBody.prototype.clearVelChanged=function(){ this._velChanged = false; } RigidBody.prototype.setActive=function(activityFactor){ if(!activityFactor) activityFactor=1; if (this._movable){ this.isActive = this._activity = true; this._inactiveTime = (1 - activityFactor) * JConfig.deactivationTime; } } RigidBody.prototype.setInactive=function(){ if (this._movable){ this.isActive = this._activity = false; } } // Returns the velocity of a point at body-relative position RigidBody.prototype.getVelocity=function(relPos){ return this._currState.linVelocity.add(this._currState.rotVelocity.crossProduct(relPos)); } // As GetVelocity but just uses the aux velocities RigidBody.prototype.getVelocityAux=function(relPos){ return this._currLinVelocityAux.add(this._currRotVelocityAux.crossProduct(relPos)); } // indicates if the velocity is above the threshold for freezing RigidBody.prototype.getShouldBeActive=function(){ return ((this._currState.linVelocity.get_length() > JConfig.velThreshold) || (this._currState.rotVelocity.get_length() > JConfig.angVelThreshold)); } RigidBody.prototype.getShouldBeActiveAux=function(){ return ((this._currLinVelocityAux.get_length() > JConfig.velThreshold) || (this._currRotVelocityAux.get_length() > JConfig.angVelThreshold)); } // damp movement as the body approaches deactivation RigidBody.prototype.dampForDeactivation=function(){ this._currState.linVelocity.x *= this._linVelDamping.x; this._currState.linVelocity.y *= this._linVelDamping.y; this._currState.linVelocity.z *= this._linVelDamping.z; this._currState.rotVelocity.x *= this._rotVelDamping.x; this._currState.rotVelocity.y *= this._rotVelDamping.y; this._currState.rotVelocity.z *= this._rotVelDamping.z; this._currLinVelocityAux.x *= this._linVelDamping.x; this._currLinVelocityAux.y *= this._linVelDamping.y; this._currLinVelocityAux.z *= this._linVelDamping.z; this._currRotVelocityAux.x *= this._rotVelDamping.x; this._currRotVelocityAux.y *= this._rotVelDamping.y; this._currRotVelocityAux.z *= this._rotVelDamping.z; var r = 0.5; var frac = this._inactiveTime / JConfig.deactivationTime; if (frac < r){ return; } var scale = 1 - ((frac - r) / (1 - r)); if (scale < 0){ scale = 0; }else if (scale > 1){ scale = 1; } this._currState.linVelocity = JNumber3D.getScaleVector(this._currState.linVelocity, scale); this._currState.rotVelocity = JNumber3D.getScaleVector(this._currState.rotVelocity, scale); } // function provided for use of physics system. Activates any // body in its list if it's moved more than a certain distance, // in which case it also clears its list. RigidBody.prototype.doMovementActivations=function(){ if (this._bodiesToBeActivatedOnMovement.length == 0 || this._currState.position.subtract(this._storedPositionForActivation).get_length() < JConfig.posThreshold){ return; } for (var i = 0; i < this._bodiesToBeActivatedOnMovement.length; i++){ jigLib.PhysicsSystem.getInstance().activateObject(this._bodiesToBeActivatedOnMovement[i]); } this._bodiesToBeActivatedOnMovement = []; } // adds the other body to the list of bodies to be activated if // this body moves more than a certain distance from either a // previously stored position, or the position passed in. RigidBody.prototype.addMovementActivation=function(pos, otherBody){ var len = this._bodiesToBeActivatedOnMovement.length; for (var i = 0; i < len; i++){ if (this._bodiesToBeActivatedOnMovement[i] == otherBody){ return; } } if (this._bodiesToBeActivatedOnMovement.length == 0){ this._storedPositionForActivation = pos; } this._bodiesToBeActivatedOnMovement.push(otherBody); } // Marks all constraints/collisions as being unsatisfied RigidBody.prototype.setConstraintsAndCollisionsUnsatisfied=function(){ for(var i=0;i<this._constraints.length;i++){ this._constraints[i].set_satisfied(false); } for(var i=0;i<this.collisions.length;i++){ this.collisions[i].satisfied = false; } } RigidBody.prototype.segmentIntersect=function(out, seg, state){ return false; } RigidBody.prototype.getInertiaProperties=function(m){ return new Matrix3D(); } RigidBody.prototype.updateBoundingBox=function(){ } RigidBody.prototype.hitTestObject3D=function(obj3D){ var num1 = this._currState.position.subtract(obj3D.get_currentState().position).get_length(); var num2 = this._boundingSphere + obj3D.get_boundingSphere(); if (num1 <= num2){ return true; } return false; } RigidBody.prototype.findNonCollidablesBody=function(body){ for(var i=0;i<this._nonCollidables.length;i++){ if (body == this._nonCollidables[i]){ return true; } } return false; } RigidBody.prototype.disableCollisions=function(body){ if (!this.findNonCollidablesBody(body)){ this._nonCollidables.push(body); } } RigidBody.prototype.enableCollisions=function(body){ if (this.findNonCollidablesBody(body)){ this._nonCollidables.splice(this._nonCollidables.indexOf(body), 1); } } // copies the current position etc to old - normally called only by physicsSystem. RigidBody.prototype.copyCurrentStateToOld=function(){ this._oldState.position = this._currState.position.clone(); this._oldState.set_orientation(this._currState.get_orientation().clone()); this._oldState.linVelocity = this._currState.linVelocity.clone(); this._oldState.rotVelocity = this._currState.rotVelocity.clone(); } // Copy our current state into the stored state RigidBody.prototype.storeState=function(){ this._storeState.position = this._currState.position.clone(); this._storeState.set_orientation(this._currState.get_orientation().clone()); this._storeState.linVelocity = this._currState.linVelocity.clone(); this._storeState.rotVelocity = this._currState.rotVelocity.clone(); } // restore from the stored state into our current state. RigidBody.prototype.restoreState=function(){ this._currState.position = this._storeState.position.clone(); this._currState.set_orientation(this._storeState.get_orientation().clone()); this._currState.linVelocity = this._storeState.linVelocity.clone(); this._currState.rotVelocity = this._storeState.rotVelocity.clone(); } // the "working" state RigidBody.prototype.get_currentState=function(){ return this._currState; } // the previous state - copied explicitly using copyCurrentStateToOld RigidBody.prototype.get_oldState=function(){ return this._oldState; } RigidBody.prototype.get_id=function(){ return this._id; } RigidBody.prototype.get_type=function(){ return this._type; } RigidBody.prototype.get_skin=function(){ return this._skin; } RigidBody.prototype.get_boundingSphere=function(){ return this._boundingSphere; } RigidBody.prototype.get_boundingBox=function(){ return this._boundingBox; } // force in world frame RigidBody.prototype.get_force=function(){ return this._force; } // torque in world frame RigidBody.prototype.get_mass=function(){ return this._mass; } RigidBody.prototype.get_invMass=function(){ return this._invMass; } // inertia tensor in world space RigidBody.prototype.get_worldInertia=function(){ return this._worldInertia; } // inverse inertia in world frame RigidBody.prototype.get_worldInvInertia=function(){ return this._worldInvInertia; } RigidBody.prototype.get_nonCollidables=function(){ return this._nonCollidables; } //every dimension should be set to 0-1; RigidBody.prototype.set_linVelocityDamping=function(vel){ this._linVelDamping.x = JNumber3D.getLimiteNumber(vel.x, 0, 1); this._linVelDamping.y = JNumber3D.getLimiteNumber(vel.y, 0, 1); this._linVelDamping.z = JNumber3D.getLimiteNumber(vel.z, 0, 1); } RigidBody.prototype.get_linVelocityDamping=function(){ return this._linVelDamping; } //every dimension should be set to 0-1; RigidBody.prototype.set_rotVelocityDamping=function(vel){ this._rotVelDamping.x = JNumber3D.getLimiteNumber(vel.x, 0, 1); this._rotVelDamping.y = JNumber3D.getLimiteNumber(vel.y, 0, 1); this._rotVelDamping.z = JNumber3D.getLimiteNumber(vel.z, 0, 1); } RigidBody.prototype.get_rotVelocityDamping=function(){ return this._rotVelDamping; } //limit the max value of body's line velocity RigidBody.prototype.set_maxLinVelocities=function(vel){ this._maxLinVelocities = JNumber3D.getLimiteNumber(Math.abs(vel), 0, 500); } RigidBody.prototype.get_maxLinVelocities=function(){ return this._maxLinVelocities; } //limit the max value of body's angle velocity RigidBody.prototype.set_maxRotVelocities=function(vel){ this._maxRotVelocities = JNumber3D.getLimiteNumber(Math.abs(vel), JNumber3D.NUM_TINY, 50); } RigidBody.prototype.get_maxRotVelocities=function(){ return this._maxRotVelocities; } RigidBody.prototype.limitVel=function(){ this._currState.linVelocity.x = JNumber3D.getLimiteNumber(this._currState.linVelocity.x, -this._maxLinVelocities, this._maxLinVelocities); this._currState.linVelocity.y = JNumber3D.getLimiteNumber(this._currState.linVelocity.y, -this._maxLinVelocities, this._maxLinVelocities); this._currState.linVelocity.z = JNumber3D.getLimiteNumber(this._currState.linVelocity.z, -this._maxLinVelocities, this._maxLinVelocities); } RigidBody.prototype.limitAngVel=function(){ var fx = Math.abs(this._currState.rotVelocity.x) / this._maxRotVelocities; var fy = Math.abs(this._currState.rotVelocity.y) / this._maxRotVelocities; var fz = Math.abs(this._currState.rotVelocity.z) / this._maxRotVelocities; var f = Math.max(fx, fy, fz); if (f > 1){ this._currState.rotVelocity = JNumber3D.getDivideVector(this._currState.rotVelocity, f); } } RigidBody.prototype.getTransform=function(){ if (this._skin != null){ return this._skin.get_transform(); }else{ return null; } } //update skin RigidBody.prototype.updateObject3D=function(){ if (this._skin != null){ this._skin.set_transform(JMatrix3D.getAppendMatrix3D(this._currState.get_orientation(), JMatrix3D.getTranslationMatrix(this._currState.position.x, this._currState.position.y, this._currState.position.z))); } } RigidBody.prototype.get_material=function(){ return this._material; } //coefficient of elasticity RigidBody.prototype.get_restitution=function(){ return this._material.get_restitution(); } RigidBody.prototype.set_restitution=function(restitution){ this._material.set_restitution(JNumber3D.getLimiteNumber(restitution, 0, 1)); } //coefficient of friction RigidBody.prototype.get_friction=function(){ return this._material.get_friction(); } RigidBody.prototype.set_friction=function(friction){ this._material.set_friction(JNumber3D.getLimiteNumber(friction, 0, 1)); } jigLib.RigidBody=RigidBody; })(jigLib)
Pervasive/Lively3D
Dropbox/Lively3D/Resources/MiniGolf/scripts/rigid_body.js
JavaScript
mit
29,886
app.factory('Pizza', ['$resource', 'LoginService', function ($resource, LoginService) { const headers = { token: getToken }; return $resource('./api/pizzas/:id', { id: '@_id' }, { query: { method: 'GET', isArray: true, headers }, save: { method: 'POST', headers }, update: { method: 'PUT', headers }, remove: { method: 'DELETE', headers, params: { id: '@id' } } } ); function getToken() { return LoginService.getToken(); } }]);
auromota/easy-pizza-api
src/public/js/factories/pizzaFactory.js
JavaScript
mit
778
describe('modelAndOptionMapping', function() { var utHelper = window.utHelper; var testCase = utHelper.prepare([ 'echarts/src/component/grid', 'echarts/src/chart/line', 'echarts/src/chart/pie', 'echarts/src/chart/bar', 'echarts/src/component/toolbox', 'echarts/src/component/dataZoom' ]); function getData0(chart, seriesIndex) { return getSeries(chart, seriesIndex).getData().get('y', 0); } function getSeries(chart, seriesIndex) { return chart.getModel().getComponent('series', seriesIndex); } function getModel(chart, type, index) { return chart.getModel().getComponent(type, index); } function countSeries(chart) { return countModel(chart, 'series'); } function countModel(chart, type) { // FIXME // access private return chart.getModel()._componentsMap.get(type).length; } function getChartView(chart, series) { return chart._chartsMap[series.__viewId]; } function countChartViews(chart) { return chart._chartsViews.length; } function saveOrigins(chart) { var count = countSeries(chart); var origins = []; for (var i = 0; i < count; i++) { var series = getSeries(chart, i); origins.push({ model: series, view: getChartView(chart, series) }); } return origins; } function modelEqualsToOrigin(chart, idxList, origins, boolResult) { for (var i = 0; i < idxList.length; i++) { var idx = idxList[i]; expect(origins[idx].model === getSeries(chart, idx)).toEqual(boolResult); } } function viewEqualsToOrigin(chart, idxList, origins, boolResult) { for (var i = 0; i < idxList.length; i++) { var idx = idxList[i]; expect( origins[idx].view === getChartView(chart, getSeries(chart, idx)) ).toEqual(boolResult); } } describe('idNoNameNo', function () { testCase.createChart()('sameTypeNotMerge', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22]}, {type: 'line', data: [33]} ] }; var chart = this.chart; chart.setOption(option); // Not merge var origins = saveOrigins(chart); chart.setOption(option, true); expect(countChartViews(chart)).toEqual(3); expect(countSeries(chart)).toEqual(3); modelEqualsToOrigin(chart, [0, 1, 2], origins, false); viewEqualsToOrigin(chart, [0, 1, 2], origins, true); }); testCase.createChart()('sameTypeMergeFull', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22]}, {type: 'line', data: [33]} ] }; var chart = this.chart; chart.setOption(option); // Merge var origins = saveOrigins(chart); chart.setOption({ series: [ {type: 'line', data: [111]}, {type: 'line', data: [222]}, {type: 'line', data: [333]} ] }); expect(countSeries(chart)).toEqual(3); expect(countChartViews(chart)).toEqual(3); expect(getData0(chart, 0)).toEqual(111); expect(getData0(chart, 1)).toEqual(222); expect(getData0(chart, 2)).toEqual(333); viewEqualsToOrigin(chart, [0, 1, 2], origins, true); modelEqualsToOrigin(chart, [0, 1, 2], origins, true); }); testCase.createChart()('sameTypeMergePartial', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22]}, {type: 'line', data: [33]} ] }; var chart = this.chart; chart.setOption(option); // Merge var origins = saveOrigins(chart); chart.setOption({ series: [ {data: [22222]} ] }); expect(countSeries(chart)).toEqual(3); expect(countChartViews(chart)).toEqual(3); expect(getData0(chart, 0)).toEqual(22222); expect(getData0(chart, 1)).toEqual(22); expect(getData0(chart, 2)).toEqual(33); viewEqualsToOrigin(chart, [0, 1, 2], origins, true); modelEqualsToOrigin(chart, [0, 1, 2], origins, true); }); testCase.createChart()('differentTypeMerge', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22]}, {type: 'line', data: [33]} ] }; var chart = this.chart; chart.setOption(option); // Merge var origins = saveOrigins(chart); chart.setOption({ series: [ {type: 'line', data: [111]}, {type: 'bar', data: [222]}, {type: 'line', data: [333]} ] }); expect(countSeries(chart)).toEqual(3); expect(countChartViews(chart)).toEqual(3); expect(getData0(chart, 0)).toEqual(111); expect(getData0(chart, 1)).toEqual(222); expect(getData0(chart, 2)).toEqual(333); expect(getSeries(chart, 1).type === 'series.bar').toEqual(true); modelEqualsToOrigin(chart, [0, 2], origins, true); modelEqualsToOrigin(chart, [1], origins, false); viewEqualsToOrigin(chart, [0, 2], origins, true); viewEqualsToOrigin(chart, [1], origins, false); }); }); describe('idSpecified', function () { testCase.createChart()('sameTypeNotMerge', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], id: 20}, {type: 'line', data: [33], id: 30}, {type: 'line', data: [44]}, {type: 'line', data: [55]} ] }; var chart = this.chart; chart.setOption(option); expect(countSeries(chart)).toEqual(5); expect(countChartViews(chart)).toEqual(5); expect(getData0(chart, 0)).toEqual(11); expect(getData0(chart, 1)).toEqual(22); expect(getData0(chart, 2)).toEqual(33); expect(getData0(chart, 3)).toEqual(44); expect(getData0(chart, 4)).toEqual(55); var origins = saveOrigins(chart); chart.setOption(option, true); expect(countChartViews(chart)).toEqual(5); expect(countSeries(chart)).toEqual(5); modelEqualsToOrigin(chart, [0, 1, 2, 3, 4], origins, false); viewEqualsToOrigin(chart, [0, 1, 2, 3, 4], origins, true); }); testCase.createChart()('sameTypeMerge', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], id: 20}, {type: 'line', data: [33], id: 30}, {type: 'line', data: [44]}, {type: 'line', data: [55]} ] }; var chart = this.chart; chart.setOption(option); var origins = saveOrigins(chart); chart.setOption(option); expect(countChartViews(chart)).toEqual(5); expect(countSeries(chart)).toEqual(5); modelEqualsToOrigin(chart, [0, 1, 2, 3, 4], origins, true); viewEqualsToOrigin(chart, [0, 1, 2, 3, 4], origins, true); }); testCase.createChart()('differentTypeNotMerge', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], id: 20}, {type: 'line', data: [33], id: 30}, {type: 'line', data: [44]}, {type: 'line', data: [55]} ] }; var chart = this.chart; chart.setOption(option); var origins = saveOrigins(chart); var option2 = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'bar', data: [22], id: 20}, {type: 'line', data: [33], id: 30}, {type: 'bar', data: [44]}, {type: 'line', data: [55]} ] }; chart.setOption(option2, true); expect(countChartViews(chart)).toEqual(5); expect(countSeries(chart)).toEqual(5); modelEqualsToOrigin(chart, [0, 1, 2, 3, 4], origins, false); viewEqualsToOrigin(chart, [0, 2, 4], origins, true); viewEqualsToOrigin(chart, [1, 3], origins, false); }); testCase.createChart()('differentTypeMergeFull', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], id: 20}, {type: 'line', data: [33], id: 30, name: 'a'}, {type: 'line', data: [44]}, {type: 'line', data: [55]} ] }; var chart = this.chart; chart.setOption(option); var origins = saveOrigins(chart); var option2 = { series: [ {type: 'line', data: [11]}, {type: 'bar', data: [22], id: 20, name: 'a'}, {type: 'line', data: [33], id: 30}, {type: 'bar', data: [44]}, {type: 'line', data: [55]} ] }; chart.setOption(option2); expect(countChartViews(chart)).toEqual(5); expect(countSeries(chart)).toEqual(5); modelEqualsToOrigin(chart, [0, 2, 4], origins, true); modelEqualsToOrigin(chart, [1, 3], origins, false); viewEqualsToOrigin(chart, [0, 2, 4], origins, true); viewEqualsToOrigin(chart, [1, 3], origins, false); }); testCase.createChart()('differentTypeMergePartial1', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], id: 20}, {type: 'line', data: [33]}, {type: 'line', data: [44], id: 40}, {type: 'line', data: [55]} ] }; var chart = this.chart; chart.setOption(option); var origins = saveOrigins(chart); var option2 = { series: [ {type: 'bar', data: [444], id: 40}, {type: 'line', data: [333]}, {type: 'line', data: [222], id: 20} ] }; chart.setOption(option2); expect(countChartViews(chart)).toEqual(5); expect(countSeries(chart)).toEqual(5); expect(getData0(chart, 0)).toEqual(333); expect(getData0(chart, 1)).toEqual(222); expect(getData0(chart, 2)).toEqual(33); expect(getData0(chart, 3)).toEqual(444); expect(getData0(chart, 4)).toEqual(55); modelEqualsToOrigin(chart, [0, 1, 2, 4], origins, true); modelEqualsToOrigin(chart, [3], origins, false); viewEqualsToOrigin(chart, [0, 1, 2, 4], origins, true); viewEqualsToOrigin(chart, [3], origins, false); }); testCase.createChart()('differentTypeMergePartial2', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], id: 20} ] }; var chart = this.chart; chart.setOption(option); var option2 = { series: [ {type: 'bar', data: [444], id: 40}, {type: 'line', data: [333]}, {type: 'line', data: [222], id: 20}, {type: 'line', data: [111]} ] }; chart.setOption(option2); expect(countChartViews(chart)).toEqual(4); expect(countSeries(chart)).toEqual(4); expect(getData0(chart, 0)).toEqual(333); expect(getData0(chart, 1)).toEqual(222); expect(getData0(chart, 2)).toEqual(444); expect(getData0(chart, 3)).toEqual(111); }); testCase.createChart()('mergePartialDoNotMapToOtherId', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11], id: 10}, {type: 'line', data: [22], id: 20} ] }; var chart = this.chart; chart.setOption(option); var option2 = { series: [ {type: 'bar', data: [444], id: 40} ] }; chart.setOption(option2); expect(countChartViews(chart)).toEqual(3); expect(countSeries(chart)).toEqual(3); expect(getData0(chart, 0)).toEqual(11); expect(getData0(chart, 1)).toEqual(22); expect(getData0(chart, 2)).toEqual(444); }); testCase.createChart()('idDuplicate', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11], id: 10}, {type: 'line', data: [22], id: 10} ] }; var chart = this.chart; expect(function () { chart.setOption(option); }).toThrowError(/duplicate/); }); testCase.createChart()('nameTheSameButIdNotTheSame', function () { var chart = this.chart; var option = { grid: {}, xAxis: [ {id: 'x1', name: 'a', xxxx: 'x1_a'}, {id: 'x2', name: 'b', xxxx: 'x2_b'} ], yAxis: {} }; chart.setOption(option); var xAxisModel0 = getModel(chart, 'xAxis', 0); var xAxisModel1 = getModel(chart, 'xAxis', 1); expect(xAxisModel0.option.xxxx).toEqual('x1_a'); expect(xAxisModel1.option.xxxx).toEqual('x2_b'); expect(xAxisModel1.option.name).toEqual('b'); var option2 = { xAxis: [ {id: 'k1', name: 'a', xxxx: 'k1_a'}, {id: 'x2', name: 'a', xxxx: 'x2_a'} ] }; chart.setOption(option2); var xAxisModel0 = getModel(chart, 'xAxis', 0); var xAxisModel1 = getModel(chart, 'xAxis', 1); var xAxisModel2 = getModel(chart, 'xAxis', 2); expect(xAxisModel0.option.xxxx).toEqual('x1_a'); expect(xAxisModel1.option.xxxx).toEqual('x2_a'); expect(xAxisModel1.option.name).toEqual('a'); expect(xAxisModel2.option.xxxx).toEqual('k1_a'); }); }); describe('noIdButNameExists', function () { testCase.createChart()('sameTypeNotMerge', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], name: 'a'}, {type: 'line', data: [33], name: 'b'}, {type: 'line', data: [44]}, {type: 'line', data: [55], name: 'a'} ] }; var chart = this.chart; chart.setOption(option); expect(getSeries(chart, 1)).not.toEqual(getSeries(chart, 4)); expect(countSeries(chart)).toEqual(5); expect(countChartViews(chart)).toEqual(5); expect(getData0(chart, 0)).toEqual(11); expect(getData0(chart, 1)).toEqual(22); expect(getData0(chart, 2)).toEqual(33); expect(getData0(chart, 3)).toEqual(44); expect(getData0(chart, 4)).toEqual(55); var origins = saveOrigins(chart); chart.setOption(option, true); expect(countChartViews(chart)).toEqual(5); expect(countSeries(chart)).toEqual(5); modelEqualsToOrigin(chart, [0, 1, 2, 3, 4], origins, false); viewEqualsToOrigin(chart, [0, 1, 2, 3, 4], origins, true); }); testCase.createChart()('sameTypeMerge', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], name: 'a'}, {type: 'line', data: [33], name: 'b'}, {type: 'line', data: [44]}, {type: 'line', data: [55], name: 'a'} ] }; var chart = this.chart; chart.setOption(option); var origins = saveOrigins(chart); chart.setOption(option); expect(countChartViews(chart)).toEqual(5); expect(countSeries(chart)).toEqual(5); modelEqualsToOrigin(chart, [0, 1, 2, 3, 4], origins, true); viewEqualsToOrigin(chart, [0, 1, 2, 3, 4], origins, true); }); testCase.createChart()('differentTypeNotMerge', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], name: 'a'}, {type: 'line', data: [33], name: 'b'}, {type: 'line', data: [44]}, {type: 'line', data: [55], name: 'a'} ] }; var chart = this.chart; chart.setOption(option); var origins = saveOrigins(chart); var option2 = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'bar', data: [22], name: 'a'}, {type: 'line', data: [33], name: 'b'}, {type: 'bar', data: [44]}, {type: 'line', data: [55], name: 'a'} ] }; chart.setOption(option2, true); expect(countChartViews(chart)).toEqual(5); expect(countSeries(chart)).toEqual(5); modelEqualsToOrigin(chart, [0, 1, 2, 3, 4], origins, false); viewEqualsToOrigin(chart, [0, 2, 4], origins, true); viewEqualsToOrigin(chart, [1, 3], origins, false); }); testCase.createChart()('differentTypeMergePartialOneMapTwo', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], name: 'a'}, {type: 'line', data: [33]}, {type: 'line', data: [44], name: 'b'}, {type: 'line', data: [55], name: 'a'} ] }; var chart = this.chart; chart.setOption(option); var origins = saveOrigins(chart); var option2 = { series: [ {type: 'bar', data: [444], id: 40}, {type: 'line', data: [333]}, {type: 'bar', data: [222], name: 'a'} ] }; chart.setOption(option2); expect(countChartViews(chart)).toEqual(6); expect(countSeries(chart)).toEqual(6); expect(getData0(chart, 0)).toEqual(333); expect(getData0(chart, 1)).toEqual(222); expect(getData0(chart, 2)).toEqual(33); expect(getData0(chart, 3)).toEqual(44); expect(getData0(chart, 4)).toEqual(55); expect(getData0(chart, 5)).toEqual(444); modelEqualsToOrigin(chart, [0, 2, 3, 4], origins, true); modelEqualsToOrigin(chart, [1], origins, false); viewEqualsToOrigin(chart, [0, 2, 3, 4], origins, true); viewEqualsToOrigin(chart, [1], origins, false); }); testCase.createChart()('differentTypeMergePartialTwoMapOne', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22], name: 'a'} ] }; var chart = this.chart; chart.setOption(option); var option2 = { series: [ {type: 'bar', data: [444], name: 'a'}, {type: 'line', data: [333]}, {type: 'line', data: [222], name: 'a'}, {type: 'line', data: [111]} ] }; chart.setOption(option2); expect(countChartViews(chart)).toEqual(4); expect(countSeries(chart)).toEqual(4); expect(getData0(chart, 0)).toEqual(333); expect(getData0(chart, 1)).toEqual(444); expect(getData0(chart, 2)).toEqual(222); expect(getData0(chart, 3)).toEqual(111); }); testCase.createChart()('mergePartialCanMapToOtherName', function () { // Consider case: axis.name = 'some label', which can be overwritten. var option = { xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11], name: 10}, {type: 'line', data: [22], name: 20} ] }; var chart = this.chart; chart.setOption(option); var option2 = { series: [ {type: 'bar', data: [444], name: 40}, {type: 'bar', data: [999], name: 40}, {type: 'bar', data: [777], id: 70} ] }; chart.setOption(option2); expect(countChartViews(chart)).toEqual(3); expect(countSeries(chart)).toEqual(3); expect(getData0(chart, 0)).toEqual(444); expect(getData0(chart, 1)).toEqual(999); expect(getData0(chart, 2)).toEqual(777); }); }); describe('ohters', function () { testCase.createChart()('aBugCase', function () { var option = { series: [ { type:'pie', radius: ['20%', '25%'], center:['20%', '20%'], avoidLabelOverlap: true, hoverAnimation :false, label: { normal: { show: true, position: 'center', textStyle: { fontSize: '30', fontWeight: 'bold' } }, emphasis: { show: true } }, data:[ {value:135, name:'视频广告'}, {value:1548} ] } ] }; var chart = this.chart; chart.setOption(option); chart.setOption({ series: [ { type:'pie', radius: ['20%', '25%'], center: ['20%', '20%'], avoidLabelOverlap: true, hoverAnimation: false, label: { normal: { show: true, position: 'center', textStyle: { fontSize: '30', fontWeight: 'bold' } } }, data: [ {value:135, name:'视频广告'}, {value:1548} ] }, { type:'pie', radius: ['20%', '25%'], center: ['60%', '20%'], avoidLabelOverlap: true, hoverAnimation: false, label: { normal: { show: true, position: 'center', textStyle: { fontSize: '30', fontWeight: 'bold' } } }, data: [ {value:135, name:'视频广告'}, {value:1548} ] } ] }, true); expect(countChartViews(chart)).toEqual(2); expect(countSeries(chart)).toEqual(2); }); testCase.createChart()('color', function () { var option = { backgroundColor: 'rgba(1,1,1,1)', xAxis: {data: ['a']}, yAxis: {}, series: [ {type: 'line', data: [11]}, {type: 'line', data: [22]}, {type: 'line', data: [33]} ] }; var chart = this.chart; chart.setOption(option); expect(chart._model.option.backgroundColor).toEqual('rgba(1,1,1,1)'); // Not merge chart.setOption({ backgroundColor: '#fff' }, true); expect(chart._model.option.backgroundColor).toEqual('#fff'); }); testCase.createChart()('innerId', function () { var option = { xAxis: {data: ['a']}, yAxis: {}, toolbox: { feature: { dataZoom: {} } }, dataZoom: [ {type: 'inside', id: 'a'}, {type: 'slider', id: 'b'} ], series: [ {type: 'line', data: [11]}, {type: 'line', data: [22]} ] }; var chart = this.chart; chart.setOption(option); expect(countModel(chart, 'dataZoom')).toEqual(4); expect(getModel(chart, 'dataZoom', 0).id).toEqual('a'); expect(getModel(chart, 'dataZoom', 1).id).toEqual('b'); // Merge chart.setOption({ dataZoom: [ {type: 'slider', id: 'c'}, {type: 'slider', name: 'x'} ] }); expect(countModel(chart, 'dataZoom')).toEqual(5); expect(getModel(chart, 'dataZoom', 0).id).toEqual('a'); expect(getModel(chart, 'dataZoom', 1).id).toEqual('b'); expect(getModel(chart, 'dataZoom', 4).id).toEqual('c'); }); }); });
ka215/WP-Gentelella
vendors/echarts/test/ut/spec/model/Global.js
JavaScript
mit
29,436
import { h } from 'omi'; import createSvgIcon from './utils/createSvgIcon'; export default createSvgIcon(h("path", { d: "M5 20v2h5v2l3-3-3-3v2zm9 0h5v2h-5zm3-20H7C5.9 0 5 .9 5 2v14c0 1.1.9 2 2 2h10c1.1 0 2-.9 2-2V2c0-1.1-.9-2-2-2zm0 16H7V2h10v14zm-5-9c1.1 0 2-.9 1.99-2 0-1.1-.9-2-2-2S10 3.9 10 5s.89 2 2 2z" }), 'CameraRearOutlined');
AlloyTeam/Nuclear
components/icon/esm/camera-rear-outlined.js
JavaScript
mit
337
'use strict'; module.exports = function(config) { config.set({ basePath: '', frameworks: ['jasmine'], files: [ // bower:js 'public/components/jquery/dist/jquery.js', 'public/components/angular/angular.js', 'public/components/bootstrap/dist/js/bootstrap.js', 'public/components/angular-route/angular-route.js', 'public/components/angular-bootstrap/ui-bootstrap-tpls.js', 'public/components/angular-sanitize/angular-sanitize.js', 'public/components/marked/lib/marked.js', 'public/components/angular-marked/dist/angular-marked.js', 'public/components/highlightjs/highlight.pack.js', 'public/components/angular-clipboard/angular-clipboard.js', 'public/components/angular-toastr/dist/angular-toastr.tpls.js', 'public/components/angular-animate/angular-animate.js', 'public/components/jquery-ui/jquery-ui.js', 'public/components/angular-ui-sortable/sortable.js', 'public/components/ngstorage/ngStorage.js', // endbower 'public/components/angular-mocks/angular-mocks.js', 'public/*.js', 'public/controllers/*.js', 'public/services/*.js', 'public/directives/*.js', 'test/client/*Spec.js' ], exclude: [ ], preprocessors: { }, reporters: ['progress'], port: 9876, colors: true, logLevel: config.LOG_INFO, autoWatch: false, browsers: ['PhantomJS'], singleRun: false, concurrency: Infinity }); };
us10096698/spmemo
karma.conf.js
JavaScript
mit
1,492
'use strict'; /** * controller for angular-ladda * An angular directive wrapper for Ladda buttons. */ angular.module('core').controller('LaddaCtrl', ["$scope", "$timeout", function ($scope, $timeout) { $scope.ldloading = {}; $scope.clickBtn = function (style) { $scope.ldloading[style.replace('-', '_')] = true; $timeout(function () { $scope.ldloading[style.replace('-', '_')] = false; }, 2000); }; $scope.clickProgressBtn = function (style) { $scope.ldloading[style.replace('-', '_') + "_progress"] = true; $timeout(function () { $scope.ldloading[style.replace('-', '_') + "_progress"] = 0.1; }, 500); $timeout(function () { $scope.ldloading[style.replace('-', '_') + "_progress"] += 0.1; }, 1000); $timeout(function () { $scope.ldloading[style.replace('-', '_') + "_progress"] += 0.1; }, 1500); $timeout(function () { $scope.ldloading[style.replace('-', '_') + "_progress"] = false; }, 2000); }; }]);
mchammabc/sites
public/modules/core/controllers/laddaCtrl.js
JavaScript
mit
1,099
import React, {PureComponent} from "react"; import "./fill-view.css"; export class FillView extends PureComponent { divRef = null; state = { scale: 1.0 }; setDivRef = (ref) => { this.divRef = ref; }; componentDidMount() { const {percentMargin = 6} = this.props; const adjust = (100 - percentMargin) * 0.01; const {width: contentWidth, height: contentHeight} = this.divRef.getBoundingClientRect(); const {width: parentWidth, height: parentHeight} = this.divRef.parentNode.parentNode.getBoundingClientRect(); const availableWidth = parentWidth * adjust; const availableHeight = parentHeight * adjust; const scale = Math.min(availableWidth / contentWidth, availableHeight / contentHeight); this.setState(() => ({ scale })); } render() { const {children} = this.props; const {scale} = this.state; const contentProps = { ref: this.setDivRef, style: { transform: `scale(${scale})`, } }; return ( <div className="fill-view"> <div {...contentProps}> {children} </div> </div> ) } }
dfbaskin/react-higher-order-components
packages/presentation/src/shared/fill-view.js
JavaScript
mit
1,272
import { module, test } from 'qunit'; import { setupApplicationTest } from 'ember-qunit'; import { currentURL, visit, fillIn, click } from '@ember/test-helpers'; import hasEmberVersion from 'ember-test-helpers/has-ember-version'; import Pretender from 'pretender'; import { invalidateSession, authenticateSession, currentSession } from 'ember-simple-auth/test-support'; import config from '../../config/environment'; module('Acceptance: Authentication', function(hooks) { setupApplicationTest(hooks); let server; hooks.afterEach(function() { if (server) { server.shutdown(); } }); test('logging in with correct credentials works', async function(assert) { server = new Pretender(function() { this.post(`${config.apiHost}/token`, () => [200, { 'Content-Type': 'application/json' }, '{ "access_token": "secret token!", "account_id": 1 }']); this.get(`${config.apiHost}/accounts/1`, () => [200, { 'Content-Type': 'application/json' }, '{ "data": { "type": "accounts", "id": "1", "attributes": { "login": "letme", "name": "Some person" } } }']); }); await invalidateSession(); await visit('/login'); await fillIn('[data-test-identification]', 'identification'); await fillIn('[data-test-password]', 'password'); await click('button[type="submit"]'); assert.equal(currentURL(), '/'); }); test('logging in with incorrect credentials shows an error', async function(assert) { server = new Pretender(function() { this.post(`${config.apiHost}/token`, () => [400, { 'Content-Type': 'application/json' }, '{ "error": "invalid_grant" }']); }); await invalidateSession(); await visit('/login'); await fillIn('[data-test-identification]', 'identification'); await fillIn('[data-test-password]', 'wrong-password!'); await click('button[type="submit"]'); assert.equal(currentURL(), '/login'); assert.ok(document.querySelector('[data-test-error-message]')); }); module('the protected route', function() { if (!hasEmberVersion(2, 4)) { // guard against running test module on unsupported version (before 2.4) return; } test('cannot be visited when the session is not authenticated', async function(assert) { await invalidateSession(); await visit('/protected'); assert.equal(currentURL(), '/login'); }); test('can be visited when the session is authenticated', async function(assert) { server = new Pretender(function() { this.get(`${config.apiHost}/posts`, () => [200, { 'Content-Type': 'application/json' }, '{"data":[]}']); }); await authenticateSession({ userId: 1, otherData: 'some-data' }); await visit('/protected'); let session = currentSession(); assert.equal(currentURL(), '/protected'); assert.equal(session.get('data.authenticated.userId'), 1); assert.equal(session.get('data.authenticated.otherData'), 'some-data'); }); }); module('the protected route in the engine', function() { test('cannot be visited when the session is not authenticated', async function(assert) { await invalidateSession(); await visit('/engine'); assert.equal(currentURL(), '/login'); }); test('can be visited when the session is authenticated', async function(assert) { server = new Pretender(function() { this.get(`${config.apiHost}/posts`, () => [200, { 'Content-Type': 'application/json' }, '{"data":[]}']); }); await authenticateSession({ userId: 1, otherData: 'some-data' }); await visit('/engine'); assert.equal(currentURL(), '/engine'); let session = currentSession(); assert.equal(session.get('data.authenticated.userId'), 1); assert.equal(session.get('data.authenticated.otherData'), 'some-data'); }); test('can invalidate the session', async function(assert) { server = new Pretender(function() { this.get(`${config.apiHost}/posts`, () => [200, { 'Content-Type': 'application/json' }, '{"data":[]}']); }); await authenticateSession({ userId: 1, otherData: 'some-data' }); await visit('/engine'); await click('[data-test-logout-button]'); let session = currentSession(); assert.notOk(session.get('isAuthenticated')); }); }); module('the login route', function() { if (!hasEmberVersion(2, 4)) { // guard against running test module on unsupported version (before 2.4) return; } test('can be visited when the session is not authenticated', async function(assert) { await invalidateSession(); await visit('/login'); assert.equal(currentURL(), '/login'); }); test('cannot be visited when the session is authenticated', async function(assert) { await authenticateSession(); await visit('/login'); assert.equal(currentURL(), '/'); }); }); });
simplabs/ember-simple-auth
packages/classic-test-app/tests/acceptance/authentication-test.js
JavaScript
mit
4,913
const crypto = require('crypto'); const passwordHashAlgorithm = 'sha1'; module.exports = function(client) { var computeSHA1 = function(str) { return crypto.createHash(passwordHashAlgorithm).update(str).digest('hex'); }; var user = { addUser: function(email, password, callback) { client.incr('global:userId', function(error, id) { if(error) { callback(false); return; }; id --; console.log('Dodaje user z id ' + id); client.setnx('user:' + email + ':id', id, function(error, set) { if (error) { console.log('Error ' + error); callback(false); return; }; console.log('Set ' + set); if (set == 0) { callback(false, 'User ' + email + ' is registred'); return; }; client .multi() .set('user:'+id+':email', email) .set('user:' + id + ':password', computeSHA1(password)) .exec(function(error, results) { if (error) { callback(false); return; }; callback(true); return; }); }); }); }, getUserWithEmail: function(email, callback) { client.get('user:' + email.toLowerCase() + ':id', function(error,id) { if(error) { callback(null); return; } if (id == null) { callback(null); return; } user.getUserWithId(id, callback); }); }, getUserWithId: function(id, callback) { client .multi() .get('user:' + id + ':email') .exec(function(error, results) { if (error) { callback(null); return; } callback({ id: id, email: results[0] }); }); }, validateUser: function(email, password, callback) { user.getUserWithEmail(email, function(user) { if(user == null) { callback(false); return; } client.get('user:' + user.id + ':password', function(error, passwordF) { if(error) { callback(false); return; } callback(computeSHA1(password) == passwordF); }); }); }, }; return user; }; // //user.addUser('[email protected]', 'test', function(result, msg) { // if(result) { // console.log('jest ok'); // } else { // console.log('Error: ' + msg); // } //}); // //user.validateUser('[email protected]', 'test', function(result) { // console.log('Validate: ' + result); //}); // client.set("string key", "string val", redis.print); // client.hset("hash key", "hashtest 1", "some value", redis.print); // client.hset(["hash key", "hashtest 2", "some other value"], redis.print); // client.hkeys("hash key", function (err, replies) { // console.log(replies.length + " replies:"); // replies.forEach(function (reply, i) { // console.log(" " + i + ": " + reply); // }); // client.quit(); // });
yoman07/GeoChatServer
db.js
JavaScript
mit
3,170
const { validateLocaleId } = require(".."); describe("validateLocaleId", () => { it("validateLocaleId", () => { validateLocaleId("en").should.eql(true); validateLocaleId(null).should.eql(true); }); });
node-opcua/node-opcua
packages/node-opcua-basic-types/test/test_locale_id.js
JavaScript
mit
227
var Q = require('q'); /* ** @param [object | array] object: is the object that needs to be iterated, can be an Object or an array @param [integer] index: is the index of argument obtained from the object element and to be added to asyncFunc arguments, starting from 1 @param [function] asyncFunc: is the asynchronous function that needs to be called at every iteration. ** */ var iterate = function(object, index, asyncFunc /* 1...n args */){ var item = null; var args = Array.prototype.slice.call(arguments, 3); if(Object.prototype.toString.call(object) === "[object Array]"){ asyncIterateArray(object, 0, asyncFunc, args, index); }else if(Object.prototype.toString.call(object) === "[object Object]"){ asyncIterateObjectKeys(object, 0, asyncFunc, args, index); } } function asyncIterateObjectKeys(object, i, func, args, index){ var keys = Object.keys(object); if( i < keys.length){ var tmpargs = args.slice(); tmpargs.splice(index - 1, 0, object[keys[i]]); Q.fcall(asyncRun, func, tmpargs) .then(function() { asyncIterateObjectKeys(object, i = i+ 1, func, args, index); }) .catch(function(err){ console.log(err); }); } } function asyncIterateArray(object, i, func, args, index){ if(i < object.length){ var tmpargs = args.slice(); tmpargs.splice(index - 1, 0, object[i]); Q.fcall(asyncRun, func, tmpargs) .then(function() { asyncIterateArray(object, i = i+ 1, func, args, index); }) .catch(function(err){ console.log(err); }); } } function asyncRun(asyncFunc, args){ var def = Q.defer(); Q.fcall(function(){ return asyncFunc.apply(this, args) }) .then(function(ret){ def.resolve(ret); }) .catch(function(err){ def.reject(err); }); return def.promise; } module.exports = iterate;
m-arch/for-async
index.js
JavaScript
mit
1,825
'use strict'; var kraken = require('kraken-js'), app = require('express')(), options = require('./lib/spec')(app), port = process.env.PORT || 8000; app.use(kraken(options)); app.listen(port, function(err) { console.log('[%s] Listening on http://localhost:%d', app.settings.env, port); });
NaveenAttri/TestProject
index.js
JavaScript
mit
310
/* global __phantom_writeFile */ (function(global) { var UNDEFINED, exportObject; if (typeof module !== "undefined" && module.exports) { exportObject = exports; } else { exportObject = global.jasmineReporters = global.jasmineReporters || {}; } function trim(str) { return str.replace(/^\s+/, "" ).replace(/\s+$/, "" ); } function elapsed(start, end) { return (end - start)/1000; } function isFailed(obj) { return obj.status === "failed"; } function isSkipped(obj) { return obj.status === "pending"; } function isDisabled(obj) { return obj.status === "disabled"; } function pad(n) { return n < 10 ? '0'+n : n; } function extend(dupe, obj) { // performs a shallow copy of all props of `obj` onto `dupe` for (var prop in obj) { if (obj.hasOwnProperty(prop)) { dupe[prop] = obj[prop]; } } return dupe; } function ISODateString(d) { return d.getFullYear() + '-' + pad(d.getMonth()+1) + '-' + pad(d.getDate()) + 'T' + pad(d.getHours()) + ':' + pad(d.getMinutes()) + ':' + pad(d.getSeconds()); } function escapeInvalidXmlChars(str) { return str.replace(/</g, "&lt;") .replace(/\>/g, "&gt;") .replace(/\"/g, "&quot;") .replace(/\'/g, "&apos;") .replace(/\&/g, "&amp;"); } function getQualifiedFilename(path, filename, separator) { if (path && path.substr(-1) !== separator && filename.substr(0) !== separator) { path += separator; } return path + filename; } function log(str) { var con = global.console || console; if (con && con.log) { con.log(str); } } /** * Generates JUnit XML for the given spec run. There are various options * to control where the results are written, and the default values are * set to create as few .xml files as possible. It is possible to save a * single XML file, or an XML file for each top-level `describe`, or an * XML file for each `describe` regardless of nesting. * * Usage: * * jasmine.getEnv().addReporter(new jasmineReporters.JUnitXmlReporter(options); * * @param {object} [options] * @param {string} [savePath] directory to save the files (default: '') * @param {boolean} [consolidateAll] whether to save all test results in a * single file (default: true) * NOTE: if true, {filePrefix} is treated as the full filename (excluding * extension) * @param {boolean} [consolidate] whether to save nested describes within the * same file as their parent (default: true) * NOTE: true does nothing if consolidateAll is also true. * NOTE: false also sets consolidateAll to false. * @param {boolean} [useDotNotation] whether to separate suite names with * dots instead of spaces, ie "Class.init" not "Class init" (default: true) * @param {string} [filePrefix] is the string value that is prepended to the * xml output file (default: junitresults-) * NOTE: if consolidateAll is true, the default is simply "junitresults" and * this becomes the actual filename, ie "junitresults.xml" */ exportObject.JUnitXmlReporter = function(options) { var self = this; self.started = false; self.finished = false; // sanitize arguments options = options || {}; self.savePath = options.savePath || ''; self.consolidate = options.consolidate === UNDEFINED ? true : options.consolidate; self.consolidateAll = self.consolidate !== false && (options.consolidateAll === UNDEFINED ? true : options.consolidateAll); self.useDotNotation = options.useDotNotation === UNDEFINED ? true : options.useDotNotation; self.filePrefix = options.filePrefix || (self.consolidateAll ? 'junitresults' : 'junitresults-'); var suites = [], currentSuite = null, totalSpecsExecuted = 0, totalSpecsDefined, // when use use fit, jasmine never calls suiteStarted / suiteDone, so make a fake one to use fakeFocusedSuite = { id: 'focused', description: 'focused specs', fullName: 'focused specs' }; var __suites = {}, __specs = {}; function getSuite(suite) { __suites[suite.id] = extend(__suites[suite.id] || {}, suite); return __suites[suite.id]; } function getSpec(spec) { __specs[spec.id] = extend(__specs[spec.id] || {}, spec); return __specs[spec.id]; } self.jasmineStarted = function(summary) { totalSpecsDefined = summary && summary.totalSpecsDefined || NaN; exportObject.startTime = new Date(); self.started = true; }; self.suiteStarted = function(suite) { suite = getSuite(suite); suite._startTime = new Date(); suite._specs = []; suite._suites = []; suite._failures = 0; suite._skipped = 0; suite._disabled = 0; suite._parent = currentSuite; if (!currentSuite) { suites.push(suite); } else { currentSuite._suites.push(suite); } currentSuite = suite; }; self.specStarted = function(spec) { if (!currentSuite) { // focused spec (fit) -- suiteStarted was never called self.suiteStarted(fakeFocusedSuite); } spec = getSpec(spec); spec._startTime = new Date(); spec._suite = currentSuite; currentSuite._specs.push(spec); }; self.specDone = function(spec) { spec = getSpec(spec); spec._endTime = new Date(); if (isSkipped(spec)) { spec._suite._skipped++; } if (isDisabled(spec)) { spec._suite._disabled++; } if (isFailed(spec)) { spec._suite._failures++; } totalSpecsExecuted++; }; self.suiteDone = function(suite) { suite = getSuite(suite); if (suite._parent === UNDEFINED) { // disabled suite (xdescribe) -- suiteStarted was never called self.suiteStarted(suite); } suite._endTime = new Date(); currentSuite = suite._parent; }; self.jasmineDone = function() { if (currentSuite) { // focused spec (fit) -- suiteDone was never called self.suiteDone(fakeFocusedSuite); } var output = ''; for (var i = 0; i < suites.length; i++) { output += self.getOrWriteNestedOutput(suites[i]); } // if we have anything to write here, write out the consolidated file if (output) { wrapOutputAndWriteFile(self.filePrefix, output); } //log("Specs skipped but not reported (entire suite skipped or targeted to specific specs)", totalSpecsDefined - totalSpecsExecuted + totalSpecsDisabled); self.finished = true; // this is so phantomjs-testrunner.js can tell if we're done executing exportObject.endTime = new Date(); }; self.getOrWriteNestedOutput = function(suite) { var output = suiteAsXml(suite); for (var i = 0; i < suite._suites.length; i++) { output += self.getOrWriteNestedOutput(suite._suites[i]); } if (self.consolidateAll || self.consolidate && suite._parent) { return output; } else { // if we aren't supposed to consolidate output, just write it now wrapOutputAndWriteFile(generateFilename(suite), output); return ''; } }; self.writeFile = function(filename, text) { var errors = []; var path = self.savePath; function phantomWrite(path, filename, text) { // turn filename into a qualified path filename = getQualifiedFilename(path, filename, window.fs_path_separator); // write via a method injected by phantomjs-testrunner.js __phantom_writeFile(filename, text); } function nodeWrite(path, filename, text) { var fs = require("fs"); var nodejs_path = require("path"); require("mkdirp").sync(path); // make sure the path exists var filepath = nodejs_path.join(path, filename); var xmlfile = fs.openSync(filepath, "w"); fs.writeSync(xmlfile, text, 0); fs.closeSync(xmlfile); return; } // Attempt writing with each possible environment. // Track errors in case no write succeeds try { phantomWrite(path, filename, text); return; } catch (e) { errors.push(' PhantomJs attempt: ' + e.message); } try { nodeWrite(path, filename, text); return; } catch (f) { errors.push(' NodeJS attempt: ' + f.message); } // If made it here, no write succeeded. Let user know. log("Warning: writing junit report failed for '" + path + "', '" + filename + "'. Reasons:\n" + errors.join("\n") ); }; /******** Helper functions with closure access for simplicity ********/ function generateFilename(suite) { return self.filePrefix + getFullyQualifiedSuiteName(suite, true) + '.xml'; } function getFullyQualifiedSuiteName(suite, isFilename) { var fullName; if (self.useDotNotation || isFilename) { fullName = suite.description; for (var parent = suite._parent; parent; parent = parent._parent) { fullName = parent.description + '.' + fullName; } } else { fullName = suite.fullName; } // Either remove or escape invalid XML characters if (isFilename) { var fileName = "", rFileChars = /[\w\.]/, chr; while (fullName.length) { chr = fullName[0]; fullName = fullName.substr(1); if (rFileChars.test(chr)) { fileName += chr; } } return fileName; } else { return escapeInvalidXmlChars(fullName); } } function suiteAsXml(suite) { var xml = '\n <testsuite name="' + getFullyQualifiedSuiteName(suite) + '"'; xml += ' timestamp="' + ISODateString(suite._startTime) + '"'; xml += ' hostname="localhost"'; // many CI systems like Jenkins don't care about this, but junit spec says it is required xml += ' time="' + elapsed(suite._startTime, suite._endTime) + '"'; xml += ' errors="0"'; xml += ' tests="' + suite._specs.length + '"'; xml += ' skipped="' + suite._skipped + '"'; xml += ' disabled="' + suite._disabled + '"'; // Because of JUnit's flat structure, only include directly failed tests (not failures for nested suites) xml += ' failures="' + suite._failures + '"'; xml += '>'; for (var i = 0; i < suite._specs.length; i++) { xml += specAsXml(suite._specs[i]); } xml += '\n </testsuite>'; return xml; } function specAsXml(spec) { var xml = '\n <testcase classname="' + getFullyQualifiedSuiteName(spec._suite) + '"'; xml += ' name="' + escapeInvalidXmlChars(spec.description) + '"'; xml += ' time="' + elapsed(spec._startTime, spec._endTime) + '"'; xml += '>'; if (isSkipped(spec) || isDisabled(spec)) { xml += '<skipped />'; } else if (isFailed(spec)) { for (var i = 0, failure; i < spec.failedExpectations.length; i++) { failure = spec.failedExpectations[i]; xml += '\n <failure type="' + (failure.matcherName || "exception") + '"'; xml += ' message="' + trim(escapeInvalidXmlChars(failure.message))+ '"'; xml += '>'; xml += '<![CDATA[' + trim(failure.stack || failure.message) + ']]>'; xml += '\n </failure>'; } } xml += '\n </testcase>'; return xml; } // To remove complexity and be more DRY about the silly preamble and <testsuites> element var prefix = '<?xml version="1.0" encoding="UTF-8" ?>'; prefix += '\n<testsuites>'; var suffix = '\n</testsuites>'; function wrapOutputAndWriteFile(filename, text) { if (filename.substr(-4) !== '.xml') { filename += '.xml'; } self.writeFile(filename, (prefix + text + suffix)); } }; })(this);
Zack-Tillotson/open-door-the-game
node_modules/jasmine-reporters/src/junit_reporter.js
JavaScript
mit
13,510
var Handlebars = require("handlebars"); export default class Lean { constructor() { this.name = this.constructor.name; this.id = `${this.name}-${Lean.INCREMENTAL_ID++}`; this.children = {}; this.props = {}; this.element = null; this.view = this.name; Lean.registerInstance(this); } render() { return Lean.Templates[this.view](this); } postrender() { this.element = document.getElementById(this.id); this.element.self = this; this.postrenderRecursive(this.children); } postrenderRecursive(component) { if(!component) { return; } else if(typeof component.postrender === "function") { component.postrender(); } else if(Array.isArray(component)) { component.forEach(this.postrenderRecursive.bind(this)); } else if(typeof component === "object" && component !== null) { for(let childName in component) { this.postrenderRecursive(component[childName]); } } } rerender(selector) { if(selector) { var wrapperElement = document.createElement("div"); wrapperElement.innerHTML = this.render(); this.element.querySelector(selector).outerHTML = wrapperElement.querySelector(selector).outerHTML; } else { this.element.outerHTML = this.render(); this.postrender(); } } static precompileAllInPage() { var allTemplates = document.querySelectorAll('script[type="text/x-handlebars-template"]'); for (let i = 0; i < allTemplates.length; i++) { let template = allTemplates[i], isPartial = false; if(template.classList.contains("partial")) { isPartial = true; } Lean.precompile(template.id, template.innerHTML, isPartial); } } static precompileAllFiles(baseDir, extension, templates, partials, done) { var promises = []; for (let i = 0; i < templates.length; i++) { let template = templates[i], templateName = Lean.getBaseName(template), isPartial = partials.indexOf(templateName) > -1 ? true : false; promises.push(Lean.precompileFile(baseDir + template + extension, templateName, isPartial)); } $.when.apply($, promises).done(done); } static precompileFile(templatePath, templateName, isPartial) { return $.get(templatePath).done((data) => { Lean.precompile(templateName, data, isPartial); }); } static precompile(id, innerHTML, isPartial) { Lean.Templates[id] = Handlebars.compile(innerHTML); if(isPartial) { Handlebars.registerPartial(id, Lean.Templates[id]); } } static registerInstance(instance) { Lean.AllInstances[instance.id] = instance; } static findInstance(id) { return document.getElementById(id).self; } static getBaseName(str) { var base = new String(str).substring(str.lastIndexOf('/') + 1); if(base.lastIndexOf(".") != -1) { base = base.substring(0, base.lastIndexOf(".")); } return base; } } Lean.INCREMENTAL_ID = 0; Lean.Templates = {}; Handlebars.registerHelper("render", (template) => { if(template && typeof template.render === "function") { return template.render(); } else { return "" } }); Handlebars.registerHelper("call", (context, func, ...params) => { return func.apply(context, params); });
amirmohsen/lean
lib/Lean.js
JavaScript
mit
3,109
// This is a manifest file that'll be compiled into application.js, which will include all the files // listed below. // // Any JavaScript/Coffee file within this directory, lib/assets/javascripts, vendor/assets/javascripts, // or any plugin's vendor/assets/javascripts directory can be referenced here using a relative path. // // It's not advisable to add code directly here, but if you do, it'll appear at the bottom of the // compiled file. // // Read Sprockets README (https://github.com/rails/sprockets#sprockets-directives) for details // about supported directives. // //= require jquery //= require jquery_ujs //= require twitter/bootstrap //= require 'icheck' //= require highcharts //= require highcharts/highcharts-more //= require_tree . function icheck(){ if($(".icheck-me").length > 0){ $(".icheck-me").each(function(){ var $el = $(this); var skin = ($el.attr('data-skin') !== undefined) ? "_" + $el.attr('data-skin') : "", color = ($el.attr('data-color') !== undefined) ? "-" + $el.attr('data-color') : ""; var opt = { checkboxClass: 'icheckbox' + skin + color, radioClass: 'iradio' + skin + color, } $el.iCheck(opt); }); } } $(function(){ icheck(); })
MaSys/natumex
app/assets/javascripts/application.js
JavaScript
mit
1,227
'use strict'; const { ManyToManyModifyMixin } = require('./ManyToManyModifyMixin'); const SQLITE_BUILTIN_ROW_ID = '_rowid_'; // We need to override this mixin for sqlite because sqlite doesn't support // multi-column where in statements with subqueries. We need to use the // internal _rowid_ column instead. const ManyToManySqliteModifyMixin = (Operation) => { return class extends ManyToManyModifyMixin(Operation) { applyModifyFilterForRelatedTable(builder) { const tableRef = builder.tableRefFor(this.relation.relatedModelClass); const rowIdRef = `${tableRef}.${SQLITE_BUILTIN_ROW_ID}`; const subquery = this.modifyFilterSubquery.clone().select(rowIdRef); return builder.whereInComposite(rowIdRef, subquery); } applyModifyFilterForJoinTable(builder) { const joinTableOwnerRefs = this.relation.joinTableOwnerProp.refs(builder); const tableRef = builder.tableRefFor(this.relation.getJoinModelClass(builder)); const rowIdRef = `${tableRef}.${SQLITE_BUILTIN_ROW_ID}`; const ownerValues = this.owner.getProps(this.relation); const subquery = this.modifyFilterSubquery.clone().select(rowIdRef); return builder .whereInComposite(rowIdRef, subquery) .whereInComposite(joinTableOwnerRefs, ownerValues); } }; }; module.exports = { ManyToManySqliteModifyMixin, };
Vincit/objection.js
lib/relations/manyToMany/ManyToManySqliteModifyMixin.js
JavaScript
mit
1,361
'use strict'; var Sequelize = require('sequelize'); var sq_config = require('../sequelize-config-mysql'); sq_config.database = 's06'; sq_config.options.sync.match = /s06/; var sq = new Sequelize(sq_config.database, sq_config.username, sq_config.password, sq_config.options); var models = { entry: sq.define('entry', { id: { type: Sequelize.UUID, defaultValue: Sequelize.UUIDV4, validate: { isUUID: 4 }, primaryKey: true }, date: { type: Sequelize.DATE, allowNull: false, validate: { isDate: true, } }, body: { type: Sequelize.TEXT, allowNull: false, validate: { notEmpty: true, } } }, { }), tag: sq.define('tag', { id: { type: Sequelize.UUID, defaultValue: Sequelize.UUIDV4, allowNull: false, validate: { isUUID: 4 }, primaryKey: true }, value: { type: Sequelize.STRING(255), allowNull: false, unique: true, validate: { } } }, { }) }; models.tag.belongsToMany(models.entry, { through: 'entry_tag' }); models.entry.belongsToMany(models.tag, { through: 'entry_tag' }); sq.sync({ force: true }) .then(function() { var hard_coded_tag_promises = Promise.all([ models.tag.create({value: 'foo'}), models.tag.create({value: 'bar'}), models.tag.create({value: 'baz'}) ]); var hard_coded_entry_promises = Promise.all([ models.entry.create({ body: 'This is entry 0. Here is some text.', date: new Date(2015, 2, 10) }), models.entry.create({ body: 'This is entry one. Here is some more text.', date: new Date(2015, 2, 10) }), models.entry.create({ body: 'This is entry tertius III. Here is interesting text.', date: new Date(2015, 2, 12) }), models.entry.create({ body: 'this is entry iv i dont know punctuation', date: new Date(2015, 2, 11) }), models.entry.create({ body: 'This is entry si4 with id 5 and a fullstop.', date: new Date(2015, 2, 13) }), models.entry.create({ body: 'This is entry hex. Should I be a magical curse?', date: new Date(2015, 2, 14) }) ]); return Promise.all([hard_coded_tag_promises, hard_coded_entry_promises]); }) .spread(function(hard_coded_tags, hard_coded_entries) { return Promise.all([ hard_coded_entries[0].setTags([hard_coded_tags[0], hard_coded_tags[1]]), hard_coded_entries[1].setTags([hard_coded_tags[2]]), hard_coded_entries[2].setTags([hard_coded_tags[1], hard_coded_tags[2]]), hard_coded_entries[3].setTags([hard_coded_tags[0]]), hard_coded_entries[4].setTags([hard_coded_tags[1]]), hard_coded_entries[5].setTags([hard_coded_tags[0], hard_coded_tags[1], hard_coded_tags[2]]) ]); }) .then(function() { sq.close(); }) .catch(function(err) { console.warn('Rejected promise: ' + err); console.warn(err.stack); }) .done();
cfogelberg/sequelize-playground
tests/06-mysql-demo/01-populate-db.js
JavaScript
mit
2,940
var searchData= [ ['bullet_2ecpp',['bullet.cpp',['../bullet_8cpp.html',1,'']]], ['bullet_2eh',['bullet.h',['../bullet_8h.html',1,'']]] ];
SineJunky/ascii-game
ASCII-Game/docs/html/search/files_62.js
JavaScript
mit
142
import React, { Component } from "react"; import { browserHistory, Link } from "react-router"; import update from "react-addons-update"; class AuthoredPost extends Component { constructor(props) { super(props); this.state = { isVisible: { display: "block" }, post: {} }; } handleChange(event) { let newState = update(this.state, { $merge: { [event.target.name]: event.target.value } }); this.setState(newState); } handleDelete() { fetch(`http://localhost:3000/posts/${this.props.id}/${this.props.user_id}`, { method: "DELETE" }) .then(() => { this.setState({ isVisible: { display: "none"}}); browserHistory.push('/dashboard'); }) .catch((err) => { console.log("ERROR:", err); }); } render() { return( <div key={this.props.id} style={this.state.isVisible}> <div className="authored_posts"> <h3>{this.props.title}</h3> <img src={this.props.image_url} width="250px" /> <p>{this.props.post_text}</p> <div className="source-category"> <p><a href={this.props.source_url} target="_blank">Source URL</a></p> <p className="dashboard-category-icon">{this.props.category}</p> </div> <div className="dashboard-button-container"> <Link to={`/${this.props.id}/edit`}> <button>Edit Post</button> </Link> <Link to="/dashboard"> <button onClick={this.handleDelete.bind(this)}>&times;</button> </Link> </div> </div> </div> ); } } export default AuthoredPost;
jeremypross/lcjr-frontend
src/components/Dashboard/AuthoredPost.js
JavaScript
mit
1,691
dependsOn("dependencyCircular2.js");
SoloVid/grunt-ordered-concat
test/fixtures/dependencyCircular1.js
JavaScript
mit
37
"use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var aurelia_pal_1 = require("aurelia-pal"); function configure(config, spinnerConfig) { config.globalResources(aurelia_pal_1.PLATFORM.moduleName('./spinner')); config.container.registerInstance('spinner-config', spinnerConfig); } exports.configure = configure; var spinner_config_1 = require("./spinner-config"); exports.spinnerViews = spinner_config_1.spinnerViews;
ne0guille/aurelia-spinner
dist/commonjs/index.js
JavaScript
mit
452