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
|
---|---|---|---|---|---|
export default (function (window,document,$,undefined) {
$('.js-input-date').each(function(){
let $el = $(this);
let restrict = $el.data('restrict');
let picker = new Pikaday({
field: this,
format: 'MM/DD/YYYY',
});
switch(restrict) {
case 'max':
picker.setMaxDate(new Date());
break;
case 'min':
picker.setMinDate(new Date());
break;
}
$el.attr('type','text');
});
})(window,document,jQuery);
| massgov/mayflower | packages/patternlab/styleguide/source/assets/js/modules/pikaday.js | JavaScript | gpl-2.0 | 512 |
$(function() {
var animationDuration = 500;
$('.portal-menu-siblings').each(function() {
var self = $(this);
var parent = $(this).parent();
var a = parent.children('a');
var chevron = parent.find('.icon-chevron-down');
var inTimeout, outTimeout;
var orientation = 0;
parent.hover(function() {
a.addClass('hover');
clearTimeout(outTimeout);
inTimeout = setTimeout(function() {
self.stop(true).css('display', 'block').animate({
left: '100%',
opacity: 1
}, animationDuration);
chevron.stop(true, true);
$({deg: orientation}).animate({deg: -90}, {
step: function(now) {
chevron.css({transform: 'rotate(' + now + 'deg)'});
orientation = now;
},
duration: animationDuration
});
}, 400);
}, function() {
a.removeClass('hover');
clearTimeout(inTimeout);
outTimeout = setTimeout(function() {
self.stop(true).animate({
left: '0',
opacity: 0
}, animationDuration);
outTimeout = setTimeout(function() {
self.css('display', 'none');
}, animationDuration);
chevron.stop(true, true);
$({deg: orientation}).animate({deg: 0}, {
step: function(now) {
chevron.css({transform: 'rotate(' + now + 'deg)'});
orientation = now;
},
duration: animationDuration
});
}, 400);
});
var url = a.attr('href');
var height = parent.height() + 1;
var top = -3;
$(this).children('li').each(function() {
if($(this).children('a').attr('href') == url)
return false;
top -= height;
});
$(this).css('top', top + 'px');
});
});
| papedaniel/oioioi | oioioi/portals/static/common/portal.js | JavaScript | gpl-3.0 | 2,167 |
page = [];
term = new Terminal();
sTerm = new Terminal();
page.server = "http://molly/moiras/server-terminal.php";
//- - - - - Pop
page.loaded = function(){
//------------ configuracao
term = new Terminal();
sTerm = new Terminal();
term.server = page.server;
sTerm.server = page.server;
sTerm.on();
term.on();
//------------------
user.get();
}
//---- config
page.config = function(){
page.popContent(page.tConfig);
page.popUp();
}
//---- bakup
page.backupOpen = function(){
page.popContent(page.tFormBeckup);
}
page.beckup = function(){
window.open('server-terminal.php?comander=dado.dump()', '_blank');
}
//- - - - - PopUp
page.checkPop = false;
page.popUp = function(){
//console.log("pop");
this.checkPop = !this.checkPop;
if(this.checkPop){
document.getElementById("popUp").className = "popUP-true";
}
else{
document.getElementById("popUp").className = "popUP-false";
}
}
page.popContent = function(content){
document.getElementById("popUp-content").innerHTML = content;
}
page.drop = function(id){
com = "dado.drop(" + id + ")";
console.log(com);
term.com(com,page.rDrop);
};
page.rDrop = function(msg){
console.log(msg);
page.search();
}
page.replace = function(base,dados){
var dadosK=Object.keys(dados);
for (var i = 0; i < dadosK.length; i++) {
base = base.replace(new RegExp("{" + dadosK[i] + "}", 'g'),dados[dadosK[i]]);
}
return base;
}
//------------
page.tConfig = document.getElementById("tConfig").innerHTML;
page.tFormBeckup = document.getElementById("formBeckup").innerHTML;
page.tFirstDado = "<dado onclick='page.novaNota()'><id>Novo Dado</id><valor><img src='resources/img/new.svg'></valor></dado>";
page.notaform = "<div id=\"fNotaCabecario\"></div><form><label>Dado</label><textarea id=\"fNotaDado\"></textarea><label>Tags</label><textarea id=\"fNotaTag\"></textarea><input id=\"fNotaAplic\" onclick=\"\" value=\"Salvar\" type=\"button\"><input id=\"fNotaAplic\" onclick=\"page.popUp()\" value=\"Cancelar\" type=\"button\"></form>";
page.loginform = "<form><label>Dado</label><textarea id=\"novaNotaDado\"></textarea><label>Tags</label><textarea id=\"novaNotaTag\"></textarea><input onclick=\"page.novaNotaAplic()\" value=\"Salvar\" type=\"button\"></form>";
console.log("page.js"); | CupBlack/Moiras | resources/js/page.js | JavaScript | gpl-3.0 | 2,263 |
/*
canvas.lineWidth=int;
canvas.rect()
canvas.fillRect()
window.onorientationchange
*/
var position=[0,0,0,0];//---位置信息
//-------------------------------------------功能绑定区
canvas_View.addEventListener('touchstart',function(){//---把开始触摸点定为起点
if(config.type=='pen'){
drawTable.getStarPosition(2);
}
else if(config.type=='rect_new'||config.type=='coordinate'){
drawTable.getStarPosition(0);
rect_box.style.display='block';
rect_box.style.border=canvas.lineWidth+'px '+drawTable.colorOpacity(config.color,config.opacity)+' solid';
}
});
canvas_View.addEventListener('click',function(){//---画点
if(config.type!='pen')return;
var x=event.pageX;//--click主要是不与划线时的位置混淆
var y=event.pageY;
if(config.dot[2]==0){//--没有记录时添加一个记录
config.dot[0]=x;
config.dot[1]=y;
}
config.dot[2]+=1;
drawTable.dot(x,y);//--其实是画圆
if(config.dot[2]==2){
config.dot[2]=0;//--重置
drawTable.matchDot(x,y);//--连线开始
}
});
canvas_View.addEventListener('touchmove',function(){//---更新位置信息
if(config.type=='pen'){
position[0]=position[2];
position[1]=position[3];
drawTable.getPosition();
drawTable.pen();
}
else if(config.type=='rect_new'||config.type=='coordinate'){
drawTable.getPosition();
drawTable.rect_new();
if(config.type=='coordinate'){
rect_box.style.borderTop='none';
rect_box.style.borderRight='none';
}
}
event.preventDefault();//---阻止默认事件
});
canvas_View.addEventListener('touchend',function(){//----写入结束,保存入栈
if(config.type=='rect_new'||config.type=='coordinate'){
drawTable.getPosition();
drawTable.rect_new();
if(config.type=='coordinate'){
drawTable.coordinate();
}
else
drawTable.rect();
rect_box.style.cssText='display:none;left:0;top:0;width0;height:0;';
}
drawTable.createImg();
});
color_View.addEventListener('touchstart',function(){//----指定坐标,获取颜色
position[2]=event.touches[0].pageX;
position[3]=event.touches[0].pageY;
drawTable.getColor();
});
color_View.addEventListener('touchmove',function(){//---获取移动坐标,获取颜色
drawTable.getPosition();
drawTable.getColor();
event.preventDefault();
});
lineW.addEventListener('click',function(){//---划线粗细显示选项
span_layout();
range.value=range.nextElementSibling.innerText=canvas.lineWidth;
range.max=config.lineWidth[1];//--设置最大值
config.rangeType='lineWidth';
});
line.addEventListener('click',function(){//---默认模式
config.type='pen';
});
rect.addEventListener('click',function(){//---矩形模式
config.type='rect_new';
});
clear.addEventListener('click',function(){//---清空
drawTable.clear();
});
cure.addEventListener('click',function(){//----回复
drawTable.cure();
});
download.addEventListener('click',function(){//----下载【pc】
drawTable.download();
});
opacity.addEventListener('click',function(){
span_layout();
range.max=100;//--设置最大值
range.value=(range.nextElementSibling.innerText=config.opacity)*100;//init
config.rangeType='opacity';
});
coordinate.addEventListener('click',function(){
ul_coordinate.style.display=ul_coordinate.style.display!='block'?'block':'none';
});
ul_coordinate.getElementsByTagName('li')[0].addEventListener('click',function(){
mathFunction.style.display='block';
});
calculate.addEventListener('click',function(){//--进行计算
drawTable.coordinate();
drawTable.mathFunction(equation.value);
drawTable.createImg();//--可恢复
});
close_equation.addEventListener('click',function(){//--关闭窗口
mathFunction.style.display='none';
});
ul_coordinate.getElementsByTagName('li')[1].addEventListener('click',function(){
config.type='coordinate';
});
character.addEventListener('click',function(){//--弹出字体写入框
if(rect_box.style.display!='block'){//--显示
rect_box.innerHTML="<div id='sureButton'></div><input placeholder='text' type='text' style='width:100px'>";
rect_box.style.cssText='width:120px;display:block;background:rgba(240,240,240,0.7);padding:30px;left:100px;top:100px;';
}
else{//--关闭并还原rect_box
rect_box.innerHTML='';
rect_box.style.cssText='display:none;left:0;top:0;width:0;height:0;';
rangeBox.style.display='none';
return;
}
var inputText=rect_box.getElementsByTagName('input')[0];
var sureButton=document.getElementById('sureButton');
inputText.style.cssText="font-size:"+config.fontSize+"px;width:120px;background:rgba(255,255,255,.3);border:none;";
inputText.focus();
inputText.addEventListener('click',function(){
event.cancelBubble=true;
})
//--rect_box里面再加入一层元素
sureButton.addEventListener('click',function(){//--确定
event.cancelBubble=true;
var x=rect_box.offsetLeft+30;
var y=rect_box.offsetTop+sureButton.clientHeight+30+inputText.clientHeight;
drawTable.fillText(inputText.value,x,y);
});
rect_box.addEventListener('click',function(){//--弹出字体大小选择框
span_layout();
range.nextElementSibling.innerText=(range.value=config.fontSize)+'px';
range.max=config.maxFontSize//--设置最大值
config.rangeType='font';
});
rect_box.addEventListener('touchstart',function(){
drawTable.getStarPosition(2);
});
rect_box.addEventListener('touchmove',function(){event.preventDefault();
position[0]=position[2];
position[1]=position[3];
drawTable.getPosition();
drawTable.move(rect_box);
});
rect_box.addEventListener('touchend',function(){
drawTable.getStarPosition[2];
});
});
rangeBox_drag.addEventListener('click',function(){
rangeBox.style.display='none';
});
rangeBox_drag.addEventListener('touchstart',function(){
drawTable.getStarPosition(2);
});
rangeBox_drag.addEventListener('touchmove',function(){event.preventDefault();
position[0]=position[2];
position[1]=position[3];
drawTable.getPosition();
drawTable.move(rangeBox);
});
range.addEventListener('touchmove',function(){
if(config.rangeType=='opacity'){
range.nextElementSibling.innerText=range.value/100;
}else if(config.rangeType=='font'){
range.nextElementSibling.innerText=rect_box.getElementsByTagName('input')[0].style.fontSize=range.value+'px';
}
else{
range.nextElementSibling.innerText=range.value;
}
});
range.addEventListener('touchend',function(){
switch(config.rangeType){
case 'lineWidth':canvas.lineWidth=range.value;;break;
case 'opacity':config.opacity=range.value/100;break;
case 'font':config.fontSize=range.value;break;
}
});
//-----------------------------------------------------------------
var operate = function(){//----操作函数集合
canvas = canvas_View.getContext('2d');//---init
canvas_tmp = canvas_tmp_View.getContext('2d');//---init
var color_c = color_View.getContext('2d');
var linear = color_c.createLinearGradient(0,0,config.size[0],0);
linear.addColorStop(0, 'rgb(255,0,0)'); //红
linear.addColorStop(0.5, 'rgb(0,255,0)');//绿
linear.addColorStop(1, 'rgb(0,0,255)'); //蓝
color_c.fillStyle=linear;
color_c.fillRect(0,0,config.size[0],40);
this.colorOpacity=function(color,opacity){
var start=color.lastIndexOf(',');
var end=color.lastIndexOf(')');
var res=color.substr(0,start+1)+opacity+color.substr(end);
return res;
}
this.pen=function(x1,y1,x2,y2){//----划线
var X1=x1||position[0],Y1=y1||position[1],X2=x2||position[2],Y2=y2||position[3];
canvas.beginPath();//--上行为缺省值
canvas.moveTo(X1,Y1);
canvas.lineTo(X2,Y2);
canvas.strokeStyle=drawTable.colorOpacity(config.color,config.opacity);
canvas.closePath();
canvas.stroke();
}
this.rect_new=function(){//--矩形div模拟
rect_box.style.left=position[0]+'px';
rect_box.style.top=position[1]+'px';
rect_box.style.width=position[2]-position[0]-1+'px';
rect_box.style.height=position[3]-position[1]-1+'px';
}
this.rect=function(){//----写入矩形
if(position[0]==position[2])return;
canvas.beginPath();
canvas.strokeStyle=drawTable.colorOpacity(config.color,config.opacity);
canvas.rect(position[0]+canvas.lineWidth/2,position[1]+canvas.lineWidth/2,position[2]-position[0]+canvas.lineWidth,position[3]-position[1]+canvas.lineWidth);
//---div元素的border和画矩形的边框不是同一个机制
canvas.closePath();
canvas.stroke();
}
this.dot=function(x,y,type){//--点的生成 用于连线
canvas.beginPath();
var type=type||'stroke';
if(type=='fill'){
canvas.fillStyle=drawTable.colorOpacity(config.color,config.opacity);
canvas.arc(x,y,config.radius,0,Math.PI*2,false);
}
if(type=='stroke'){
canvas.strokeStyle=config.color;
canvas.arc(x,y,config.radius,0,Math.PI*2,false);
canvas.stroke();
}
canvas.closePath();
}
this.matchDot=function(x,y){//--连接两个点
canvas.beginPath();
canvas.strokeStyle=drawTable.colorOpacity(config.color,config.opacity);
canvas.moveTo(config.dot[0],config.dot[1]);
canvas.lineTo(x,y);
canvas.closePath();
canvas.stroke();
}
this.coordinate=function(){//--建立坐标
//---在进行画矩形时,只保留邻边就可以自定义建立起简易坐标
drawTable.pen(position[0],position[3],position[0],position[1]);
drawTable.pen(position[0],position[3],position[2],position[3]);
config.basePoint[0]=position[0];//--保存坐标轴基本点
config.basePoint[1]=position[3];
config.basePoint[2]=position[0];
config.basePoint[3]=position[1];
config.basePoint[4]=position[2];
config.basePoint[5]=position[3];
}
this.mathFunction=function(equation){//---数学函数y=2*x
var equation=equation||"0.5*x";var y;
//--标准转换式 y=k*x --> y=-k*(x-config.basePoint[0])+config.basePoint[1] //--将坐标轴的方向进行转换
//--存在转换缺陷,x*x时图形完全不形象,需要缩短x,y轴
equation=equation.replace('x','(x-'+config.basePoint[0]+')');//--x值进行替换
equation='-1*('+equation+')+'+config.basePoint[1];
for(var x=config.basePoint[0];x<config.basePoint[4];x+=0.01){//--0.01为精度
eval('y='+equation);//---y=k*x
drawTable.pen(x,y,++x,eval('y='+equation));//--传入两个坐标
}
}
this.move=function(obj){
var obj_left=rPx(getComputedStyle(obj)['left'],'left');
var obj_top=rPx(getComputedStyle(obj)['top'],'top');
obj.style.left=obj_left+position[2]-position[0]+'px';
obj.style.top=obj_top+position[3]-position[1]+'px';
}
this.fillText=function(text,x,y,type){//---生成文字
var x=x||10,y=y||10,type=type||'fill';
canvas.font='normal '+config.fontSize+'px 微软雅黑';
if(config.fontSize<16){
var compatibility=0;
}else{
var compatibility=config.fontSize/3;
}
if(type='fill'){
canvas.fillStyle=drawTable.colorOpacity(config.color,config.opacity);
canvas.fillText(text,x,y-compatibility);
}else{
canvas.strokeText(text,x,y);
}
drawTable.createImg();
}
this.getColor=function(){//---获取点击处的颜色[rgba模式,a/255为可用a]
var offsetT=color_View.offsetTop;
var color=color_c.getImageData(position[2],position[3]-config.size[1]-3,1,1).data;
cure.style.background="rgba("+color[0]+','+color[1]+','+color[2]+','+color[3]/255+")";
config.color="rgba("+color[0]+','+color[1]+','+color[2]+','+color[3]/255+")";
}
this.getStarPosition=function(offset){
position[offset]=event.touches[0].pageX;
position[offset+1]=event.touches[0].pageY;
}
this.getPosition=function(){
position[2]=event.changedTouches[0].pageX;
position[3]=event.changedTouches[0].pageY;
}
this.clear=function(val){//---清除最后操作
if(val==0){
canvas.clearRect(0,0,config.size[0],config.size[1]);
}
else if(true){//----清除所有操作和记录
config.stage='null';
config.stage=[];
canvas.clearRect(0,0,config.size[0],config.size[1]);
config.pointer=-1;
drawTable.createImg();
}
}
this.cure=function(){//---回复上一步
if(config.pointer>=1){
config.dot[2]=0;
config.img_tmp = new Image();
config.img_tmp.src=config.stage[config.pointer-1];
config.img_tmp.onload=function(){//---加载完成再清除不会出现闪烁
drawTable.clear(0);//---清空,不改变记录
canvas.drawImage(config.img_tmp,0,0);//---加载上一步
}
config.pointer--;//--指针减一
}
}
this.createImg=function(){//---canvas生成base64码
//---64码保存在数组中,指针指向当前画面
if(config.pointer>=config.cure_len-1){//---超出长度就清除最前面的操作,再最后追加最新操作
for(var i=0;i<config.cure_len-1;i++){
config.stage[i]=config.stage[i+1];
}
}
if(config.pointer<config.cure_len-1){//--指针后移
config.pointer++;
}
config.stage[config.pointer]=canvas_View.toDataURL();
}
this.download=function(){//-----下载图片
var a=document.createElement('a');
a.href=config.stage[config.pointer].replace('png','octet-stream');
a.download="save.png";
a.click();
}
}
{//---所有初始化操作
drawTable = new operate();//---初始化功能函数
drawTable.createImg();//---第一个图片保存
canvas.lineWidth=3;
canvas.font='normal '+config.fontSize+'px 微软雅黑';
} | DFFXT/DFFXT.github.io | canvas/css_js/main.js | JavaScript | gpl-3.0 | 13,453 |
/**
* 支持ArcGIS Online地图
*/
max.Layer.AGSTileLayer = function (serviceUrl) {
this.serviceUrl = serviceUrl;
this._imageList = [];
this.cors=false;
this.fullExtent = new max.Extent({
xmin:-20037508.3427892,
ymin:-20037508.3427892,
xmax:20037508.3427892,
ymax:20037508.3427892
});
this.originPoint = {
x:-20037508.3427892,
y:20037508.3427892
}
this.picWidth = 256;
this.picHeight = 256;
this.wkid = 102100;
this.resolutions = [1591657527.591555,78271.51696402031, 39135.75848201016, 19567.87924100508, 9783.939620502539, 4891.96981025127, 2445.984905125635, 1222.992452562817, 611.4962262814087, 305.7481131407043, 152.8740565703522, 76.43702828517608, 38.21851414258804, 19.10925707129402, 9.554628535647009];
this.init();
}
max.Layer.AGSTileLayer.prototype = new max.Layer.TileLayer();
max.Layer.AGSTileLayer.prototype._updateImageList = function (rule) {
this._imageList = [];
for (var i = rule.lmin; i <= rule.lmax; ++i) {
for (var j = rule.dmin; j <= rule.dmax; ++j) {
if(this.serviceUrl[this.serviceUrl.length-1]!=="/"){
this.serviceUrl+="/";
}
var url = this.serviceUrl+"tile/"+(rule.z-1)+"/"+j+"/"+i;
var xmin = i * this.picWidth * rule.resolution + this.originPoint.x;
var ymax = this.originPoint.y-j * this.picHeight * rule.resolution;
for (var k in this._imageList) {
var _image = this._imageList[k];
if (_image.url === url) {
break;
}
}
var image = new max.Layer._TitleImage(url, this, i, j, rule.z, xmin, ymax);
this._imageList.push(image);
}
}
return this._imageList;
} | Maxgis/maxCanvasMap | src/Layer/AGSTileLayer.js | JavaScript | gpl-3.0 | 1,811 |
// Copyright 2015-2022, University of Colorado Boulder
/**
* Class that represents messenger ribonucleic acid, or mRNA, in the model. This class is fairly complex, due to the
* need for mRNA to wind up and unwind as it is transcribed, translated, and destroyed.
*
* @author John Blanco
* @author Mohamed Safi
* @author Aadish Gupta
*/
import BooleanProperty from '../../../../axon/js/BooleanProperty.js';
import Vector2 from '../../../../dot/js/Vector2.js';
import { Shape } from '../../../../kite/js/imports.js';
import geneExpressionEssentials from '../../geneExpressionEssentials.js';
import GEEConstants from '../GEEConstants.js';
import MessengerRnaAttachmentStateMachine from './attachment-state-machines/MessengerRnaAttachmentStateMachine.js';
import AttachmentSite from './AttachmentSite.js';
import FlatSegment from './FlatSegment.js';
import MessengerRnaDestroyer from './MessengerRnaDestroyer.js';
import PlacementHint from './PlacementHint.js';
import Ribosome from './Ribosome.js';
import WindingBiomolecule from './WindingBiomolecule.js';
// constants
const RIBOSOME_CONNECTION_DISTANCE = 400; // picometers - distance within which this will connect to a ribosome
const MRNA_DESTROYER_CONNECT_DISTANCE = 400; // picometers - Distance within which this will connect to a mRNA destroyer
const INITIAL_MRNA_SHAPE = Shape.circle( 0, 0, 0.1 ); // tiny circle until the strand starts to grow
const MIN_LENGTH_TO_ATTACH = 75; // picometers - min length before attachments are allowed
class MessengerRna extends WindingBiomolecule {
/**
* Constructor. This creates the mRNA as a single point, with the intention of growing it.
*
* @param {GeneExpressionModel} model
* @param {Protein} proteinPrototype
* @param {Vector2} position
* @param {Object} [options]
*/
constructor( model, proteinPrototype, position, options ) {
super( model, INITIAL_MRNA_SHAPE, position, options );
// @private {Object} - object that maps from ribosomes to the shape segment to which they are attached
this.mapRibosomeToShapeSegment = {};
// @public {BooleanProperty} - externally visible indicator for whether this mRNA is being synthesized, assumes that
// it is being synthesized when initially created
this.beingSynthesizedProperty = new BooleanProperty( true ); //@public
// @private - protein prototype, used to keep track of protein that should be synthesized from this particular
// strand of mRNA
this.proteinPrototype = proteinPrototype;
// @private - local reference to the non-generic state machine used by this molecule
this.mRnaAttachmentStateMachine = this.attachmentStateMachine;
// @private - mRNA destroyer that is destroying this mRNA. Null until and unless destruction has begun.
this.messengerRnaDestroyer = null;
// @private - Shape segment where the mRNA destroyer is connected. This is null until destruction has begun.
this.segmentBeingDestroyed = null;
// @private {AttachmentSite} - site where ribosomes or mRNA destroyers can attach
this.attachmentSite = new AttachmentSite( this, new Vector2( 0, 0 ), 1 );
// set the initial position
this.setPosition( position );
// Add the first segment to the shape segment list. This segment will contain the "leader" for the mRNA.
const segment = new FlatSegment( this, Vector2.ZERO );
segment.setCapacity( GEEConstants.LEADER_LENGTH );
this.shapeSegments.push( segment );
// Add the placement hints for the positions where the user can attach a ribosome or an mRNA destroyer.
const ribosome = new Ribosome( model );
this.ribosomePlacementHint = new PlacementHint( ribosome ); //@public(read-only)
this.mRnaDestroyerPlacementHint = new PlacementHint( new MessengerRnaDestroyer( model ) ); //@public(read-only)
const updateHintPositions = shape => {
// All hints always sit at the beginning of the RNA strand and are positioned relative to its center.
const strandStartPosition = new Vector2( shape.bounds.minX, shape.bounds.maxY );
this.ribosomePlacementHint.setPosition( strandStartPosition.minus( ribosome.offsetToTranslationChannelEntrance ) );
this.mRnaDestroyerPlacementHint.setPosition( strandStartPosition );
};
this.shapeProperty.link( updateHintPositions );
// update the attachment site position when the mRNA moves or changes shape
const attachmentSitePositionUpdater = this.updateAttachmentSitePosition.bind( this );
this.positionProperty.link( attachmentSitePositionUpdater );
this.shapeProperty.link( attachmentSitePositionUpdater );
this.disposeMessengerRna = function() {
this.shapeProperty.unlink( updateHintPositions );
this.shapeProperty.unlink( attachmentSitePositionUpdater );
this.positionProperty.unlink( attachmentSitePositionUpdater );
};
}
/**
* @public
*/
dispose() {
this.mapRibosomeToShapeSegment = null;
this.disposeMessengerRna();
super.dispose();
}
/**
* Command this mRNA strand to fade away when it has become fully formed. This was created for use in the 2nd
* screen, where mRNA is never translated once it is produced.
* @param {boolean} fadeAwayWhenFormed
* @public
*/
setFadeAwayWhenFormed( fadeAwayWhenFormed ) {
// Just pass this through to the state machine.
this.mRnaAttachmentStateMachine.setFadeAwayWhenFormed( fadeAwayWhenFormed );
}
/**
* Advance the translation of the mRNA through the given ribosome by the specified length. The given ribosome must
* already be attached to the mRNA.
* @param {Ribosome} ribosome - The ribosome by which the mRNA is being translated.
* @param {number} length - The amount of mRNA to move through the translation channel.
* @returns - true if the mRNA is completely through the channel, indicating, that transcription is complete, and false
* if not.
* @public
*/
advanceTranslation( ribosome, length ) {
const segmentToAdvance = this.mapRibosomeToShapeSegment[ ribosome.id ];
// Error checking.
assert && assert( segmentToAdvance !== null ); // Should never happen, since it means that the ribosome isn't attached.
// Advance the translation by advancing the position of the mRNA in the segment that corresponds to the translation
// channel of the ribosome.
segmentToAdvance.advance( length, this, this.shapeSegments );
// Realign the segments, since they may well have changed shape.
if ( this.shapeSegments.indexOf( segmentToAdvance ) !== -1 ) {
this.realignSegmentsFrom( segmentToAdvance );
this.recenter();
}
// Since the sizes and relationships of the segments probably changed, the winding algorithm needs to be rerun.
this.windPointsThroughSegments();
// If there is anything left in this segment, then transcription is not yet complete.
return segmentToAdvance.getContainedLength() <= 0;
}
/**
* Advance the destruction of the mRNA by the specified length. This pulls the strand into the lead segment much like
* translation does, but does not move the points into new segment, it just gets rid of them.
* @param {number} length
* @returns {boolean}
* @public
*/
advanceDestruction( length ) {
// Error checking.
assert && assert(
this.segmentBeingDestroyed !== null,
'error - attempt to advance the destruction of mRNA that has no content left'
);
// Advance the destruction by reducing the length of the mRNA.
this.reduceLength( length );
// Realign the segments, since they may well have changed shape.
if ( this.shapeSegments.indexOf( this.segmentBeingDestroyed ) !== -1 ) {
this.realignSegmentsFrom( this.segmentBeingDestroyed );
}
if ( this.shapeSegments.length > 0 ) {
// Since the sizes and relationships of the segments probably changed, the winding algorithm needs to be rerun.
this.windPointsThroughSegments();
}
// If there is any length left, then the destruction is not yet complete. This is a quick way to test this.
return this.firstShapeDefiningPoint === this.lastShapeDefiningPoint;
}
/**
* Reduce the length of the mRNA. This handles both the shape segments and the shape-defining points.
* @param {number} reductionAmount
* @private
*/
reduceLength( reductionAmount ) {
if ( reductionAmount >= this.getLength() ) {
// Reduce length to be zero.
this.lastShapeDefiningPoint = this.firstShapeDefiningPoint;
this.lastShapeDefiningPoint.setNextPoint( null );
this.shapeSegments.length = 0;
}
else {
// Remove the length from the shape segments.
this.segmentBeingDestroyed.advanceAndRemove( reductionAmount, this, this.shapeSegments );
// Remove the length from the shape defining points.
for ( let amountRemoved = 0; amountRemoved < reductionAmount; ) {
if ( this.lastShapeDefiningPoint.getTargetDistanceToPreviousPoint() <= reductionAmount - amountRemoved ) {
// Remove the last point from the list.
amountRemoved += this.lastShapeDefiningPoint.getTargetDistanceToPreviousPoint();
this.lastShapeDefiningPoint = this.lastShapeDefiningPoint.getPreviousPoint();
this.lastShapeDefiningPoint.setNextPoint( null );
}
else {
// Reduce the distance of the last point from the previous point.
this.lastShapeDefiningPoint.setTargetDistanceToPreviousPoint( this.lastShapeDefiningPoint.getTargetDistanceToPreviousPoint() - ( reductionAmount - amountRemoved ) );
amountRemoved = reductionAmount;
}
}
}
}
/**
* @private
*/
updateAttachmentSitePosition() {
if ( this.shapeSegments.length > 0 ) {
const leadingShapeSegment = this.shapeSegments[ 0 ];
this.attachmentSite.positionProperty.set( new Vector2(
this.positionProperty.get().x + leadingShapeSegment.bounds.minX,
this.positionProperty.get().y + leadingShapeSegment.bounds.minY
) );
}
else {
this.attachmentSite.positionProperty.set( this.positionProperty.get() );
}
}
/**
* Create a new version of the protein that should result when this strand of mRNA is translated.
* @returns {Protein}
* @public
*/
getProteinPrototype() {
return this.proteinPrototype;
}
/**
* Get the point in model space where the entrance of the given ribosome's translation channel should be in order to
* be correctly attached to this strand of messenger RNA. This allows the ribosome to "follow" the mRNA if it is
* moving or changing shape.
* @param {Ribosome} ribosome
* @returns {Vector2}
* @public
*/
getRibosomeGenerateInitialPosition3D( ribosome ) {
assert && assert(
this.mapRibosomeToShapeSegment[ ribosome.id ],
'attempt made to get attachment position for unattached ribosome'
);
let generateInitialPosition3D;
const mRnaPosition = this.positionProperty.get();
const segment = this.mapRibosomeToShapeSegment[ ribosome.id ];
let segmentCornerPosition;
if ( this.getPreviousShapeSegment( segment ) === null ) {
// There is no previous segment, which means that the segment to which this ribosome is attached is the leader
// segment. The attachment point is thus the leader length from its rightmost edge.
segmentCornerPosition = segment.getLowerRightCornerPosition();
generateInitialPosition3D = mRnaPosition.plusXY(
segmentCornerPosition.x - GEEConstants.LEADER_LENGTH,
segmentCornerPosition.y
);
}
else {
// The segment has filled up the channel, so calculate the position based on its left edge.
segmentCornerPosition = segment.getUpperLeftCornerPosition();
generateInitialPosition3D = mRnaPosition.plusXY(
segmentCornerPosition.x + ribosome.getTranslationChannelLength(),
segmentCornerPosition.y
);
}
return generateInitialPosition3D;
}
/**
* Release this mRNA from a ribosome. If this is the only ribosome to which the mRNA is connected, the mRNA will
* start wandering.
* @param {Ribosome} ribosome
* @public
*/
releaseFromRibosome( ribosome ) {
delete this.mapRibosomeToShapeSegment[ ribosome.id ];
if ( _.keys( this.mapRibosomeToShapeSegment ).length === 0 ) {
this.mRnaAttachmentStateMachine.allRibosomesDetached();
}
}
/**
* Release this mRNA from the polymerase which is, presumably, transcribing it.
* @public
*/
releaseFromPolymerase() {
this.mRnaAttachmentStateMachine.detach();
}
/**
* This override checks to see if the mRNA is about to be translated and destroyed and, if so, aborts those
* operations. If translation or destruction are in progress, nothing is done, since those can't be stopped once
* they've started.
* @override
* @public
*/
handleGrabbedByUser() {
const attachedOrAttachingMolecule = this.attachmentSite.attachedOrAttachingMoleculeProperty.get();
if ( attachedOrAttachingMolecule instanceof Ribosome ) {
// if a ribosome is moving towards this mRNA strand but translation hasn't started, call off the wedding
if ( !attachedOrAttachingMolecule.isTranslating() ) {
attachedOrAttachingMolecule.cancelTranslation();
this.releaseFromRibosome( attachedOrAttachingMolecule );
this.attachmentStateMachine.forceImmediateUnattachedAndAvailable();
}
}
else if ( attachedOrAttachingMolecule instanceof MessengerRnaDestroyer ) {
// state checking
assert && assert(
this.messengerRnaDestroyer === attachedOrAttachingMolecule,
'something isn\t right - the destroyer for the attachment site doesn\'t match the expected reference'
);
// if an mRNA destroyer is moving towards this mRNA strand but translation hasn't started, call off the wedding
if ( !this.isDestructionInProgress() ) {
attachedOrAttachingMolecule.cancelMessengerRnaDestruction();
this.messengerRnaDestroyer = null;
this.attachmentStateMachine.forceImmediateUnattachedAndAvailable();
}
}
}
/**
* Activate the placement hint(s) as appropriate for the given biomolecule.
* @param {MobileBiomolecule} biomolecule - instance of the type of biomolecule for which any matching hints
* should be activated.
* @public
*/
activateHints( biomolecule ) {
this.ribosomePlacementHint.activateIfMatch( biomolecule );
this.mRnaDestroyerPlacementHint.activateIfMatch( biomolecule );
}
/**
* Deactivate placement hints for all biomolecules
* @public
*/
deactivateAllHints() {
this.ribosomePlacementHint.activeProperty.set( false );
this.mRnaDestroyerPlacementHint.activeProperty.set( false );
}
/**
* Initiate the translation process by setting up the segments as needed. This should only be called after a ribosome
* that was moving to attach with this mRNA arrives at the attachment point.
* @param {Ribosome} ribosome
* @public
*/
initiateTranslation( ribosome ) {
assert && assert( this.mapRibosomeToShapeSegment[ ribosome.id ] ); // State checking.
// Set the capacity of the first segment to the size of the channel through which it will be pulled plus the
// leader length.
const firstShapeSegment = this.shapeSegments[ 0 ];
assert && assert( firstShapeSegment.isFlat() );
firstShapeSegment.setCapacity( ribosome.getTranslationChannelLength() + GEEConstants.LEADER_LENGTH );
}
/**
* Initiate the destruction of this mRNA strand by setting up the segments as needed. This should only be called
* after an mRNA destroyer has attached to the front of the mRNA strand. Once initiated, destruction cannot be stopped.
* @param {MessengerRnaDestroyer} messengerRnaDestroyer
* @public
*/
initiateDestruction( messengerRnaDestroyer ) {
assert && assert( this.messengerRnaDestroyer === messengerRnaDestroyer ); // Shouldn't get this from unattached destroyers.
// Set the capacity of the first segment to the size of the channel through which it will be pulled plus the leader length.
this.segmentBeingDestroyed = this.shapeSegments[ 0 ];
assert && assert( this.segmentBeingDestroyed.isFlat() );
this.segmentBeingDestroyed.setCapacity(
this.messengerRnaDestroyer.getDestructionChannelLength() + GEEConstants.LEADER_LENGTH
);
}
/**
* returns true if destruction has started, false if not - note that destruction must actually have started, and
* the state where an mRNA destroyer is moving towards the mRNA doesn't count
* @private
*/
isDestructionInProgress() {
return this.segmentBeingDestroyed !== null;
}
/**
* Get the proportion of the entire mRNA that has been translated by the given ribosome.
* @param {Ribosome} ribosome
* @returns {number}
* @public
*/
getProportionOfRnaTranslated( ribosome ) {
const translatedLength = this.getLengthOfRnaTranslated( ribosome );
return Math.max( translatedLength / this.getLength(), 0 );
}
/**
* Get the length of the mRNA that has been translated by the given ribosome.
* @param {Ribosome} ribosome
* @returns {number}
* @public
*/
getLengthOfRnaTranslated( ribosome ) {
assert && assert( this.mapRibosomeToShapeSegment[ ribosome.id ] ); // Makes no sense if ribosome isn't attached.
let translatedLength = 0;
const segmentInRibosomeChannel = this.mapRibosomeToShapeSegment[ ribosome.id ];
assert && assert( segmentInRibosomeChannel.isFlat() ); // Make sure things are as we expect.
// Add the length for each segment that precedes this ribosome.
for ( let i = 0; i < this.shapeSegments.length; i++ ) {
const shapeSegment = this.shapeSegments[ i ];
if ( shapeSegment === segmentInRibosomeChannel ) {
break;
}
translatedLength += shapeSegment.getContainedLength();
}
// Add the length for the segment that is inside the translation channel of this ribosome.
translatedLength += segmentInRibosomeChannel.getContainedLength() -
( segmentInRibosomeChannel.getLowerRightCornerPosition().x -
segmentInRibosomeChannel.attachmentSite.positionProperty.get().x );
return translatedLength;
}
/**
* returns true if this messenger RNA is in a state where attachments can occur
* @returns {boolean}
* @private
*/
attachmentAllowed() {
// For an attachment proposal to be considered, the mRNA can't be controlled by the user, too short, or in the
// process of being destroyed.
return !this.userControlledProperty.get() &&
this.getLength() >= MIN_LENGTH_TO_ATTACH &&
this.messengerRnaDestroyer === null;
}
/**
* Consider proposal from ribosome, and, if the proposal is accepted, return the attachment position
* @param {Ribosome} ribosome
* @returns {AttachmentSite}
* @public
*/
considerProposalFromRibosome( ribosome ) {
assert && assert( !this.mapRibosomeToShapeSegment[ ribosome.id ] ); // Shouldn't get redundant proposals from a ribosome.
let returnValue = null;
if ( this.attachmentAllowed() ) {
// See if the attachment site at the leading edge of the mRNA is available and close by.
if ( this.attachmentSite.attachedOrAttachingMoleculeProperty.get() === null &&
this.attachmentSite.positionProperty.get().distance( ribosome.getEntranceOfRnaChannelPosition() ) < RIBOSOME_CONNECTION_DISTANCE ) {
// This attachment site is in range and available.
returnValue = this.attachmentSite;
// Update the attachment state machine.
this.mRnaAttachmentStateMachine.attachedToRibosome();
// Enter this connection in the map.
this.mapRibosomeToShapeSegment[ ribosome.id ] = this.shapeSegments[ 0 ];
}
}
return returnValue;
}
/**
* Consider proposal from mRnaDestroyer and if it can attach return the attachment position
* @param {MessengerRnaDestroyer} messengerRnaDestroyer
* @returns {AttachmentSite}
* @public
*/
considerProposalFromMessengerRnaDestroyer( messengerRnaDestroyer ) {
assert && assert( this.messengerRnaDestroyer !== messengerRnaDestroyer ); // Shouldn't get redundant proposals from same destroyer.
let returnValue = null;
if ( this.attachmentAllowed() ) {
// See if the attachment site at the leading edge of the mRNA is available and close by.
if ( this.attachmentSite.attachedOrAttachingMoleculeProperty.get() === null &&
this.attachmentSite.positionProperty.get().distance( messengerRnaDestroyer.getPosition() ) <
MRNA_DESTROYER_CONNECT_DISTANCE ) {
// This attachment site is in range and available.
returnValue = this.attachmentSite;
// Update the attachment state machine.
this.mRnaAttachmentStateMachine.attachToDestroyer();
// Keep track of the destroyer.
this.messengerRnaDestroyer = messengerRnaDestroyer;
}
}
return returnValue;
}
/**
* Aborts the destruction process, used if the mRNA destroyer was on its way to the mRNA but the user picked up
* once of the two biomolecules before destruction started.
* @public
*/
abortDestruction() {
this.messengerRnaDestroyer = null;
this.attachmentStateMachine.forceImmediateUnattachedAndAvailable();
}
/**
* @override
* @returns {MessengerRnaAttachmentStateMachine}
* @public
*/
createAttachmentStateMachine() {
return new MessengerRnaAttachmentStateMachine( this );
}
/**
* Get the point in model space where the entrance of the given destroyer's translation channel should be in order to
* be correctly attached to this strand of messenger RNA.
* @returns {Vector2}
* @public
*/
getDestroyerGenerateInitialPosition3D() {
// state checking - shouldn't be called before this is set
assert && assert( this.segmentBeingDestroyed !== null );
// the attachment position is at the right most side of the segment minus the leader length
return this.attachmentSite.positionProperty.get();
}
}
geneExpressionEssentials.register( 'MessengerRna', MessengerRna );
export default MessengerRna;
| phetsims/gene-expression-essentials | js/common/model/MessengerRna.js | JavaScript | gpl-3.0 | 22,291 |
'use strict';
/**
* Module dependencies
*/
var path = require('path'),
config = require(path.resolve('./config/config'));
/**
* Quiz module init function.
*/
module.exports = function (app, db) {
};
| AnnaGenev/pokeapp-meanjs | modules/quiz/server/config/quiz.server.config.js | JavaScript | gpl-3.0 | 208 |
(function($){
$.fn.MKNotification = function(mknOptions){
var mkn = $.extend({
'MKMessage' : 'Default Message!',
'MKDelay' : 'None',
'MKIcon' : 'None',
'MKSound' : 'None'
},mknOptions);
var docHeight = $(document).height();
return this.each(function(index, element){
if(mkn.MKIcon=="None"){
var MKNotificationIcon = "";
}else{
var MKNotificationIcon = '<div id="MKNotificationIcon"><img src="'+mkn.MKIcon+'"></div>';
}
if(mkn.MKSound!="None"){
function MKSound(){
var audioElement = document.createElement('audio');
audioElement.setAttribute('src', mkn.MKSound);
audioElement.setAttribute('autoplay', 'autoplay');
$.get();
audioElement.addEventListener("load", function() {
audioElement.play();
}, true);
}
}
if(mkn.MKDelay=="None"){
var MKNotificationShow = $('body').append('<div id="MKNotification"><div class="MKNotification"><div id="MKNotificationText">'+MKNotificationIcon+mkn.MKMessage+'</div></div></div>');
$('body').find("#MKNotification").hide().slideDown(200);
MKSound();
}else {
var MKNotificationShow = $('body').append('<div id="MKNotification"><div class="MKNotification"><div id="MKNotificationText">'+MKNotificationIcon+mkn.MKMessage+'</div></div></div>');
$('body').find("#MKNotification").hide().slideDown(200);
MKSound();
setTimeout(function(){
$('body').find("#MKNotification").slideUp(200, function() { $(this).remove(); } );
}, mkn.MKDelay);
}
});
}
})(jQuery);
| mustafakucuk/MKNotification | MKNotification.js | JavaScript | gpl-3.0 | 1,750 |
/*
* Copyright 2014 REI Systems, Inc.
*
* This file is part of GovDashboard.
*
* GovDashboard is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* GovDashboard is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with GovDashboard. If not, see <http://www.gnu.org/licenses/>.
*/
(function(global,$,undefined) {
if ( typeof $ === 'undefined' ) {
throw new Error('Ext requires jQuery');
}
if ( typeof global.GD === 'undefined' ) {
throw new Error('Ext requires GD');
}
var GD = global.GD;
var DashboardSection = GD.Section.extend({
routes: ['/cp/dashboard'],
name: 'dashboard',
title: 'Dashboards',
init: function ( options ) {
this._super(options);
},
getDefaultRoute: function () {
return this.routes[0];
},
dispatch: function ( request ) {
this._super(request);
var _this = this;
if ( !this.dispatched ) {
$.each(this.routes,function(i,route){
var routeMatcher = new RegExp(route.replace(/:[^\s/]+/g, '([\\w-]+)'));
var match = request.match(routeMatcher);
if ( match ) {
_this.setActive();
_this.dispatched = true;
if ( request == _this.routes[0] ) {
_this.renderIndex();
}
return false;
}
});
}
},
renderIndex: function () {
this.messaging = new GD.MessagingView('#gd-admin-messages');
this.layoutHeader.find('.gd-section-header-left').append('<h1>Dashboard Management</h1>');
var View = new GD.DashboardListView(null, this.layoutBody, { 'section':this });
View.render();
var _this = this;
GD.DashboardFactory.getDashboardList(GovdashAdmin.getActiveDatasourceName(), function ( data ) {
View.loadData(data);
}, function(jqXHR, textStatus, errorThrown) {
_this.messaging.addErrors(jqXHR.responseText);
_this.messaging.displayMessages();
$("html, body").animate({ scrollTop: 0 }, "slow");
});
}
});
// add to global space
global.GD.DashboardSection = DashboardSection;
})(typeof window === 'undefined' ? this : window, jQuery); | REI-Systems/GovDashboard-Community | webapp/sites/all/modules/custom/dashboard/admin/js/DashboardSection.js | JavaScript | gpl-3.0 | 2,933 |
apex.region('emp').widget().interactiveGrid('getToolbar');
/**
* Call this method when the size of the widget element changes. This can happen if the browser window
* changes for example. This will resize the current view.
* Note: Most of the time it is not necessary to call this method as Interactive Grid detects when its
* size changes.
*/
apex.region('emp').widget().interactiveGrid('resize');
/**
* Cause the Interactive Grid to get fresh data from the server.
* A warning is given if the model has any outstanding changes and the user can choose to allow the refresh or not.
*
* @param {Object} [pOptions] tbd/todo
*/
apex.region('emp').widget().interactiveGrid('refresh');
apex.region('emp').refresh();
/**
* Put focus in the cell (or field etc.) given by pRecordId and pColumn. This is used to focus rows or cells
* that have errors. This will switch to the "editable" view.
* This delegates to the view. Not all views will support going to a cell.
*
* @param {String} [pModelInstanceId] model instance id. only needed if using multiple models such as in master
* detail and the model has not already been set correctly by the master.
* @param {String} pRecordId the record id of the row to go to.
* @param {String} [pColumn] column in the record row to go to.
*/
apex.region('emp').widget().interactiveGrid('gotoCell');
/**
* Returns the actions context for this Interactive Grid instance
* @return {apex.actions} the actions context
* @example
* apex.region("emp").widget().interactiveGrid("getActions").invoke("save");
*/
apex.region('emp').widget().interactiveGrid('getActions');
/**
* Returns the toolbar widget element.
*
* @return {jQuery} jQuery object of the interactive grid toolbar or null if there is no toolbar
*/
apex.region('emp').widget().interactiveGrid('getToolbar');
/**
* Return the underlying data model records corresponding to the current selection in the current view.
* Use the apex.model API to manipulate these records. Make sure you are using the model for the current
* view for example: apex.region(<static-id>).widget().interactiveGrid("getCurrentView").model
*
* Note: Depending on the view and the submitSelectedRows option the selected records returned could
* span multiple pages. To get just the records that are selected in the current page requires
* using view widget specific methods.
*
* @return {Array} array of records from the model corresponding to the selected rows/records
* Returns empty array if there is no selection. Returns null if the current view doesn't support
* selection.
*/
apex.region('emp').widget().interactiveGrid('getSelectedRecords');
/**
* Set the current selection to the records specified. Only applies for views that support selection.
*
* Note that the records or record ids given may not yet exist in the model or may not be visible in the view.
*
* @param [array] pRecords an array of model records or an array of model record ids as returned by model
* getRecordId. If this is an empty array then the selection is cleared.
*/
apex.region('emp').widget().interactiveGrid('setSelectedRecords');
/**
* Return the Interactive Grid view interface for the given view id or if not view id is given return a
* map of all the view interfaces.
*
* @param {string} [pViewId] Id of the view to get. For example "grid" or "chart".
* @return {object} View interface.
*/
apex.region('emp').widget().interactiveGrid('getViews');
apex.region('emp').widget().interactiveGrid('getCurrentView');
apex.region('emp').widget().interactiveGrid('getCurrentViewId');
/**
* Sets focus to the search field if present, and if not delegates to the current view's focus handling.
*/
apex.region('emp').widget().interactiveGrid('focus');
| mgoricki/orclapex-ig-cheat-sheet | ig_methods.js | JavaScript | gpl-3.0 | 3,779 |
// Compiled by ClojureScript 1.9.293 {:static-fns true, :optimize-constants true}
goog.provide('thi.ng.dstruct.streams');
goog.require('cljs.core');
goog.require('thi.ng.xerror.core');
/**
* @interface
*/
thi.ng.dstruct.streams.IInputStream = function(){};
thi.ng.dstruct.streams.read_utf8_line = (function thi$ng$dstruct$streams$read_utf8_line(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_utf8_line$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_utf8_line$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_utf8_line[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_utf8_line["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-utf8-line",_);
}
}
}
});
thi.ng.dstruct.streams.read_uint8 = (function thi$ng$dstruct$streams$read_uint8(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_uint8$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_uint8$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_uint8[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_uint8["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-uint8",_);
}
}
}
});
thi.ng.dstruct.streams.read_uint16_le = (function thi$ng$dstruct$streams$read_uint16_le(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_uint16_le$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_uint16_le$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_uint16_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_uint16_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-uint16-le",_);
}
}
}
});
thi.ng.dstruct.streams.read_uint16_be = (function thi$ng$dstruct$streams$read_uint16_be(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_uint16_be$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_uint16_be$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_uint16_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_uint16_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-uint16-be",_);
}
}
}
});
thi.ng.dstruct.streams.read_uint32_le = (function thi$ng$dstruct$streams$read_uint32_le(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_uint32_le$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_uint32_le$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_uint32_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_uint32_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-uint32-le",_);
}
}
}
});
thi.ng.dstruct.streams.read_uint32_be = (function thi$ng$dstruct$streams$read_uint32_be(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_uint32_be$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_uint32_be$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_uint32_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_uint32_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-uint32-be",_);
}
}
}
});
thi.ng.dstruct.streams.read_float_le = (function thi$ng$dstruct$streams$read_float_le(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_float_le$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_float_le$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_float_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_float_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-float-le",_);
}
}
}
});
thi.ng.dstruct.streams.read_float_be = (function thi$ng$dstruct$streams$read_float_be(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_float_be$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_float_be$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_float_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_float_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-float-be",_);
}
}
}
});
thi.ng.dstruct.streams.read_double_le = (function thi$ng$dstruct$streams$read_double_le(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_double_le$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_double_le$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_double_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_double_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-double-le",_);
}
}
}
});
thi.ng.dstruct.streams.read_double_be = (function thi$ng$dstruct$streams$read_double_be(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_double_be$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_double_be$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_double_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_double_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-double-be",_);
}
}
}
});
thi.ng.dstruct.streams.read_vec2f_le = (function thi$ng$dstruct$streams$read_vec2f_le(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_vec2f_le$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_vec2f_le$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_vec2f_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_vec2f_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-vec2f-le",_);
}
}
}
});
thi.ng.dstruct.streams.read_vec2f_be = (function thi$ng$dstruct$streams$read_vec2f_be(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_vec2f_be$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_vec2f_be$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_vec2f_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_vec2f_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-vec2f-be",_);
}
}
}
});
thi.ng.dstruct.streams.read_vec3f_le = (function thi$ng$dstruct$streams$read_vec3f_le(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_vec3f_le$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_vec3f_le$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_vec3f_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_vec3f_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-vec3f-le",_);
}
}
}
});
thi.ng.dstruct.streams.read_vec3f_be = (function thi$ng$dstruct$streams$read_vec3f_be(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IInputStream$read_vec3f_be$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IInputStream$read_vec3f_be$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.read_vec3f_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.read_vec3f_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IInputStream.read-vec3f-be",_);
}
}
}
});
/**
* @interface
*/
thi.ng.dstruct.streams.IOutputStream = function(){};
thi.ng.dstruct.streams.write_utf8_bytes = (function thi$ng$dstruct$streams$write_utf8_bytes(_,str){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_utf8_bytes$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_utf8_bytes$arity$2(_,str);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_utf8_bytes[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,str) : m__8103__auto__.call(null,_,str));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_utf8_bytes["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,str) : m__8103__auto____$1.call(null,_,str));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-utf8-bytes",_);
}
}
}
});
thi.ng.dstruct.streams.write_uint8 = (function thi$ng$dstruct$streams$write_uint8(_,x){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_uint8$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_uint8$arity$2(_,x);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_uint8[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto__.call(null,_,x));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_uint8["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto____$1.call(null,_,x));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-uint8",_);
}
}
}
});
thi.ng.dstruct.streams.write_uint16_le = (function thi$ng$dstruct$streams$write_uint16_le(_,x){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_uint16_le$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_uint16_le$arity$2(_,x);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_uint16_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto__.call(null,_,x));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_uint16_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto____$1.call(null,_,x));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-uint16-le",_);
}
}
}
});
thi.ng.dstruct.streams.write_uint16_be = (function thi$ng$dstruct$streams$write_uint16_be(_,x){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_uint16_be$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_uint16_be$arity$2(_,x);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_uint16_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto__.call(null,_,x));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_uint16_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto____$1.call(null,_,x));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-uint16-be",_);
}
}
}
});
thi.ng.dstruct.streams.write_uint32_le = (function thi$ng$dstruct$streams$write_uint32_le(_,x){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_uint32_le$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_uint32_le$arity$2(_,x);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_uint32_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto__.call(null,_,x));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_uint32_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto____$1.call(null,_,x));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-uint32-le",_);
}
}
}
});
thi.ng.dstruct.streams.write_uint32_be = (function thi$ng$dstruct$streams$write_uint32_be(_,x){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_uint32_be$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_uint32_be$arity$2(_,x);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_uint32_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto__.call(null,_,x));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_uint32_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto____$1.call(null,_,x));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-uint32-be",_);
}
}
}
});
thi.ng.dstruct.streams.write_float_le = (function thi$ng$dstruct$streams$write_float_le(_,x){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_float_le$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_float_le$arity$2(_,x);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_float_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto__.call(null,_,x));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_float_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto____$1.call(null,_,x));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-float-le",_);
}
}
}
});
thi.ng.dstruct.streams.write_float_be = (function thi$ng$dstruct$streams$write_float_be(_,x){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_float_be$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_float_be$arity$2(_,x);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_float_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto__.call(null,_,x));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_float_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto____$1.call(null,_,x));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-float-be",_);
}
}
}
});
thi.ng.dstruct.streams.write_double_le = (function thi$ng$dstruct$streams$write_double_le(_,x){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_double_le$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_double_le$arity$2(_,x);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_double_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto__.call(null,_,x));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_double_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto____$1.call(null,_,x));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-double-le",_);
}
}
}
});
thi.ng.dstruct.streams.write_double_be = (function thi$ng$dstruct$streams$write_double_be(_,x){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_double_be$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_double_be$arity$2(_,x);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_double_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto__.call(null,_,x));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_double_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto____$1.call(null,_,x));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-double-be",_);
}
}
}
});
thi.ng.dstruct.streams.write_vec2f_le = (function thi$ng$dstruct$streams$write_vec2f_le(_,v){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_vec2f_le$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_vec2f_le$arity$2(_,v);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_vec2f_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,v) : m__8103__auto__.call(null,_,v));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_vec2f_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,v) : m__8103__auto____$1.call(null,_,v));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-vec2f-le",_);
}
}
}
});
thi.ng.dstruct.streams.write_vec2f_be = (function thi$ng$dstruct$streams$write_vec2f_be(_,v){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_vec2f_be$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_vec2f_be$arity$2(_,v);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_vec2f_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,v) : m__8103__auto__.call(null,_,v));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_vec2f_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,v) : m__8103__auto____$1.call(null,_,v));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-vec2f-be",_);
}
}
}
});
thi.ng.dstruct.streams.write_vec3f_le = (function thi$ng$dstruct$streams$write_vec3f_le(_,v){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_vec3f_le$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_vec3f_le$arity$2(_,v);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_vec3f_le[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,v) : m__8103__auto__.call(null,_,v));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_vec3f_le["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,v) : m__8103__auto____$1.call(null,_,v));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-vec3f-le",_);
}
}
}
});
thi.ng.dstruct.streams.write_vec3f_be = (function thi$ng$dstruct$streams$write_vec3f_be(_,v){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IOutputStream$write_vec3f_be$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IOutputStream$write_vec3f_be$arity$2(_,v);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.write_vec3f_be[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,v) : m__8103__auto__.call(null,_,v));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.write_vec3f_be["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,v) : m__8103__auto____$1.call(null,_,v));
} else {
throw cljs.core.missing_protocol("IOutputStream.write-vec3f-be",_);
}
}
}
});
/**
* @interface
*/
thi.ng.dstruct.streams.IStreamPosition = function(){};
thi.ng.dstruct.streams.skip = (function thi$ng$dstruct$streams$skip(_,x){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IStreamPosition$skip$arity$2 == null)))){
return _.thi$ng$dstruct$streams$IStreamPosition$skip$arity$2(_,x);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.skip[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto__.call(null,_,x));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.skip["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$2(_,x) : m__8103__auto____$1.call(null,_,x));
} else {
throw cljs.core.missing_protocol("IStreamPosition.skip",_);
}
}
}
});
thi.ng.dstruct.streams.get_position = (function thi$ng$dstruct$streams$get_position(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IStreamPosition$get_position$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IStreamPosition$get_position$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.get_position[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.get_position["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IStreamPosition.get-position",_);
}
}
}
});
/**
* @interface
*/
thi.ng.dstruct.streams.IBuffer = function(){};
thi.ng.dstruct.streams.get_byte_buffer = (function thi$ng$dstruct$streams$get_byte_buffer(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IBuffer$get_byte_buffer$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IBuffer$get_byte_buffer$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.get_byte_buffer[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.get_byte_buffer["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IBuffer.get-byte-buffer",_);
}
}
}
});
thi.ng.dstruct.streams.get_float_buffer = (function thi$ng$dstruct$streams$get_float_buffer(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IBuffer$get_float_buffer$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IBuffer$get_float_buffer$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.get_float_buffer[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.get_float_buffer["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IBuffer.get-float-buffer",_);
}
}
}
});
thi.ng.dstruct.streams.get_double_buffer = (function thi$ng$dstruct$streams$get_double_buffer(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IBuffer$get_double_buffer$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IBuffer$get_double_buffer$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.get_double_buffer[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.get_double_buffer["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IBuffer.get-double-buffer",_);
}
}
}
});
thi.ng.dstruct.streams.get_short_buffer = (function thi$ng$dstruct$streams$get_short_buffer(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IBuffer$get_short_buffer$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IBuffer$get_short_buffer$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.get_short_buffer[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.get_short_buffer["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IBuffer.get-short-buffer",_);
}
}
}
});
thi.ng.dstruct.streams.get_int_buffer = (function thi$ng$dstruct$streams$get_int_buffer(_){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IBuffer$get_int_buffer$arity$1 == null)))){
return _.thi$ng$dstruct$streams$IBuffer$get_int_buffer$arity$1(_);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.get_int_buffer[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto__.call(null,_));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.get_int_buffer["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$1(_) : m__8103__auto____$1.call(null,_));
} else {
throw cljs.core.missing_protocol("IBuffer.get-int-buffer",_);
}
}
}
});
/**
* @interface
*/
thi.ng.dstruct.streams.IIntoBuffer = function(){};
thi.ng.dstruct.streams.into_byte_buffer = (function thi$ng$dstruct$streams$into_byte_buffer(_,dest,stride,idx){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IIntoBuffer$into_byte_buffer$arity$4 == null)))){
return _.thi$ng$dstruct$streams$IIntoBuffer$into_byte_buffer$arity$4(_,dest,stride,idx);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.into_byte_buffer[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$4 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$4(_,dest,stride,idx) : m__8103__auto__.call(null,_,dest,stride,idx));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.into_byte_buffer["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$4 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$4(_,dest,stride,idx) : m__8103__auto____$1.call(null,_,dest,stride,idx));
} else {
throw cljs.core.missing_protocol("IIntoBuffer.into-byte-buffer",_);
}
}
}
});
thi.ng.dstruct.streams.into_float_buffer = (function thi$ng$dstruct$streams$into_float_buffer(_,dest,stride,idx){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IIntoBuffer$into_float_buffer$arity$4 == null)))){
return _.thi$ng$dstruct$streams$IIntoBuffer$into_float_buffer$arity$4(_,dest,stride,idx);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.into_float_buffer[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$4 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$4(_,dest,stride,idx) : m__8103__auto__.call(null,_,dest,stride,idx));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.into_float_buffer["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$4 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$4(_,dest,stride,idx) : m__8103__auto____$1.call(null,_,dest,stride,idx));
} else {
throw cljs.core.missing_protocol("IIntoBuffer.into-float-buffer",_);
}
}
}
});
thi.ng.dstruct.streams.into_double_buffer = (function thi$ng$dstruct$streams$into_double_buffer(_,dest,stride,idx){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IIntoBuffer$into_double_buffer$arity$4 == null)))){
return _.thi$ng$dstruct$streams$IIntoBuffer$into_double_buffer$arity$4(_,dest,stride,idx);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.into_double_buffer[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$4 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$4(_,dest,stride,idx) : m__8103__auto__.call(null,_,dest,stride,idx));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.into_double_buffer["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$4 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$4(_,dest,stride,idx) : m__8103__auto____$1.call(null,_,dest,stride,idx));
} else {
throw cljs.core.missing_protocol("IIntoBuffer.into-double-buffer",_);
}
}
}
});
thi.ng.dstruct.streams.into_short_buffer = (function thi$ng$dstruct$streams$into_short_buffer(_,dest,stride,idx){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IIntoBuffer$into_short_buffer$arity$4 == null)))){
return _.thi$ng$dstruct$streams$IIntoBuffer$into_short_buffer$arity$4(_,dest,stride,idx);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.into_short_buffer[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$4 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$4(_,dest,stride,idx) : m__8103__auto__.call(null,_,dest,stride,idx));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.into_short_buffer["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$4 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$4(_,dest,stride,idx) : m__8103__auto____$1.call(null,_,dest,stride,idx));
} else {
throw cljs.core.missing_protocol("IIntoBuffer.into-short-buffer",_);
}
}
}
});
thi.ng.dstruct.streams.into_int_buffer = (function thi$ng$dstruct$streams$into_int_buffer(_,dest,stride,idx){
if((!((_ == null))) && (!((_.thi$ng$dstruct$streams$IIntoBuffer$into_int_buffer$arity$4 == null)))){
return _.thi$ng$dstruct$streams$IIntoBuffer$into_int_buffer$arity$4(_,dest,stride,idx);
} else {
var x__8102__auto__ = (((_ == null))?null:_);
var m__8103__auto__ = (thi.ng.dstruct.streams.into_int_buffer[goog.typeOf(x__8102__auto__)]);
if(!((m__8103__auto__ == null))){
return (m__8103__auto__.cljs$core$IFn$_invoke$arity$4 ? m__8103__auto__.cljs$core$IFn$_invoke$arity$4(_,dest,stride,idx) : m__8103__auto__.call(null,_,dest,stride,idx));
} else {
var m__8103__auto____$1 = (thi.ng.dstruct.streams.into_int_buffer["_"]);
if(!((m__8103__auto____$1 == null))){
return (m__8103__auto____$1.cljs$core$IFn$_invoke$arity$4 ? m__8103__auto____$1.cljs$core$IFn$_invoke$arity$4(_,dest,stride,idx) : m__8103__auto____$1.call(null,_,dest,stride,idx));
} else {
throw cljs.core.missing_protocol("IIntoBuffer.into-int-buffer",_);
}
}
}
});
thi.ng.dstruct.streams.utf8_str = (function thi$ng$dstruct$streams$utf8_str(str){
var G__14532 = encodeURIComponent(str);
return unescape(G__14532);
});
/**
* @constructor
* @implements {thi.ng.dstruct.streams.IStreamPosition}
* @implements {thi.ng.dstruct.streams.IBuffer}
* @implements {thi.ng.dstruct.streams.IInputStream}
*/
thi.ng.dstruct.streams.InputStreamWrapper = (function (buf,dv,pos){
this.buf = buf;
this.dv = dv;
this.pos = pos;
})
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$ = cljs.core.PROTOCOL_SENTINEL;
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_double_be$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2(___$1,(8)) : thi.ng.dstruct.streams.ensure_readable.call(null,___$1,(8)));
var x = self__.dv.getFloat64(self__.pos);
self__.pos = (self__.pos + (8));
return x;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_vec3f_le$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return new cljs.core.PersistentVector(null, 3, 5, cljs.core.PersistentVector.EMPTY_NODE, [thi.ng.dstruct.streams.read_float_le(___$1),thi.ng.dstruct.streams.read_float_le(___$1),thi.ng.dstruct.streams.read_float_le(___$1)], null);
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_uint32_be$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2(___$1,(4)) : thi.ng.dstruct.streams.ensure_readable.call(null,___$1,(4)));
var x = self__.dv.getUint32(self__.pos);
self__.pos = (self__.pos + (4));
return x;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_uint8$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2(___$1,(1)) : thi.ng.dstruct.streams.ensure_readable.call(null,___$1,(1)));
var x = self__.dv.getUint8(self__.pos);
self__.pos = (self__.pos + (1));
return x;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_vec3f_be$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return new cljs.core.PersistentVector(null, 3, 5, cljs.core.PersistentVector.EMPTY_NODE, [thi.ng.dstruct.streams.read_float_be(___$1),thi.ng.dstruct.streams.read_float_be(___$1),thi.ng.dstruct.streams.read_float_be(___$1)], null);
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_uint32_le$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2(___$1,(4)) : thi.ng.dstruct.streams.ensure_readable.call(null,___$1,(4)));
var x = self__.dv.getUint32(self__.pos,true);
self__.pos = (self__.pos + (4));
return x;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_vec2f_le$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return new cljs.core.PersistentVector(null, 2, 5, cljs.core.PersistentVector.EMPTY_NODE, [thi.ng.dstruct.streams.read_float_le(___$1),thi.ng.dstruct.streams.read_float_le(___$1)], null);
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_vec2f_be$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return new cljs.core.PersistentVector(null, 2, 5, cljs.core.PersistentVector.EMPTY_NODE, [thi.ng.dstruct.streams.read_float_be(___$1),thi.ng.dstruct.streams.read_float_be(___$1)], null);
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_double_le$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2(___$1,(8)) : thi.ng.dstruct.streams.ensure_readable.call(null,___$1,(8)));
var x = self__.dv.getFloat64(self__.pos,true);
self__.pos = (self__.pos + (8));
return x;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_uint16_be$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2(___$1,(2)) : thi.ng.dstruct.streams.ensure_readable.call(null,___$1,(2)));
var x = self__.dv.getUint16(self__.pos);
self__.pos = (self__.pos + (2));
return x;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_uint16_le$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2(___$1,(2)) : thi.ng.dstruct.streams.ensure_readable.call(null,___$1,(2)));
var x = self__.dv.getUint16(self__.pos,true);
self__.pos = (self__.pos + (2));
return x;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_float_le$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2(___$1,(4)) : thi.ng.dstruct.streams.ensure_readable.call(null,___$1,(4)));
var x = self__.dv.getFloat32(self__.pos,true);
self__.pos = (self__.pos + (4));
return x;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IInputStream$read_float_be$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2(___$1,(4)) : thi.ng.dstruct.streams.ensure_readable.call(null,___$1,(4)));
var x = self__.dv.getFloat32(self__.pos);
self__.pos = (self__.pos + (4));
return x;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IStreamPosition$ = cljs.core.PROTOCOL_SENTINEL;
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IStreamPosition$skip$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_readable.cljs$core$IFn$_invoke$arity$2(___$1,x) : thi.ng.dstruct.streams.ensure_readable.call(null,___$1,x));
self__.pos = (self__.pos + x);
return ___$1;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IStreamPosition$get_position$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return self__.pos;
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$ = cljs.core.PROTOCOL_SENTINEL;
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$get_byte_buffer$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return (new Uint8Array(self__.buf));
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$get_float_buffer$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return (new Float32Array(self__.buf));
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$get_double_buffer$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return (new Float64Array(self__.buf));
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$get_short_buffer$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return (new Uint16Array(self__.buf));
});
thi.ng.dstruct.streams.InputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$get_int_buffer$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return (new Uint32Array(self__.buf));
});
thi.ng.dstruct.streams.InputStreamWrapper.getBasis = (function (){
return new cljs.core.PersistentVector(null, 3, 5, cljs.core.PersistentVector.EMPTY_NODE, [cljs.core.with_meta(cljs.core.cst$sym$buf,new cljs.core.PersistentArrayMap(null, 1, [cljs.core.cst$kw$tag,cljs.core.cst$sym$js_SLASH_ArrayBuffer], null)),cljs.core.with_meta(cljs.core.cst$sym$dv,new cljs.core.PersistentArrayMap(null, 1, [cljs.core.cst$kw$tag,cljs.core.cst$sym$js_SLASH_DataView], null)),cljs.core.with_meta(cljs.core.cst$sym$pos,new cljs.core.PersistentArrayMap(null, 1, [cljs.core.cst$kw$mutable,true], null))], null);
});
thi.ng.dstruct.streams.InputStreamWrapper.cljs$lang$type = true;
thi.ng.dstruct.streams.InputStreamWrapper.cljs$lang$ctorStr = "thi.ng.dstruct.streams/InputStreamWrapper";
thi.ng.dstruct.streams.InputStreamWrapper.cljs$lang$ctorPrWriter = (function (this__8041__auto__,writer__8042__auto__,opt__8043__auto__){
return cljs.core._write(writer__8042__auto__,"thi.ng.dstruct.streams/InputStreamWrapper");
});
thi.ng.dstruct.streams.__GT_InputStreamWrapper = (function thi$ng$dstruct$streams$__GT_InputStreamWrapper(buf,dv,pos){
return (new thi.ng.dstruct.streams.InputStreamWrapper(buf,dv,pos));
});
/**
* @constructor
* @implements {thi.ng.dstruct.streams.IStreamPosition}
* @implements {thi.ng.dstruct.streams.IBuffer}
* @implements {thi.ng.dstruct.streams.IOutputStream}
*/
thi.ng.dstruct.streams.OutputStreamWrapper = (function (buf,dv,pos){
this.buf = buf;
this.dv = dv;
this.pos = pos;
})
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$ = cljs.core.PROTOCOL_SENTINEL;
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_utf8_bytes$arity$2 = (function (_,str){
var self__ = this;
var ___$1 = this;
var utf8_14535 = thi.ng.dstruct.streams.utf8_str(str);
var len_14536 = cljs.core.count(utf8_14535);
var G__14533_14537 = ___$1;
var G__14534_14538 = cljs.core.count(utf8_14535);
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(G__14533_14537,G__14534_14538) : thi.ng.dstruct.streams.ensure_size.call(null,G__14533_14537,G__14534_14538));
var i_14539 = (0);
var p_14540 = self__.pos;
while(true){
if((i_14539 < len_14536)){
self__.dv.setUint8(p_14540,utf8_14535.charCodeAt(i_14539));
var G__14541 = (i_14539 + (1));
var G__14542 = (p_14540 + (1));
i_14539 = G__14541;
p_14540 = G__14542;
continue;
} else {
self__.pos = p_14540;
}
break;
}
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_uint16_be$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(2)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(2)));
self__.dv.setUint16(self__.pos,x);
self__.pos = (self__.pos + (2));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_uint16_le$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(2)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(2)));
self__.dv.setUint16(self__.pos,x,true);
self__.pos = (self__.pos + (2));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_uint32_be$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(4)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(4)));
self__.dv.setUint32(self__.pos,x);
self__.pos = (self__.pos + (4));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_vec3f_le$arity$2 = (function (_,v){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(12)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(12)));
self__.dv.setFloat32(self__.pos,cljs.core.first(v),true);
self__.dv.setFloat32((self__.pos + (4)),cljs.core.nth.cljs$core$IFn$_invoke$arity$2(v,(1)),true);
self__.dv.setFloat32((self__.pos + (8)),cljs.core.nth.cljs$core$IFn$_invoke$arity$2(v,(2)),true);
self__.pos = (self__.pos + (12));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_vec3f_be$arity$2 = (function (_,v){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(12)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(12)));
self__.dv.setFloat32(self__.pos,cljs.core.first(v));
self__.dv.setFloat32((self__.pos + (4)),cljs.core.nth.cljs$core$IFn$_invoke$arity$2(v,(1)));
self__.dv.setFloat32((self__.pos + (8)),cljs.core.nth.cljs$core$IFn$_invoke$arity$2(v,(2)));
self__.pos = (self__.pos + (12));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_double_be$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(8)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(8)));
self__.dv.setFloat64(self__.pos,x);
self__.pos = (self__.pos + (8));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_uint8$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(1)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(1)));
self__.dv.setUint8(self__.pos,x);
self__.pos = (self__.pos + (1));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_float_be$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(4)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(4)));
self__.dv.setFloat32(self__.pos,x);
self__.pos = (self__.pos + (4));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_float_le$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(4)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(4)));
self__.dv.setFloat32(self__.pos,x,true);
self__.pos = (self__.pos + (4));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_uint32_le$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(4)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(4)));
self__.dv.setUint32(self__.pos,x,true);
self__.pos = (self__.pos + (4));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_vec2f_be$arity$2 = (function (_,v){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(8)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(8)));
self__.dv.setFloat32(self__.pos,cljs.core.first(v));
self__.dv.setFloat32((self__.pos + (4)),cljs.core.nth.cljs$core$IFn$_invoke$arity$2(v,(1)));
self__.pos = (self__.pos + (8));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_double_le$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(8)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(8)));
self__.dv.setFloat64(self__.pos,x,true);
self__.pos = (self__.pos + (8));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IOutputStream$write_vec2f_le$arity$2 = (function (_,v){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,(8)) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,(8)));
self__.dv.setFloat32(self__.pos,cljs.core.first(v),true);
self__.dv.setFloat32((self__.pos + (4)),cljs.core.nth.cljs$core$IFn$_invoke$arity$2(v,(1)),true);
self__.pos = (self__.pos + (8));
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IStreamPosition$ = cljs.core.PROTOCOL_SENTINEL;
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IStreamPosition$skip$arity$2 = (function (_,x){
var self__ = this;
var ___$1 = this;
(thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2 ? thi.ng.dstruct.streams.ensure_size.cljs$core$IFn$_invoke$arity$2(___$1,x) : thi.ng.dstruct.streams.ensure_size.call(null,___$1,x));
self__.pos = (self__.pos + x);
return ___$1;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IStreamPosition$get_position$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return self__.pos;
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$ = cljs.core.PROTOCOL_SENTINEL;
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$get_byte_buffer$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return (new Uint8Array(self__.buf,(0),self__.pos));
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$get_float_buffer$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return (new Float32Array(self__.buf,(0),(self__.pos >>> (2))));
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$get_double_buffer$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return (new Float64Array(self__.buf,(0),(self__.pos >>> (3))));
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$get_short_buffer$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return (new Uint16Array(self__.buf,(0),(self__.pos >>> (1))));
});
thi.ng.dstruct.streams.OutputStreamWrapper.prototype.thi$ng$dstruct$streams$IBuffer$get_int_buffer$arity$1 = (function (_){
var self__ = this;
var ___$1 = this;
return (new Uint32Array(self__.buf,(0),(self__.pos >>> (2))));
});
thi.ng.dstruct.streams.OutputStreamWrapper.getBasis = (function (){
return new cljs.core.PersistentVector(null, 3, 5, cljs.core.PersistentVector.EMPTY_NODE, [cljs.core.with_meta(cljs.core.cst$sym$buf,new cljs.core.PersistentArrayMap(null, 2, [cljs.core.cst$kw$tag,cljs.core.cst$sym$js_SLASH_ArrayBuffer,cljs.core.cst$kw$mutable,true], null)),cljs.core.with_meta(cljs.core.cst$sym$dv,new cljs.core.PersistentArrayMap(null, 2, [cljs.core.cst$kw$tag,cljs.core.cst$sym$js_SLASH_DataView,cljs.core.cst$kw$mutable,true], null)),cljs.core.with_meta(cljs.core.cst$sym$pos,new cljs.core.PersistentArrayMap(null, 1, [cljs.core.cst$kw$mutable,true], null))], null);
});
thi.ng.dstruct.streams.OutputStreamWrapper.cljs$lang$type = true;
thi.ng.dstruct.streams.OutputStreamWrapper.cljs$lang$ctorStr = "thi.ng.dstruct.streams/OutputStreamWrapper";
thi.ng.dstruct.streams.OutputStreamWrapper.cljs$lang$ctorPrWriter = (function (this__8041__auto__,writer__8042__auto__,opt__8043__auto__){
return cljs.core._write(writer__8042__auto__,"thi.ng.dstruct.streams/OutputStreamWrapper");
});
thi.ng.dstruct.streams.__GT_OutputStreamWrapper = (function thi$ng$dstruct$streams$__GT_OutputStreamWrapper(buf,dv,pos){
return (new thi.ng.dstruct.streams.OutputStreamWrapper(buf,dv,pos));
});
thi.ng.dstruct.streams.ensure_readable = (function thi$ng$dstruct$streams$ensure_readable(in$,size){
if(((in$.pos + size) > in$.buf.byteLength)){
throw (new Error([cljs.core.str("EOF overrun, current pos: "),cljs.core.str(in$.pos),cljs.core.str(", requested read length: "),cljs.core.str(size),cljs.core.str(", but length: "),cljs.core.str(in$.buf.byteLength)].join('')));
} else {
return null;
}
});
thi.ng.dstruct.streams.ensure_size = (function thi$ng$dstruct$streams$ensure_size(out,size){
var len = out.buf.byteLength;
if(((out.pos + size) > len)){
var buf_SINGLEQUOTE_ = (new ArrayBuffer((len + (16384))));
(new Uint8Array(buf_SINGLEQUOTE_)).set((new Uint8Array(out.buf,(0),out.pos)));
out.buf = buf_SINGLEQUOTE_;
return out.dv = (new DataView(buf_SINGLEQUOTE_));
} else {
return null;
}
});
/**
* Takes an input or outputstream and optional mime type, returns
* contents as data url wrapped in a volatile. The volatile's value is
* initially nil and will only become realized after the function
* returned.
*/
thi.ng.dstruct.streams.as_data_url = (function thi$ng$dstruct$streams$as_data_url(var_args){
var args14543 = [];
var len__8605__auto___14546 = arguments.length;
var i__8606__auto___14547 = (0);
while(true){
if((i__8606__auto___14547 < len__8605__auto___14546)){
args14543.push((arguments[i__8606__auto___14547]));
var G__14548 = (i__8606__auto___14547 + (1));
i__8606__auto___14547 = G__14548;
continue;
} else {
}
break;
}
var G__14545 = args14543.length;
switch (G__14545) {
case 1:
return thi.ng.dstruct.streams.as_data_url.cljs$core$IFn$_invoke$arity$1((arguments[(0)]));
break;
case 2:
return thi.ng.dstruct.streams.as_data_url.cljs$core$IFn$_invoke$arity$2((arguments[(0)]),(arguments[(1)]));
break;
default:
throw (new Error([cljs.core.str("Invalid arity: "),cljs.core.str(args14543.length)].join('')));
}
});
thi.ng.dstruct.streams.as_data_url.cljs$core$IFn$_invoke$arity$1 = (function (stream){
return thi.ng.dstruct.streams.as_data_url.cljs$core$IFn$_invoke$arity$2(stream,"application/octet-stream");
});
thi.ng.dstruct.streams.as_data_url.cljs$core$IFn$_invoke$arity$2 = (function (stream,mime){
var fr = (new FileReader());
var uri = cljs.core.volatile_BANG_(null);
fr.onload = ((function (fr,uri){
return (function (e){
return cljs.core.vreset_BANG_(uri,e.target.result);
});})(fr,uri))
;
fr.readAsDataURL((new Blob([thi.ng.dstruct.streams.get_byte_buffer(stream)],({"type": mime}))));
return uri;
});
thi.ng.dstruct.streams.as_data_url.cljs$lang$maxFixedArity = 2;
/**
* Takes an input or outputstream, callback fn and optional mime
* type, calls fn with data url string, returns nil.
*/
thi.ng.dstruct.streams.as_data_url_async = (function thi$ng$dstruct$streams$as_data_url_async(var_args){
var args14551 = [];
var len__8605__auto___14555 = arguments.length;
var i__8606__auto___14556 = (0);
while(true){
if((i__8606__auto___14556 < len__8605__auto___14555)){
args14551.push((arguments[i__8606__auto___14556]));
var G__14557 = (i__8606__auto___14556 + (1));
i__8606__auto___14556 = G__14557;
continue;
} else {
}
break;
}
var G__14553 = args14551.length;
switch (G__14553) {
case 2:
return thi.ng.dstruct.streams.as_data_url_async.cljs$core$IFn$_invoke$arity$2((arguments[(0)]),(arguments[(1)]));
break;
case 3:
return thi.ng.dstruct.streams.as_data_url_async.cljs$core$IFn$_invoke$arity$3((arguments[(0)]),(arguments[(1)]),(arguments[(2)]));
break;
default:
throw (new Error([cljs.core.str("Invalid arity: "),cljs.core.str(args14551.length)].join('')));
}
});
thi.ng.dstruct.streams.as_data_url_async.cljs$core$IFn$_invoke$arity$2 = (function (stream,cb){
return thi.ng.dstruct.streams.as_data_url_async.cljs$core$IFn$_invoke$arity$3(stream,cb,"application/octet-stream");
});
thi.ng.dstruct.streams.as_data_url_async.cljs$core$IFn$_invoke$arity$3 = (function (stream,cb,mime){
var fr = (new FileReader());
fr.onload = ((function (fr){
return (function (p1__14550_SHARP_){
var G__14554 = p1__14550_SHARP_.target.result;
return (cb.cljs$core$IFn$_invoke$arity$1 ? cb.cljs$core$IFn$_invoke$arity$1(G__14554) : cb.call(null,G__14554));
});})(fr))
;
fr.readAsDataURL((new Blob([thi.ng.dstruct.streams.get_byte_buffer(stream)],({"type": mime}))));
return null;
});
thi.ng.dstruct.streams.as_data_url_async.cljs$lang$maxFixedArity = 3;
thi.ng.dstruct.streams.input_stream = (function thi$ng$dstruct$streams$input_stream(var_args){
var args14559 = [];
var len__8605__auto___14562 = arguments.length;
var i__8606__auto___14563 = (0);
while(true){
if((i__8606__auto___14563 < len__8605__auto___14562)){
args14559.push((arguments[i__8606__auto___14563]));
var G__14564 = (i__8606__auto___14563 + (1));
i__8606__auto___14563 = G__14564;
continue;
} else {
}
break;
}
var G__14561 = args14559.length;
switch (G__14561) {
case 1:
return thi.ng.dstruct.streams.input_stream.cljs$core$IFn$_invoke$arity$1((arguments[(0)]));
break;
case 2:
return thi.ng.dstruct.streams.input_stream.cljs$core$IFn$_invoke$arity$2((arguments[(0)]),(arguments[(1)]));
break;
default:
throw (new Error([cljs.core.str("Invalid arity: "),cljs.core.str(args14559.length)].join('')));
}
});
thi.ng.dstruct.streams.input_stream.cljs$core$IFn$_invoke$arity$1 = (function (buf){
return thi.ng.dstruct.streams.input_stream.cljs$core$IFn$_invoke$arity$2(buf,(0));
});
thi.ng.dstruct.streams.input_stream.cljs$core$IFn$_invoke$arity$2 = (function (buf,pos){
return (new thi.ng.dstruct.streams.InputStreamWrapper(buf,(new DataView(buf)),pos));
});
thi.ng.dstruct.streams.input_stream.cljs$lang$maxFixedArity = 2;
thi.ng.dstruct.streams.output_stream = (function thi$ng$dstruct$streams$output_stream(var_args){
var args14566 = [];
var len__8605__auto___14569 = arguments.length;
var i__8606__auto___14570 = (0);
while(true){
if((i__8606__auto___14570 < len__8605__auto___14569)){
args14566.push((arguments[i__8606__auto___14570]));
var G__14571 = (i__8606__auto___14570 + (1));
i__8606__auto___14570 = G__14571;
continue;
} else {
}
break;
}
var G__14568 = args14566.length;
switch (G__14568) {
case 0:
return thi.ng.dstruct.streams.output_stream.cljs$core$IFn$_invoke$arity$0();
break;
case 1:
return thi.ng.dstruct.streams.output_stream.cljs$core$IFn$_invoke$arity$1((arguments[(0)]));
break;
case 2:
return thi.ng.dstruct.streams.output_stream.cljs$core$IFn$_invoke$arity$2((arguments[(0)]),(arguments[(1)]));
break;
default:
throw (new Error([cljs.core.str("Invalid arity: "),cljs.core.str(args14566.length)].join('')));
}
});
thi.ng.dstruct.streams.output_stream.cljs$core$IFn$_invoke$arity$0 = (function (){
return thi.ng.dstruct.streams.output_stream.cljs$core$IFn$_invoke$arity$1((4096));
});
thi.ng.dstruct.streams.output_stream.cljs$core$IFn$_invoke$arity$1 = (function (size){
return thi.ng.dstruct.streams.output_stream.cljs$core$IFn$_invoke$arity$2((new ArrayBuffer(size)),(0));
});
thi.ng.dstruct.streams.output_stream.cljs$core$IFn$_invoke$arity$2 = (function (buf,pos){
return (new thi.ng.dstruct.streams.OutputStreamWrapper(buf,(new DataView(buf)),pos));
});
thi.ng.dstruct.streams.output_stream.cljs$lang$maxFixedArity = 2;
| scientific-coder/Mazes | target/main.out/thi/ng/dstruct/streams.js | JavaScript | gpl-3.0 | 66,698 |
QUnit.test( "TestDate", function( assert ) {
var converter = new DataTypeConverter();
var value = "CAF 92";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.TEXT, "Text /" + value + "/ correctly recognized.");
var value = "2023-04";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "2016-03-07";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "02600";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.TEXT, "Text /" + value + "/ correctly recognized.");
var value = "0";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.NUMBER, "Text /" + value + "/ correctly recognized.");
var value = "02/03/2016 18:57";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "02/03/2016";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "2016-03-07T11:26:17+00:00";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "92077-02";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.TEXT, "Text /" + value + "/ correctly recognized.");
var value = "1936.27";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.NUMBER, "Text /" + value + "/ correctly recognized.");
var value = "50/50/2016";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.TEXT, "Text /" + value + "/ correctly recognized.");
var value = "02/13/2016";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "12/26/2016";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "1/1/2016";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "01/1/2016";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "01/1/250";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "520/12/1";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "520/12";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.DATETIME, "Text /" + value + "/ correctly recognized.");
var value = "520/50";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.TEXT, "Text /" + value + "/ correctly recognized.");
/*var value = "1936,27";
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.NUMBER, "Text /" + value + "/ correctly recognized.");*/
});
QUnit.test("TestIsPercentage", function (assert) {
var converter = new DataTypeConverter();
var value = "5%";
var isperc = DataTypesUtils.FilterPercentage(value);
assert.ok(isperc, value + " recognized.");
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt.type, DataTypeConverter.TYPES.NUMBER, "Text /" + value + "/ correctly recognized.");
assert.equal(dt.subtype, DataTypeConverter.TYPES.PERCENTAGE, "Text /" + value + "/ correctly recognized.");
var value = "5 %";
var isperc = DataTypesUtils.FilterPercentage(value);
assert.ok(isperc, value + " recognized.");
assert.equal(dt.type, DataTypeConverter.TYPES.NUMBER, "Text /" + value + "/ correctly recognized.");
assert.equal(dt.subtype, DataTypeConverter.TYPES.PERCENTAGE, "Text /" + value + "/ correctly recognized.");
var value = "%5%";
var isperc = DataTypesUtils.FilterPercentage(value);
assert.equal(isperc, null, value + " recognized.");
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.TEXT, "Text /" + value + "/ correctly recognized.");
var value = "%";
var isperc = DataTypesUtils.FilterPercentage(value);
assert.equal(isperc, null, value + " recognized.");
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.TEXT, "Text /" + value + "/ correctly recognized.");
var value = "%5";
var isperc = DataTypesUtils.FilterPercentage(value);
assert.equal(isperc, null, value + " recognized.");
var dt = converter.inferDataTypeOfValue(value);
assert.equal(dt, DataTypeConverter.TYPES.TEXT, "Text /" + value + "/ correctly recognized.");
});
QUnit.test("TestIsNumber", function(assert) {
var converter = new DataTypeConverter();
var value = "1936";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.ok(isnumber, value + " recognized.");
var dt = converter.inferDataSubTypeOfValue(value);
assert.equal(dt, DataTypeConverter.SUBTYPES.NUMINTEGER, "Text /" + value + "/ correctly recognized.");
var value = "1936.27";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.ok(isnumber, value + " recognized.");
var dt = converter.inferDataSubTypeOfValue(value);
assert.equal(dt, DataTypeConverter.SUBTYPES.NUMREAL, "Text /" + value + "/ correctly recognized.");
var value = "-1936.27";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.ok(isnumber, value + " recognized.");
var dt = converter.inferDataSubTypeOfValue(value);
assert.equal(dt, DataTypeConverter.SUBTYPES.NUMREAL, "Text /" + value + "/ correctly recognized.");
var value = "+1936.27";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.ok(isnumber, value + " recognized.");
var dt = converter.inferDataSubTypeOfValue(value);
assert.equal(dt, DataTypeConverter.SUBTYPES.NUMREAL, "Text /" + value + "/ correctly recognized.");
var value = "1936,27";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.ok(isnumber, value + " recognized.");
var dt = converter.inferDataSubTypeOfValue(value);
assert.equal(dt, DataTypeConverter.SUBTYPES.NUMREAL, "Text /" + value + "/ correctly recognized.");
var value = "-1936,27";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.ok(isnumber, value + " recognized.");
var dt = converter.inferDataSubTypeOfValue(value);
assert.equal(dt, DataTypeConverter.SUBTYPES.NUMREAL, "Text /" + value + "/ correctly recognized.");
var value = "+1936,27";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.ok(isnumber, value + " recognized.");
var dt = converter.inferDataSubTypeOfValue(value);
assert.equal(dt, DataTypeConverter.SUBTYPES.NUMREAL, "Text /" + value + "/ correctly recognized.");
var value = "1.936.27";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.notOk(isnumber, value + " recognized.");
var value = "1,936,27";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.notOk(isnumber, value + " recognized.");
var value = "1.936,27";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.notOk(isnumber, value + " recognized.");
var value = "1,936.27";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.notOk(isnumber, value + " recognized.");
var value = "1936.";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.notOk(isnumber, value + " recognized.");
var value = "1936,";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.notOk(isnumber, value + " recognized.");
var value = "1936,07";
var isnumber = DataTypesUtils.FilterNumber(value);
assert.ok(isnumber, value + " recognized.");
var dt = converter.inferDataSubTypeOfValue(value);
assert.equal(dt, DataTypeConverter.SUBTYPES.NUMREAL, "Text /" + value + "/ correctly recognized.");
});
| donpir/JSDataChecker | tests/TestCase01_InferDataTypeOnSingleValue/DataTypeSingleValueTestCase.js | JavaScript | gpl-3.0 | 8,748 |
// Copyright 2002-2013, University of Colorado Boulder
/**
* Detector for absorbance (A) and percent transmittance (%T).
*
* @author Chris Malley (PixelZoom, Inc.)
*/
define( function( require ) {
'use strict';
// modules
var ATDetector = require( 'BEERS_LAW_LAB/beerslaw/model/ATDetector' );
var Image = require( 'SCENERY/nodes/Image' );
var inherit = require( 'PHET_CORE/inherit' );
var MeterBodyNode = require( 'SCENERY_PHET/MeterBodyNode' );
var MovableDragHandler = require( 'SCENERY_PHET/input/MovableDragHandler' );
var Node = require( 'SCENERY/nodes/Node' );
var Path = require( 'SCENERY/nodes/Path' );
var PhetFont = require( 'SCENERY_PHET/PhetFont' );
var AquaRadioButton = require( 'SUN/AquaRadioButton' );
var Shape = require( 'KITE/Shape' );
var StringUtils = require( 'PHETCOMMON/util/StringUtils' );
var Text = require( 'SCENERY/nodes/Text' );
var Util = require( 'DOT/Util' );
var Vector2 = require( 'DOT/Vector2' );
//strings
var absorbanceString = require( 'string!BEERS_LAW_LAB/absorbance' );
var pattern_0percent = require( 'string!BEERS_LAW_LAB/pattern.0percent' );
var transmittanceString = require( 'string!BEERS_LAW_LAB/transmittance' );
// images
var bodyLeftImage = require( 'image!BEERS_LAW_LAB/at-detector-body-left.png' );
var bodyCenterImage = require( 'image!BEERS_LAW_LAB/at-detector-body-center.png' );
var bodyRightImage = require( 'image!BEERS_LAW_LAB/at-detector-body-right.png' );
var probeImage = require( 'image!BEERS_LAW_LAB/at-detector-probe.png' );
// constants
var BUTTONS_X_MARGIN = 25; // specific to image files
var BUTTONS_Y_OFFSET = 66; // specific to image files
var VALUE_X_MARGIN = 30; // specific to image files
var VALUE_CENTER_Y = 24; // specific to image files
var ABSORBANCE_DECIMAL_PLACES = 2;
var TRANSMITTANCE_DECIMAL_PLACES = 2;
var NO_VALUE = '-';
var PROBE_CENTER_Y_OFFSET = 55; // specific to image file
/**
* The body of the detector, where A and T values are displayed.
* Note that while the body is a Movable, we have currently decided not to allow it to be moved,
* so it has no drag handler
* @param {ATDetector} detector
* @param {ModelViewTransform2} modelViewTransform
* @constructor
*/
function BodyNode( detector, modelViewTransform ) {
var thisNode = this;
Node.call( thisNode );
// buttons for changing the detector 'mode'
var textOptions = { font: new PhetFont( 18 ), fill: 'white' };
var transmittanceButton = new AquaRadioButton( detector.mode, ATDetector.Mode.TRANSMITTANCE, new Text( transmittanceString, textOptions ) );
var absorbanceButton = new AquaRadioButton( detector.mode, ATDetector.Mode.ABSORBANCE, new Text( absorbanceString, textOptions ) );
// group the buttons
var buttonGroup = new Node();
buttonGroup.addChild( transmittanceButton );
buttonGroup.addChild( absorbanceButton );
absorbanceButton.x = transmittanceButton.x;
absorbanceButton.top = transmittanceButton.bottom + 6;
// value display
var maxValue = 100;
var valueNode = new Text( maxValue.toFixed( ABSORBANCE_DECIMAL_PLACES ), { font: new PhetFont( 24 ) } );
// background image, sized to fit
var bodyWidth = Math.max( buttonGroup.width, valueNode.width ) + ( 2 * BUTTONS_X_MARGIN );
var backgroundNode = new MeterBodyNode( bodyWidth, bodyLeftImage, bodyCenterImage, bodyRightImage );
// rendering order
thisNode.addChild( backgroundNode );
thisNode.addChild( buttonGroup );
thisNode.addChild( valueNode );
// layout
buttonGroup.left = BUTTONS_X_MARGIN;
buttonGroup.top = BUTTONS_Y_OFFSET;
valueNode.x = VALUE_X_MARGIN;
valueNode.top = VALUE_CENTER_Y;
// body location
detector.body.locationProperty.link( function( location ) {
thisNode.translation = modelViewTransform.modelToViewPosition( location );
} );
// update the value display
var valueUpdater = function() {
var value = detector.value.get();
if ( isNaN( value ) ) {
valueNode.text = NO_VALUE;
valueNode.centerX = backgroundNode.centerX;
}
else {
if ( detector.mode.get() === ATDetector.Mode.TRANSMITTANCE ) {
valueNode.text = StringUtils.format( pattern_0percent, value.toFixed( TRANSMITTANCE_DECIMAL_PLACES ) );
}
else {
valueNode.text = value.toFixed( ABSORBANCE_DECIMAL_PLACES );
}
valueNode.right = backgroundNode.right - VALUE_X_MARGIN; // right justified
}
};
detector.value.link( valueUpdater );
detector.mode.link( valueUpdater );
}
inherit( Node, BodyNode );
/**
* The probe portion of the detector.
* @param {Movable} probe
* @param {Light} light
* @param {ModelViewTransform2} modelViewTransform
* @constructor
*/
function ProbeNode( probe, light, modelViewTransform ) {
var thisNode = this;
Node.call( thisNode );
var imageNode = new Image( probeImage );
thisNode.addChild( imageNode );
imageNode.x = -imageNode.width / 2;
imageNode.y = -PROBE_CENTER_Y_OFFSET;
// location
probe.locationProperty.link( function( location ) {
thisNode.translation = modelViewTransform.modelToViewPosition( location );
} );
// interactivity
thisNode.cursor = 'pointer';
thisNode.addInputListener( new MovableDragHandler( probe, modelViewTransform, {
endDrag: function() {
// If the light is on and the probe is close enough to the beam...
if ( light.on.get() && ( probe.locationProperty.get().x >= light.location.x ) && ( Math.abs( probe.locationProperty.get().y - light.location.y ) <= 0.5 * light.lensDiameter ) ) {
// ... snap the probe to the center of beam.
probe.locationProperty.set( new Vector2( probe.locationProperty.get().x, light.location.y ) );
}
}
} ) );
// touch area
var dx = 0.25 * imageNode.width;
var dy = 0 * imageNode.height;
thisNode.touchArea = Shape.rectangle( imageNode.x - dx, imageNode.y - dy, imageNode.width + dx + dx, imageNode.height + dy + dy );
}
inherit( Node, ProbeNode );
/**
* Wire that connects the body and probe.
* @param {Movable} body
* @param {Movable} probe
* @param {Node} bodyNode
* @param {Node} probeNode
* @constructor
*/
function WireNode( body, probe, bodyNode, probeNode ) {
var thisNode = this;
Path.call( this, new Shape(), {
stroke: 'gray',
lineWidth: 8,
lineCap: 'square',
lineJoin: 'round',
pickable: false
} );
var updateCurve = function() {
// connection points
var bodyConnectionPoint = new Vector2( bodyNode.centerX, bodyNode.bottom );
var probeConnectionPoint = new Vector2( probeNode.centerX, probeNode.bottom );
// control points
// The y coordinate of the body's control point varies with the x distance between the body and probe.
var c1Offset = new Vector2( 0, Util.linear( 0, 800, 0, 200, bodyNode.centerX - probeNode.left ) ); // x distance -> y coordinate
var c2Offset = new Vector2( 50, 150 );
var c1 = new Vector2( bodyConnectionPoint.x + c1Offset.x, bodyConnectionPoint.y + c1Offset.y );
var c2 = new Vector2( probeConnectionPoint.x + c2Offset.x, probeConnectionPoint.y + c2Offset.y );
// cubic curve
thisNode.shape = new Shape()
.moveTo( bodyConnectionPoint.x, bodyConnectionPoint.y )
.cubicCurveTo( c1.x, c1.y, c2.x, c2.y, probeConnectionPoint.x, probeConnectionPoint.y );
};
body.locationProperty.link( updateCurve );
probe.locationProperty.link( updateCurve );
}
inherit( Path, WireNode );
/**
* @param {ATDetector} detector
* @param {Light} light
* @param {ModelViewTransform2} modelViewTransform
* @constructor
*/
function ATDetectorNode( detector, light, modelViewTransform ) {
Node.call( this );
var bodyNode = new BodyNode( detector, modelViewTransform );
var probeNode = new ProbeNode( detector.probe, light, modelViewTransform );
var wireNode = new WireNode( detector.body, detector.probe, bodyNode, probeNode );
this.addChild( wireNode );
this.addChild( bodyNode );
this.addChild( probeNode );
}
return inherit( Node, ATDetectorNode );
} ); | concord-consortium/beers-law-lab | js/beerslaw/view/ATDetectorNode.js | JavaScript | gpl-3.0 | 8,297 |
var util = require('util');
var https = require('https');
var querystring = require('querystring');
var emitter = require('events').EventEmitter;
var retry = require('retry');
function FCM(apiKey) {
if (apiKey) {
this.apiKey = apiKey;
} else {
throw Error('No apiKey is given.');
}
this.fcmOptions = {
host: 'android.googleapis.com',
port: 443,
path: '/gcm/send',
method: 'POST',
headers: {}
};
}
util.inherits(FCM, emitter);
exports.FCM = FCM;
FCM.prototype.send = function(packet, cb) {
var self = this;
if (cb) this.once('sent', cb);
var operation = retry.operation();
operation.attempt(function(currentAttempt) {
var postData = querystring.stringify(packet);
var headers = {
'Host': self.fcmOptions.host,
'Authorization': 'key=' + self.apiKey,
'Content-Type': 'application/x-www-form-urlencoded;charset=UTF-8',
'Content-length': postData.length
};
self.fcmOptions.headers = headers;
if (self.keepAlive)
headers.Connection = 'keep-alive';
var request = https.request(self.fcmOptions, function(res) {
var data = '';
if (res.statusCode == 503) {
// If the server is temporary unavailable, the C2DM spec requires that we implement exponential backoff
// and respect any Retry-After header
if (res.headers['retry-after']) {
var retrySeconds = res.headers['retry-after'] * 1; // force number
if (isNaN(retrySeconds)) {
// The Retry-After header is a HTTP-date, try to parse it
retrySeconds = new Date(res.headers['retry-after']).getTime() - new Date().getTime();
}
if (!isNaN(retrySeconds) && retrySeconds > 0) {
operation._timeouts['minTimeout'] = retrySeconds;
}
}
if (!operation.retry('TemporaryUnavailable')) {
self.emit('sent', operation.mainError(), null);
}
// Ignore all subsequent events for this request
return;
}
function respond() {
var error = null, id = null;
if (data.indexOf('Error=') === 0) {
error = data.substring(6).trim();
}
else if (data.indexOf('id=') === 0) {
id = data.substring(3).trim();
}
else {
// No id nor error?
error = 'InvalidServerResponse';
}
// Only retry if error is QuotaExceeded or DeviceQuotaExceeded
if (operation.retry(['QuotaExceeded', 'DeviceQuotaExceeded', 'InvalidServerResponse'].indexOf(error) >= 0 ? error : null)) {
return;
}
// Success, return message id (without id=)
self.emit('sent', error, id);
}
res.on('data', function(chunk) {
data += chunk;
});
res.on('end', respond);
res.on('close', respond);
});
request.on('error', function(error) {
self.emit('sent', error, null);
});
request.end(postData);
});
};
| matso165/islands-of-tribes | StoneAge/server/node_modules/fcm/lib/fcm.js | JavaScript | gpl-3.0 | 3,559 |
var panfeedModule = angular.module('panfeedModule', []);
panfeedModule.config(function($interpolateProvider) {
$interpolateProvider.startSymbol('[[');
$interpolateProvider.endSymbol(']]');
});
/*
https://docs.djangoproject.com/en/dev/ref/contrib/csrf/#ajax
*/
jQuery(document).ajaxSend(function(event, xhr, settings) {
function getCookie(name) {
var cookieValue = null;
if (document.cookie && document.cookie != '') {
var cookies = document.cookie.split(';');
for (var i = 0; i < cookies.length; i++) {
var cookie = jQuery.trim(cookies[i]);
// Does this cookie string begin with the name we want?
if (cookie.substring(0, name.length + 1) == (name + '=')) {
cookieValue = decodeURIComponent(cookie.substring(name.length + 1));
break;
}
}
}
return cookieValue;
}
function sameOrigin(url) {
// url could be relative or scheme relative or absolute
var host = document.location.host; // host + port
var protocol = document.location.protocol;
var sr_origin = '//' + host;
var origin = protocol + sr_origin;
// Allow absolute or scheme relative URLs to same origin
return (url == origin || url.slice(0, origin.length + 1) == origin + '/') ||
(url == sr_origin || url.slice(0, sr_origin.length + 1) == sr_origin + '/') ||
// or any other URL that isn't scheme relative or absolute i.e relative.
!(/^(\/\/|http:|https:).*/.test(url));
}
function safeMethod(method) {
return (/^(GET|HEAD|OPTIONS|TRACE)$/.test(method));
}
if (!safeMethod(settings.type) && sameOrigin(settings.url)) {
xhr.setRequestHeader("X-CSRFToken", getCookie('csrftoken'));
}
});
$(function()
{
$('#confirmDeleteModal .button-close').click(function()
{
$('#confirmDeleteModal').modal("hide");
});
$("input[name=_method][value=DELETE] + button[type=submit]").click(function(event)
{
event.preventDefault();
var button = $(this);
$('#confirmDeleteModal .button-delete').unbind("click").click(function()
{
button.parent("div").parent("form").submit();
$('#confirmDeleteModal').modal("hide");
});
$('#confirmDeleteModal').modal("show");
});
});
| Landric/PANFeed | panfeed/static/panfeed/scripts/initapp.js | JavaScript | gpl-3.0 | 2,447 |
/*
*
* DATA SCENE
*
*/
// Fait la moyenne des data sommé par le hub
function getSensorData()
{
var result = {};
if (motion.counter != 0)
{
result.motion = {
acceleration : {
x : motion.acceleration.x / motion.counter,
y : motion.acceleration.y / motion.counter,
z : motion.acceleration.z / motion.counter
},
rotationRate: {
betaDeg : motion.rotationRate.betaDeg / motion.counter,
gammaDeg : motion.rotationRate.gammaDeg / motion.counter,
alphaDeg : motion.rotationRate.alphaDeg / motion.counter
},
interval : motion.interval
};
}
else
{
result.motion = previousData.motion;
}
if (orientation.counter != 0)
{
result.orientation = {
betaDeg : orientation.betaDeg / orientation.counter,
gammaDeg : orientation.gammaDeg/ orientation.counter,
alphaDeg : orientation.alphaDeg/ orientation.counter
};
}
else
{
result.orientation = previousData.orientation;
}
if (nipple.counter != 0)
{
result.nipple = {
force : nipple.force / nipple.counter,
angleRad : nipple.angleRad / nipple.counter
};
}
else
{
result.nipple = previousData.nipple;
}
if(result.motion.interval >= 1000/60)
{
result.motion.interval = 1000/60;
}
// Kalman rate init and interval !
kalmanAlpha.setRate(result.motion.rotationRate.alphaDeg);
kalmanBeta.setRate(result.motion.rotationRate.betaDeg);
kalmanGamma.setRate(result.motion.rotationRate.gammaDeg);
kalmanBeta.setDeltat(result.motion.interval/1000);
kalmanGamma.setDeltat(result.motion.interval/1000);
kalmanAlpha.setDeltat(result.motion.interval/1000);
//previousData = result;
return result;
}
// Reset to 0 sensor data
function resetSensorData()
{
motion.counter = 0;
motion.acceleration.x = 0;
motion.acceleration.y = 0;
motion.acceleration.z = 0;
motion.rotationRate.betaDeg = 0;
motion.rotationRate.gammaDeg = 0;
motion.rotationRate.alphaDeg = 0;
motion.interval = 0;
orientation.counter = 0;
orientation.betaDeg = 0;
orientation.gammaDeg = 0;
orientation.alphaDeg = 0;
nipple.counter = 0;
nipple.force = 0;
nipple.angleRad = 0;
}
| sandros06/R-3D | apps/base_websocket/public/javascripts/scripts/data_scene.js | JavaScript | gpl-3.0 | 2,528 |
const merge = require("merge");
function fakeOne(modelName, overrides) {
const model = require("../models/" + modelName);
const fakeData = require("../fakers/" + modelName);
instance = new model(merge.recursive(true, fakeData(), overrides));
return instance.save();
}
module.exports = (modelName, count, overrides) => new Promise((resolve, reject) => {
if (!overrides) {
overrides = {};
}
if (!count) {
return resolve(fakeOne(modelName, overrides));
}
const instances = [];
for (let i = 0; i < count; i++) {
instances[i] = fakeOne(modelName, overrides);
}
Promise.all(instances)
.then(x => resolve(x))
.catch(e => reject(e));
});
| BlackChaosNL/dragontide | lib/fake.js | JavaScript | gpl-3.0 | 660 |
var searchData=
[
['flash_2ec',['flash.c',['../flash_8c.html',1,'']]],
['flash_2eh',['flash.h',['../flash_8h.html',1,'']]],
['flash_5fcommon_5ff234_2ec',['flash_common_f234.c',['../flash__common__f234_8c.html',1,'']]],
['flash_5fcommon_5ff234_2ed',['flash_common_f234.d',['../flash__common__f234_8d.html',1,'']]],
['flash_5fcommon_5ff234_2eh',['flash_common_f234.h',['../flash__common__f234_8h.html',1,'']]],
['flash_5fcommon_5ff24_2ec',['flash_common_f24.c',['../flash__common__f24_8c.html',1,'']]],
['flash_5fcommon_5ff24_2ed',['flash_common_f24.d',['../flash__common__f24_8d.html',1,'']]],
['flash_5fcommon_5ff24_2eh',['flash_common_f24.h',['../flash__common__f24_8h.html',1,'']]]
];
| Aghosh993/TARS_codebase | libopencm3/doc/stm32f2/html/search/files_4.js | JavaScript | gpl-3.0 | 703 |
define(["dojo/_base/kernel", "dojo/_base/declare", "dojo/_base/lang", "dojo/_base/Deferred", "dojo/on", "dojo/aspect", "dojo/query", "dojo/has", "./util/misc", "put-selector/put", "xstyle/has-class", "./Grid", "dojo/_base/sniff", "xstyle/css!./css/columnset.css"],
function(kernel, declare, lang, Deferred, listen, aspect, query, has, miscUtil, put, hasClass, Grid){
has.add("event-mousewheel", function(global, document, element){
return typeof element.onmousewheel !== "undefined";
});
has.add("event-wheel", function(global, document, element){
var supported = false;
// From https://developer.mozilla.org/en-US/docs/Mozilla_event_reference/wheel
try{
WheelEvent("wheel");
supported = true;
}catch(e){
// empty catch block; prevent debuggers from snagging
}
return supported;
});
var colsetidAttr = "data-dgrid-column-set-id";
hasClass("safari", "ie-7");
function adjustScrollLeft(grid, row){
var scrollLefts = grid._columnSetScrollLefts;
function doAdjustScrollLeft(){
query(".dgrid-column-set", row).forEach(function(element){
element.scrollLeft = scrollLefts[element.getAttribute(colsetidAttr)];
});
}
if(has("ie") < 8 || has("quirks")){
setTimeout(doAdjustScrollLeft, 1);
}else{
doAdjustScrollLeft();
}
}
function scrollColumnSetTo(grid, columnSetNode, offsetLeft){
var id = columnSetNode.getAttribute(colsetidAttr);
var scroller = grid._columnSetScrollers[id];
scroller.scrollLeft = offsetLeft < 0 ? 0 : offsetLeft;
}
function getColumnSetSubRows(subRows, columnSetId){
// Builds a subRow collection that only contains columns that correspond to
// a given column set id.
if(!subRows || !subRows.length){
return;
}
var subset = [];
var idPrefix = columnSetId + "-";
for(var i = 0, numRows = subRows.length; i < numRows; i++){
var row = subRows[i];
var subsetRow = [];
subsetRow.className = row.className;
for(var k = 0, numCols = row.length; k < numCols; k++){
var column = row[k];
// The column id begins with the column set id.
if(column.id != null && column.id.indexOf(idPrefix) === 0){
subsetRow.push(column);
}
}
subset.push(subsetRow);
}
return subset;
}
var horizMouseWheel = has("event-mousewheel") || has("event-wheel") ? function(grid){
return function(target, listener){
return listen(target, has("event-wheel") ? "wheel" : "mousewheel", function(event){
var node = event.target, deltaX;
// WebKit will invoke mousewheel handlers with an event target of a text
// node; check target and if it's not an element node, start one node higher
// in the tree
if(node.nodeType !== 1){
node = node.parentNode;
}
while(!query.matches(node, ".dgrid-column-set[" + colsetidAttr + "]", target)){
if(node === target || !(node = node.parentNode)){
return;
}
}
// Normalize reported delta value:
// wheelDeltaX (webkit, mousewheel) needs to be negated and divided by 3
// deltaX (FF17+, wheel) can be used exactly as-is
deltaX = event.deltaX || -event.wheelDeltaX / 3;
if(deltaX){
// only respond to horizontal movement
listener.call(null, grid, node, deltaX);
}
});
};
} : function(grid){
return function(target, listener){
return listen(target, ".dgrid-column-set[" + colsetidAttr + "]:MozMousePixelScroll", function(event){
if(event.axis === 1){
// only respond to horizontal movement
listener.call(null, grid, this, event.detail);
}
});
};
};
return declare(null, {
// summary:
// Provides column sets to isolate horizontal scroll of sets of
// columns from each other. This mainly serves the purpose of allowing for
// column locking.
postCreate: function(){
var self = this;
this.inherited(arguments);
this.on(horizMouseWheel(this), function(grid, colsetNode, amount){
var id = colsetNode.getAttribute(colsetidAttr),
scroller = grid._columnSetScrollers[id],
scrollLeft = scroller.scrollLeft + amount;
scroller.scrollLeft = scrollLeft < 0 ? 0 : scrollLeft;
});
this.on('.dgrid-column-set:dgrid-cellfocusin', function (event) {
self._onColumnSetCellFocus(event, this);
});
},
columnSets: [],
createRowCells: function(tag, each, subRows, object){
var row = put("table.dgrid-row-table");
var tr = put(row, "tbody tr");
for(var i = 0, l = this.columnSets.length; i < l; i++){
// iterate through the columnSets
var cell = put(tr, tag + ".dgrid-column-set-cell.dgrid-column-set-" + i +
" div.dgrid-column-set[" + colsetidAttr + "=" + i + "]");
var subset = getColumnSetSubRows(subRows || this.subRows , i) || this.columnSets[i];
cell.appendChild(this.inherited(arguments, [tag, each, subset, object]));
}
return row;
},
renderArray: function(){
var grid = this,
rows = this.inherited(arguments);
Deferred.when(rows, function(rows){
for(var i = 0; i < rows.length; i++){
adjustScrollLeft(grid, rows[i]);
}
});
return rows;
},
renderHeader: function(){
// summary:
// Setup the headers for the grid
this.inherited(arguments);
var columnSets = this.columnSets,
domNode = this.domNode,
scrollers = this._columnSetScrollers,
scrollerContents = this._columnSetScrollerContents = {},
scrollLefts = this._columnSetScrollLefts = {},
grid = this,
i, l;
function reposition(){
grid._positionScrollers();
}
if (scrollers) {
// this isn't the first time; destroy existing scroller nodes first
for(i in scrollers){
put(scrollers[i], "!");
}
} else {
// first-time-only operations: hook up event/aspected handlers
aspect.after(this, "resize", reposition, true);
aspect.after(this, "styleColumn", reposition, true);
this._columnSetScrollerNode = put(this.footerNode, "+div.dgrid-column-set-scroller-container");
}
// reset to new object to be populated in loop below
scrollers = this._columnSetScrollers = {};
for(i = 0, l = columnSets.length; i < l; i++){
this._putScroller(columnSets[i], i);
}
this._positionScrollers();
},
styleColumnSet: function(colsetId, css){
// summary:
// Dynamically creates a stylesheet rule to alter a columnset's style.
var rule = this.addCssRule("#" + miscUtil.escapeCssIdentifier(this.domNode.id) +
" .dgrid-column-set-" + miscUtil.escapeCssIdentifier(colsetId, "-"), css);
this._positionScrollers();
return rule;
},
_destroyColumns: function(){
var columnSetsLength = this.columnSets.length,
i, j, k, subRowsLength, len, columnSet, subRow, column;
for(i = 0; i < columnSetsLength; i++){
columnSet = this.columnSets[i];
for(j = 0, subRowsLength = columnSet.length; j < subRowsLength; j++){
subRow = columnSet[j];
for(k = 0, len = subRow.length; k < len; k++){
column = subRow[k];
if(typeof column.destroy === "function"){ column.destroy(); }
}
}
}
this.inherited(arguments);
},
configStructure: function(){
// Squash the column sets together so the grid and other dgrid extensions and mixins can
// configure the columns and create any needed subrows.
this.columns = {};
this.subRows = [];
for(var i = 0, l = this.columnSets.length; i < l; i++){
var columnSet = this.columnSets[i];
for(var j = 0; j < columnSet.length; j++){
columnSet[j] = this._configColumns(i + "-" + j + "-", columnSet[j]);
}
}
this.inherited(arguments);
},
_positionScrollers: function (){
var domNode = this.domNode,
scrollers = this._columnSetScrollers,
scrollerContents = this._columnSetScrollerContents,
columnSets = this.columnSets,
scrollerWidth = 0,
numScrollers = 0, // tracks number of visible scrollers (sets w/ overflow)
i, l, columnSetElement, contentWidth;
for(i = 0, l = columnSets.length; i < l; i++){
// iterate through the columnSets
columnSetElement = query('.dgrid-column-set[' + colsetidAttr + '="' + i +'"]', domNode)[0];
scrollerWidth = columnSetElement.offsetWidth;
contentWidth = columnSetElement.firstChild.offsetWidth;
scrollerContents[i].style.width = contentWidth + "px";
scrollers[i].style.width = scrollerWidth + "px";
if(has("ie") < 9){
// IE seems to need scroll to be set explicitly
scrollers[i].style.overflowX = contentWidth > scrollerWidth ? "scroll" : "auto";
}
// Keep track of how many scrollbars we're showing
if(contentWidth > scrollerWidth){ numScrollers++; }
}
this._columnSetScrollerNode.style.bottom = this.showFooter ? this.footerNode.offsetHeight + "px" : "0";
// Align bottom of body node depending on whether there are scrollbars
this.bodyNode.style.bottom = numScrollers ?
(has("dom-scrollbar-height") + (has("ie") ? 1 : 0) + "px") :
"0";
},
_putScroller: function (columnSet, i){
// function called for each columnSet
var scroller = this._columnSetScrollers[i] =
put(this._columnSetScrollerNode, "span.dgrid-column-set-scroller.dgrid-column-set-scroller-" + i +
"[" + colsetidAttr + "=" + i +"]");
this._columnSetScrollerContents[i] = put(scroller, "div.dgrid-column-set-scroller-content");
listen(scroller, "scroll", lang.hitch(this, '_onColumnSetScroll'));
},
_onColumnSetScroll: function (evt){
var scrollLeft = evt.target.scrollLeft,
colSetId = evt.target.getAttribute(colsetidAttr),
newScrollLeft;
if(this._columnSetScrollLefts[colSetId] != scrollLeft){
query('.dgrid-column-set[' + colsetidAttr + '="' + colSetId + '"],.dgrid-column-set-scroller[' + colsetidAttr + '="' + colSetId + '"]', this.domNode).
forEach(function(element, i){
element.scrollLeft = scrollLeft;
if(!i){
// Compute newScrollLeft based on actual resulting
// value of scrollLeft, which may be different than
// what we assigned under certain circumstances
// (e.g. Chrome under 33% / 67% / 90% zoom).
// Only need to compute this once, as it will be the
// same for every row.
newScrollLeft = element.scrollLeft;
}
});
this._columnSetScrollLefts[colSetId] = newScrollLeft;
}
},
_setColumnSets: function(columnSets){
this._destroyColumns();
this.columnSets = columnSets;
this._updateColumns();
},
setColumnSets: function(columnSets){
kernel.deprecated("setColumnSets(...)", 'use set("columnSets", ...) instead', "dgrid 0.4");
this.set("columnSets", columnSets);
},
_onColumnSetCellFocus: function(event, columnSetNode){
var focusedNode = event.target;
var columnSetId = columnSetNode.getAttribute(colsetidAttr);
// columnSetNode's offsetLeft is not always correct,
// so get the columnScroller to check offsetLeft against
var columnScroller = this._columnSetScrollers[columnSetId];
var elementEdge = focusedNode.offsetLeft - columnScroller.scrollLeft + focusedNode.offsetWidth;
if (elementEdge > columnSetNode.offsetWidth ||
columnScroller.scrollLeft > focusedNode.offsetLeft) {
scrollColumnSetTo(this, columnSetNode, focusedNode.offsetLeft);
}
}
});
});
| spatialagent001/BlogExamples | example16/js/dojo/dgrid/ColumnSet.js | JavaScript | gpl-3.0 | 11,189 |
jQuery( function( $ ) {
// wc_single_product_params is required to continue, ensure the object exists
if ( typeof wc_single_product_params === 'undefined' ) {
return false;
}
// Tabs
$( '.woocommerce-tabs > .panel' ).hide();
$( '.woocommerce-tabs ul.tabs li a' ).click( function() {
var $tab = $( this ),
$tabs_wrapper = $tab.closest( '.woocommerce-tabs' );
$( 'ul.tabs li', $tabs_wrapper ).removeClass( 'active' );
$tabs_wrapper.children('div.panel').hide();
$( 'div' + $tab.attr( 'href' ), $tabs_wrapper).show();
$tab.parent().addClass( 'active' );
return false;
});
$( '.woocommerce-tabs' ).each( function() {
var hash = window.location.hash,
url = window.location.href,
tabs = $( this );
if ( hash.toLowerCase().indexOf( "comment-" ) >= 0 ) {
$('ul.tabs li.reviews_tab a', tabs ).click();
} else if ( url.indexOf( "comment-page-" ) > 0 || url.indexOf( "cpage=" ) > 0 ) {
$( 'ul.tabs li.reviews_tab a', $( this ) ).click();
} else {
$( 'ul.tabs li:first a', tabs ).click();
}
});
$( 'a.woocommerce-review-link' ).click( function() {
$( '.reviews_tab a' ).click();
return true;
});
// Star ratings for comments
$( '#rating' ).hide().before( '<p class="stars"><span><a class="star-1" href="#">1</a><a class="star-2" href="#">2</a><a class="star-3" href="#">3</a><a class="star-4" href="#">4</a><a class="star-5" href="#">5</a></span></p>' );
$( 'body' )
.on( 'click', '#respond p.stars a', function() {
var $star = $( this ),
$rating = $( this ).closest( '#respond' ).find( '#rating' );
$rating.val( $star.text() );
$star.siblings( 'a' ).removeClass( 'active' );
$star.addClass( 'active' );
return false;
})
.on( 'click', '#respond #submit', function() {
var $rating = $( this ).closest( '#respond' ).find( '#rating' ),
rating = $rating.val();
if ( $rating.size() > 0 && ! rating && wc_single_product_params.review_rating_required === 'yes' ) {
alert( wc_single_product_params.i18n_required_rating_text );
return false;
}
});
// prevent double form submission
$( 'form.cart' ).submit( function() {
$( this ).find( ':submit' ).attr( 'disabled','disabled' );
});
});
| shramee/test-ppb | js/wc-single-product.js | JavaScript | gpl-3.0 | 2,543 |
'use strict';
var obj = { a: 100, b: 200 };
var myVar = 10;
console.log('Before delete');
console.log(obj);
console.log(myVar);
delete obj.a;
//delete myVar;//ERROR
console.log('After delete' + obj);
console.log(obj);
console.log(myVar); | ramezmagdy/NetPull | js/deletingStuff.js | JavaScript | gpl-3.0 | 242 |
/* jshint expr: true */
!(function($, wysi) {
'use strict';
var templates = function(key, locale, options) {
return wysi.tpl[key]({locale: locale, options: options});
};
var Wysihtml5 = function(el, options) {
this.el = el;
var toolbarOpts = options || defaultOptions;
for(var t in toolbarOpts.customTemplates) {
wysi.tpl[t] = toolbarOpts.customTemplates[t];
}
this.toolbar = this.createToolbar(el, toolbarOpts);
this.editor = this.createEditor(options);
window.editor = this.editor;
$('iframe.wysihtml5-sandbox').each(function(i, el){
$(el.contentWindow).off('focus.wysihtml5').on({
'focus.wysihtml5' : function(){
$('li.dropdown').removeClass('open');
}
});
});
};
Wysihtml5.prototype = {
constructor: Wysihtml5,
createEditor: function(options) {
options = options || {};
// Add the toolbar to a clone of the options object so multiple instances
// of the WYISYWG don't break because 'toolbar' is already defined
options = $.extend(true, {}, options);
options.toolbar = this.toolbar[0];
var editor = new wysi.Editor(this.el[0], options);
if(options && options.events) {
for(var eventName in options.events) {
editor.on(eventName, options.events[eventName]);
}
}
return editor;
},
createToolbar: function(el, options) {
var self = this;
var toolbar = $('<ul/>', {
'class' : 'wysihtml5-toolbar',
'style': 'display:none'
});
var culture = options.locale || defaultOptions.locale || 'en';
for(var key in defaultOptions) {
var value = false;
if(options[key] !== undefined) {
if(options[key] === true) {
value = true;
}
} else {
value = defaultOptions[key];
}
if(value === true) {
toolbar.append(templates(key, locale[culture], options));
if(key === 'html') {
this.initHtml(toolbar);
}
if(key === 'link') {
this.initInsertLink(toolbar);
}
if(key === 'image') {
this.initInsertImage(toolbar);
}
}
}
if(options.toolbar) {
for(key in options.toolbar) {
toolbar.append(options.toolbar[key]);
}
}
toolbar.find('a[data-wysihtml5-command="formatBlock"]').click(function(e) {
var target = e.target || e.srcElement;
var el = $(target);
self.toolbar.find('.current-font').text(el.html());
});
toolbar.find('a[data-wysihtml5-command="foreColor"]').click(function(e) {
var target = e.target || e.srcElement;
var el = $(target);
self.toolbar.find('.current-color').text(el.html());
});
this.el.before(toolbar);
return toolbar;
},
initHtml: function(toolbar) {
var changeViewSelector = 'a[data-wysihtml5-action="change_view"]';
toolbar.find(changeViewSelector).click(function(e) {
toolbar.find('a.btn').not(changeViewSelector).toggleClass('disabled');
});
},
initInsertImage: function(toolbar) {
var self = this;
var insertImageModal = toolbar.find('.bootstrap-wysihtml5-insert-image-modal');
var urlInput = insertImageModal.find('.bootstrap-wysihtml5-insert-image-url');
var insertButton = insertImageModal.find('a.btn-primary');
var initialValue = urlInput.val();
var caretBookmark;
var insertImage = function() {
var url = urlInput.val();
urlInput.val(initialValue);
self.editor.currentView.element.focus();
if (caretBookmark) {
self.editor.composer.selection.setBookmark(caretBookmark);
caretBookmark = null;
}
self.editor.composer.commands.exec('insertImage', url);
};
urlInput.keypress(function(e) {
if(e.which == 13) {
insertImage();
insertImageModal.modal('hide');
}
});
insertButton.click(insertImage);
insertImageModal.on('shown', function() {
urlInput.focus();
});
insertImageModal.on('hide', function() {
self.editor.currentView.element.focus();
});
toolbar.find('a[data-wysihtml5-command=insertImage]').click(function() {
var activeButton = $(this).hasClass('wysihtml5-command-active');
if (!activeButton) {
self.editor.currentView.element.focus(false);
caretBookmark = self.editor.composer.selection.getBookmark();
insertImageModal.appendTo('body').modal('show');
insertImageModal.on('click.dismiss.modal', '[data-dismiss="modal"]', function(e) {
e.stopPropagation();
});
return false;
}
else {
return true;
}
});
},
initInsertLink: function(toolbar) {
var self = this;
var insertLinkModal = toolbar.find('.bootstrap-wysihtml5-insert-link-modal');
var urlInput = insertLinkModal.find('.bootstrap-wysihtml5-insert-link-url');
var targetInput = insertLinkModal.find('.bootstrap-wysihtml5-insert-link-target');
var insertButton = insertLinkModal.find('a.btn-primary');
var initialValue = urlInput.val();
var caretBookmark;
var insertLink = function() {
var url = urlInput.val();
urlInput.val(initialValue);
self.editor.currentView.element.focus();
if (caretBookmark) {
self.editor.composer.selection.setBookmark(caretBookmark);
caretBookmark = null;
}
var newWindow = targetInput.prop('checked');
self.editor.composer.commands.exec('createLink', {
'href' : url,
'target' : (newWindow ? '_blank' : '_self'),
'rel' : (newWindow ? 'nofollow' : '')
});
};
var pressedEnter = false;
urlInput.keypress(function(e) {
if(e.which == 13) {
insertLink();
insertLinkModal.modal('hide');
}
});
insertButton.click(insertLink);
insertLinkModal.on('shown', function() {
urlInput.focus();
});
insertLinkModal.on('hide', function() {
self.editor.currentView.element.focus();
});
toolbar.find('a[data-wysihtml5-command=createLink]').click(function() {
var activeButton = $(this).hasClass('wysihtml5-command-active');
if (!activeButton) {
self.editor.currentView.element.focus(false);
caretBookmark = self.editor.composer.selection.getBookmark();
insertLinkModal.appendTo('body').modal('show');
insertLinkModal.on('click.dismiss.modal', '[data-dismiss="modal"]', function(e) {
e.stopPropagation();
});
return false;
}
else {
return true;
}
});
}
};
// these define our public api
var methods = {
resetDefaults: function() {
$.fn.wysihtml5.defaultOptions = $.extend(true, {}, $.fn.wysihtml5.defaultOptionsCache);
},
bypassDefaults: function(options) {
return this.each(function () {
var $this = $(this);
$this.data('wysihtml5', new Wysihtml5($this, options));
});
},
shallowExtend: function (options) {
var settings = $.extend({}, $.fn.wysihtml5.defaultOptions, options || {}, $(this).data());
var that = this;
return methods.bypassDefaults.apply(that, [settings]);
},
deepExtend: function(options) {
var settings = $.extend(true, {}, $.fn.wysihtml5.defaultOptions, options || {});
var that = this;
return methods.bypassDefaults.apply(that, [settings]);
},
init: function(options) {
var that = this;
return methods.shallowExtend.apply(that, [options]);
}
};
$.fn.wysihtml5 = function ( method ) {
if ( methods[method] ) {
return methods[method].apply( this, Array.prototype.slice.call( arguments, 1 ));
} else if ( typeof method === 'object' || ! method ) {
return methods.init.apply( this, arguments );
} else {
$.error( 'Method ' + method + ' does not exist on jQuery.wysihtml5' );
}
};
$.fn.wysihtml5.Constructor = Wysihtml5;
var defaultOptions = $.fn.wysihtml5.defaultOptions = {
'font-styles': true,
'color': false,
'emphasis': true,
'lists': true,
'html': false,
'link': true,
'image': true,
events: {},
parserRules: {
classes: {
'wysiwyg-color-silver' : 1,
'wysiwyg-color-gray' : 1,
'wysiwyg-color-white' : 1,
'wysiwyg-color-maroon' : 1,
'wysiwyg-color-red' : 1,
'wysiwyg-color-purple' : 1,
'wysiwyg-color-fuchsia' : 1,
'wysiwyg-color-green' : 1,
'wysiwyg-color-lime' : 1,
'wysiwyg-color-olive' : 1,
'wysiwyg-color-yellow' : 1,
'wysiwyg-color-navy' : 1,
'wysiwyg-color-blue' : 1,
'wysiwyg-color-teal' : 1,
'wysiwyg-color-aqua' : 1,
'wysiwyg-color-orange' : 1
},
tags: {
'b': {},
'i': {},
'strong': {},
'em': {},
'p': {},
'br': {},
'ol': {},
'ul': {},
'li': {},
'h1': {},
'h2': {},
'h3': {},
'h4': {},
'h5': {},
'h6': {},
'blockquote': {},
'u': 1,
'img': {
'check_attributes': {
'width': 'numbers',
'alt': 'alt',
'src': 'url',
'height': 'numbers'
}
},
'a': {
check_attributes: {
'href': 'url' // important to avoid XSS
},
'set_attributes': {
'target': '_blank',
'rel': 'nofollow'
}
},
'span': 1,
'div': 1,
// to allow save and edit files with code tag hacks
'code': 1,
'pre': 1
}
},
locale: 'fr'
};
if (typeof $.fn.wysihtml5.defaultOptionsCache === 'undefined') {
$.fn.wysihtml5.defaultOptionsCache = $.extend(true, {}, $.fn.wysihtml5.defaultOptions);
}
var locale = $.fn.wysihtml5.locale = {};
})(window.jQuery, window.wysihtml5);
| UnsafeDriving/JDIY | web/jdiy/admin/js/plugins/bootstrap-wysihtml5/bootstrap3-wysihtml5.js | JavaScript | gpl-3.0 | 10,258 |
module.exports = {
//---------------------------------------------------------------------
// Action Name
//
// This is the name of the action displayed in the editor.
//---------------------------------------------------------------------
name: "Leave Voice Channel",
//---------------------------------------------------------------------
// Action Section
//
// This is the section the action will fall into.
//---------------------------------------------------------------------
section: "Audio Control",
//---------------------------------------------------------------------
// Action Subtitle
//
// This function generates the subtitle displayed next to the name.
//---------------------------------------------------------------------
subtitle: function(data) {
return 'The bot leaves voice channel.';
},
//---------------------------------------------------------------------
// Action Fields
//
// These are the fields for the action. These fields are customized
// by creating elements with corresponding IDs in the HTML. These
// are also the names of the fields stored in the action's JSON data.
//---------------------------------------------------------------------
fields: [],
//---------------------------------------------------------------------
// Command HTML
//
// This function returns a string containing the HTML used for
// editting actions.
//
// The "isEvent" parameter will be true if this action is being used
// for an event. Due to their nature, events lack certain information,
// so edit the HTML to reflect this.
//
// The "data" parameter stores constants for select elements to use.
// Each is an array: index 0 for commands, index 1 for events.
// The names are: sendTargets, members, roles, channels,
// messages, servers, variables
//---------------------------------------------------------------------
html: function(isEvent, data) {
return '';
},
//---------------------------------------------------------------------
// Action Editor Init Code
//
// When the HTML is first applied to the action editor, this code
// is also run. This helps add modifications or setup reactionary
// functions for the DOM elements.
//---------------------------------------------------------------------
init: function() {
},
//---------------------------------------------------------------------
// Action Bot Function
//
// This is the function for the action within the Bot's Action class.
// Keep in mind event calls won't have access to the "msg" parameter,
// so be sure to provide checks for variable existance.
//---------------------------------------------------------------------
action: function(cache) {
const server = cache.server;
if(server && server.me.voiceChannel) {
server.me.voiceChannel.leave();
}
this.callNextAction(cache);
},
//---------------------------------------------------------------------
// Action Bot Mod
//
// Upon initialization of the bot, this code is run. Using the bot's
// DBM namespace, one can add/modify existing functions if necessary.
// In order to reduce conflictions between mods, be sure to alias
// functions you wish to overwrite.
//---------------------------------------------------------------------
mod: function(DBM) {
}
}; // End of module | Bourbbbon/PickleRi6 | actions/leave_voice_channel.js | JavaScript | gpl-3.0 | 3,272 |
calculaAreaRectangulo = function() {
this.resultado.value = parseInt(this.alto.value) *
parseInt(this.ancho.value);
this.metodoCompartido("EEEEEAH!");
}
calculaAreaTriangulo = function() {
this.resultado.value = parseInt(this.alto.value) *
parseInt(this.ancho.value) / 2;
this.metodoCompartido("OOOOOH!");
}
calculaAreaElipse = function() {
this.resultado.value = (parseInt(this.alto.value) / 2) *
(parseInt(this.ancho.value) / 2) * Math.PI;
this.metodoCompartido("OOOOOH!");
}
function callbackGenerica(mensaje1, mensaje2) {
alert("Ya estáaaaa!! \n" + mensaje1 + " - " + mensaje2);
}
function callbackErrorRe(mensaje1, mensaje2) {
alert("¡¡callbackError Rectangulo!! \n" + mensaje1 + " - " + mensaje2);
this.kjkj = ""
}
function callbackErrorTri(mensaje1, mensaje2) {
alert("¡¡callbackError Triangulo!! \n" + mensaje1 + " - " + mensaje2);
this.kjkj = ""
}
// Rectangulo
var Rectangulo = Figura.Heredar(calculaAreaRectangulo, "Rectangulo", callbackGenerica, callbackErrorRe);
// Triangulo
var Triangulo = Figura.Heredar(calculaAreaTriangulo, "Triangulo", callbackGenerica, callbackErrorTri);
// Elipse
var Elipse = Figura.Heredar(calculaAreaElipse, "Elipse", callbackGenerica); | germanux/cursomeanstack | 02_js/18_figuras_poo/18_figuras.js | JavaScript | gpl-3.0 | 1,253 |
var searchData=
[
['dnasequencealignment_20_26_25_20dnasequencegenerator',['DNASequenceAlignment &% DNASequenceGenerator',['../md__home_cristianfernando__documentos_git__d_n_a_sequence_alignment__r_e_a_d_m_e.html',1,'']]]
];
| crisferlop/DNASequenceAlignment | doc/html/search/pages_0.js | JavaScript | gpl-3.0 | 231 |
var classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63 =
[
[ "TConsumer", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#abd01c6ae70c7d4e0aac565b280bb3cfb", null ],
[ "PrintCorrupted", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#a9edee8617d13374fa8aa82e67a4ebd39", null ],
[ "PrintLogEntry", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#a4035704e5f4a02efe4b769057a3a2265", null ],
[ "PrintReport", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#a42ea98defca7469e63b1514e3284548d", null ],
[ "run", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#a13a43e6d814de94978c515cb084873b1", null ],
[ "TestNums", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#a0de49dd1e46b63af57a0186b160b2a9f", null ],
[ "fAtBuffer", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#a1431fdcc7f817086fcc007ecb088993a", null ],
[ "fDelay", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#a06f10ece1037468fb0e4cf8e1cda4528", null ],
[ "fID", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#aa73ca4a4129d8b99c2d350691e61e38c", null ],
[ "fNCorruptions", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#ae958bd76eeba95a504975db1e46cafc0", null ],
[ "fNEmptyFrames", "d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.html#aa167347f6dd115d6a485856871edb4cd", null ]
]; | ustegrew/ppm-java | doc/javadoc/html/d2/df2/classppm__java_1_1__dev_1_1concept_1_1trial_1_1_t_atomic_buffer_1_1_t_dev___trial___atomic_buffed45a420e4fba64d481cf2bcce0c03f63.js | JavaScript | gpl-3.0 | 2,396 |
/////////////////////////////////////////////////////////////////////////////////
//
// Jobbox WebGUI
// Copyright (C) 2014-2015 Komatsu Yuji(Zheng Chuyu)
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with this program. If not, see <http://www.gnu.org/licenses/>.
//
/////////////////////////////////////////////////////////////////////////////////
Ext.define('Jobbox.controller.editor.Tree', {
extend: 'Ext.app.Controller',
refs: [{
ref: 'editorTree',
selector: 'editorTree'
}, {
ref: 'editorTreeMenu',
selector: 'editorTreeMenu'
}, {
ref: 'editorTab',
selector: 'editorTab'
}, {
ref: 'editorList',
selector: 'editorList'
}, {
ref: 'editorShow',
selector: 'editorShow'
}],
/////////////////////////////////////////////////////////////////////////////////
//
// Function:
//
// Purpose:
//
// Parameters:
//
// Return value:
//
// Author: Komatsu Yuji(Zheng Chuyu)
//
/////////////////////////////////////////////////////////////////////////////////
init: function() {
this.control({
'editorTree': {
afterrender: this.onAfterrender,
itemclick: this.onItemclick,
itemcontextmenu: this.onItemcontextmenu
},
'editorTree treeview': {
beforedrop: this.onBeforedrop,
drop: this.onDrop
},
});
},
/////////////////////////////////////////////////////////////////////////////////
//
// Function:
//
// Purpose:
//
// Parameters:
//
// Return value:
//
// Author: Komatsu Yuji(Zheng Chuyu)
//
/////////////////////////////////////////////////////////////////////////////////
onAfterrender: function(tree) {
var me = this;
Ext.create('Jobbox.view.editor.TreeMenu');
Ext.create('Jobbox.view.editor.JobunitFile');
var store = tree.getStore();
store.setRootNode({
id: 0,
name: '/',
kind: 0,
parent_id: 0,
});
me.onLoadJobunit(0);
},
/////////////////////////////////////////////////////////////////////////////////
//
// Function:
//
// Purpose:
//
// Parameters:
//
// Return value:
//
// Author: Komatsu Yuji(Zheng Chuyu)
//
/////////////////////////////////////////////////////////////////////////////////
onItemclick: function(view, record, item, index, e) {
var me = this;
me.onLoadJobunit(record.data.id);
},
/////////////////////////////////////////////////////////////////////////////////
//
// Function:
//
// Purpose:
//
// Parameters:
//
// Return value:
//
// Author: Komatsu Yuji(Zheng Chuyu)
//
/////////////////////////////////////////////////////////////////////////////////
onItemcontextmenu: function(tree, record, item, index, e, eOpts) {
var me = this;
var menu = me.getEditorTreeMenu();
menu.showAt(e.getXY());
e.stopEvent();
},
/////////////////////////////////////////////////////////////////////////////////
//
// Function:
//
// Purpose:
//
// Parameters:
//
// Return value:
//
// Author: Komatsu Yuji(Zheng Chuyu)
//
/////////////////////////////////////////////////////////////////////////////////
onBeforedrop: function(node, data, overModel, dropPosition, dropHandlers, eOpts) {
var proc = false;
dropHandlers.wait = true;
data.records.every(function(record) {
proc = false;
if (overModel.data.id == 0 && record.data.kind >= JOBUNIT_KIND_ROOTJOBNET) {
Ext.Msg.alert(I18n.t('views.msg.error'), I18n.t('views.msg.create_rootjobnet'));
return false;
}
if (overModel.data.kind >= JOBUNIT_KIND_ROOTJOBNET && record.data.kind < JOBUNIT_KIND_ROOTJOBNET) {
return false;
}
proc = true;
});
if (proc) {
dropHandlers.processDrop();
} else {
dropHandlers.cancelDrop();
}
},
/////////////////////////////////////////////////////////////////////////////////
//
// Function:
//
// Purpose:
//
// Parameters:
//
// Return value:
//
// Author: Komatsu Yuji(Zheng Chuyu)
//
/////////////////////////////////////////////////////////////////////////////////
onDrop: function(node, data, overModel, dropPosition, eOpts) {
var me = this;
data.records.forEach(function(record) {
var child = null;
if (data.copy) {
child = new Jobbox.model.JobunitChild(record.data);
} else {
child = record;
}
child.set('parent_id', overModel.data.id);
if (child.data.kind >= JOBUNIT_KIND_ROOTJOBNET) {
if (overModel.data.kind < JOBUNIT_KIND_ROOTJOBNET) {
child.set('kind', JOBUNIT_KIND_ROOTJOBNET);
child.set('x', 0);
child.set('y', 0);
} else {
child.set('kind', JOBUNIT_KIND_JOBNET);
}
}
child.save({
failure: function(rec, response) {
Ext.Msg.alert(I18n.t('views.msg.error'), I18n.t('views.msg.move_jobunit_failed') + " '" + child.data.name + "'");
me.onLoadJobunit(0);
},
});
});
},
/////////////////////////////////////////////////////////////////////////////////
//
// Function:
//
// Purpose:
//
// Parameters:
//
// Return value:
//
// Author: Komatsu Yuji(Zheng Chuyu)
//
/////////////////////////////////////////////////////////////////////////////////
onLoadJobunit: function(id) {
var me = this;
// check editing
if (jobbox_selected_rootjobnet) {
var rootjobnet_id = me.onGetRootjobnet(id);
if (rootjobnet_id != jobbox_selected_rootjobnet.data.jobunit_id && jobbox_selected_rootjobnet.data.user_id == jobbox_login_user.data.id) {
Ext.Msg.alert(I18n.t('views.msg.error'), I18n.t('views.msg.unlock_rootjobnet'));
me.onLoadJobunit(jobbox_selected_parent.data.id);
return;
}
}
// expand tree
var tree = me.getEditorTree();
var store = tree.getStore();
var node = store.getNodeById(id);
store.load({
url: location.pathname + '/jobunits',
node: node,
callback: function(records, operation, success) {
tree.selectPath(node.getPath());
tree.expandPath(node.getPath());
}
});
//set tab title
var tab = me.getEditorTab();
var title = '/';
if (id > 0) title = node.getPath('name').slice(2);
tab.setTitle(title);
// reset parent & rootjobnet
jobbox_mask.show();
jobbox_selected_parent = null;
me.onSetRootjobnet(id);
Jobbox.model.Jobunit.load(id, {
callback: function() {
jobbox_mask.hide();
},
success: function(record) {
jobbox_selected_parent = record;
// set jobunit information
var form = me.getEditorShow();
form.loadRecord(jobbox_selected_parent);
// set children
if (jobbox_selected_parent['jobbox.model.jobunitsStore']) {
jobbox_selected_parent['jobbox.model.jobunitsStore'].sort([{
property: 'kind',
direction: 'ASC'
}, {
property: 'name',
direction: 'ASC'
}]);
var grid = me.getEditorList();
grid.reconfigure(jobbox_selected_parent['jobbox.model.jobunitsStore']);
}
// set connectors
if (jobbox_selected_parent['jobbox.model.connectorsStore']) {
jobbox_selected_parent['jobbox.model.connectorsStore'].getProxy().url = location.pathname + '/jobunits/' + jobbox_selected_parent.data.id + '/connectors';
}
// set tab icon and active_tab
var ctrl = Jobbox.app.getController('editor.Flowchart');
switch (jobbox_selected_parent.data.kind) {
case JOBUNIT_KIND_JOBGROUP:
{
tab.setIcon(location.pathname + '/ext/resources/themes/images/default/tree/folder-open.gif');
tab.setActiveTab('editor_list');
break;
}
case JOBUNIT_KIND_ROOTJOBNET:
case JOBUNIT_KIND_JOBNET:
{
tab.setIcon(location.pathname + '/images/icons/chart_organisation.png');
tab.setActiveTab('editor_detail');
ctrl.onDrawFlowchart(jobbox_selected_parent);
break;
}
default:
{
tab.setIcon(location.pathname + '/images/icons/server.png');
tab.setActiveTab('editor_list');
}
}
}
});
},
/////////////////////////////////////////////////////////////////////////////////
//
// Function:
//
// Purpose:
//
// Parameters:
//
// Return value:
//
// Author: Komatsu Yuji(Zheng Chuyu)
//
/////////////////////////////////////////////////////////////////////////////////
onGetRootjobnet: function(id) {
var me = this;
var tree = me.getEditorTree();
var store = tree.getStore();
var node = store.getNodeById(id);
if (!node)
return 0;
while (true) {
if (node.data.kind <= JOBUNIT_KIND_ROOTJOBNET || node.data.id == 0)
break;
node = node.parentNode;
}
if (node.data.kind != JOBUNIT_KIND_ROOTJOBNET)
return 0;
return node.data.id;
},
/////////////////////////////////////////////////////////////////////////////////
//
// Function:
//
// Purpose:
//
// Parameters:
//
// Return value:
//
// Author: Komatsu Yuji(Zheng Chuyu)
//
/////////////////////////////////////////////////////////////////////////////////
onSetRootjobnet: function(id) {
var me = this;
var tree = me.getEditorTree();
var store = tree.getStore();
var node = store.getNodeById(id);
jobbox_selected_rootjobnet = null;
if (!node)
return;
while (true) {
if (node.data.kind <= JOBUNIT_KIND_ROOTJOBNET || node.data.id == 0)
break;
node = node.parentNode;
}
if (node.data.kind != JOBUNIT_KIND_ROOTJOBNET)
return;
Jobbox.model.Jobunit.load(node.data.id, {
success: function(record) {
jobbox_selected_rootjobnet = record['Jobbox.model.RootjobnetHasOneInstance'];
jobbox_selected_rootjobnet.getProxy().url = location.pathname + '/jobunits/' + record.data.id + '/rootjobnets';
var ctrl = Jobbox.app.getController('editor.Detail');
ctrl.onSetCheckbox();
}
});
},
});
| komatsuyuji/jobbox | frontends/public/app/controller/editor/Tree.js | JavaScript | gpl-3.0 | 10,826 |
;(function() {
'use strict';
/*this is only to be used in tests, so the same grid doesn't need to
be repeated over and over. it is the smallest solvable level that
can be produced in Sokoban, but already solved.*/
angular.module('meanieBanApp')
.factory('smallestSolvableSolved', smallestSolvableSolved);
function smallestSolvableSolved(tileUtility) {
return tileUtility.stringGridToChars([
['wall', 'wall', 'wall', 'wall', 'wall'],
['wall', 'box-docked', 'worker', 'floor', 'wall'],
['wall', 'wall', 'wall', 'wall', 'wall']
]);
}
})();
| simonwendel/meanieban | client/test/utilities/smallestsolvablesolved.js | JavaScript | gpl-3.0 | 629 |
'use strict';(function(){function I(a){return 4<a?"znak\u00f3w":1<a?"znaki":"znak"}function S(a,b){return Object.keys(a).reduce(function(c,e){c[e]=b(a[e]);return c},{})}function f(a){return"undefined"!==typeof a}function d(a){return"function"===typeof a}function v(a){return"[object RegExp]"===Object.prototype.toString.call(a)}function J(a,b,c,e=!1,d=0){let T=new U(c,d);b.split(" ").forEach((b)=>{a.addEventListener(b,function(){T.run(...arguments)},e)})}function y(a=null){return null===a?"":(a+"").replace("/",
"")}function w(a=null){return null===a?"":(a+"").split(" ").join("")}function V(a){a=w(a).split("/");70>a[1]?a[1]="20"+a[1]:100>a[1]&&(a[1]="19"+a[1]);return{month:a[0],year:a[1]}}function W(a,b={}){let c=[];X.forEach((e)=>{if(e.HTMLElementHasRule(a)||b[e.ruleName]){let d=b[e.ruleName]||{};d.element=a;e=new e(d);e.init();c.push(e)}});return c}function Y(a,b={}){let c=[];if(g.HTMLElementHasRule(a)||b.required)b=b.required||{},b.element=a,a=new g(b),a.init(),c.push(a);return c}function K(a,b,c){if("input"===
a.nodeName.toLowerCase()||"select"===a.nodeName.toLowerCase())return new Z(a,{validator:W(a,b.validator).concat(b.validator.rules||[]),errorMessageElement:b.errorMessageElement,name:b.name},c);if(a.hasAttribute("data-mc-field-radio"))return new aa(a,{validator:Y(a,b.validator).concat(b.validator.rules||[]),errorMessageElement:b.errorMessageElement,name:b.name},c)}function L(a){let b=new ba(a.element,{name:a.name,fields:[],validator:[],errorMessageElement:a.errorMessageElement});S(a.fields,(a)=>b.fields.push(K(a.element,
a,b)));return b}function ca(){let a=document.querySelector(h.card);return L({name:"card",element:a,fields:{number:{name:"number",element:a.querySelector('input[name="cc_card_number"]'),validator:{required:{value:!0},rules:[new z]},errorMessageElement:a.querySelector('[data-paylane-error-message="cc_card_number"]')},expirationDate:{name:"expirationDate",element:a.querySelector('input[name="cc_expiration_date"]'),validator:{required:{value:!0},rules:[new A]},errorMessageElement:a.querySelector('[data-paylane-error-message="cc_expiration_date"]')},
securityCode:{name:"securityCode",element:a.querySelector('input[name="cc_security_code"]'),validator:{required:{value:!0},rules:[new B]},errorMessageElement:a.querySelector('[data-paylane-error-message="cc_security_code"]')},nameOnCard:{name:"nameOnCard",element:a.querySelector('input[name="cc_name_on_card"]'),validator:{required:{value:!0},minLength:{value:2,errorMessage:k.nameOnCard.minLength},maxLength:{value:50,errorMessage:k.nameOnCard.maxLength}},errorMessageElement:a.querySelector('[data-paylane-error-message="cc_name_on_card"]')}},
errorMessageElement:a.querySelector('[data-paylane-error-message="credit_card"]')})}function da(){let a=document.querySelector(h.sepaDirectDebit);return L({element:a,name:"sepaDirectDebit",fields:{accountHolder:{name:"accountHolder",element:a.querySelector('input[name="sepa_account_holder"]'),validator:{required:{value:!0},minLength:{value:2,errorMessage:k.nameOnCard.minLength},maxLength:{value:50,errorMessage:k.nameOnCard.maxLength}},errorMessageElement:a.querySelector('[data-paylane-error-message="sepa_account_holder"]')},
iban:{name:"iban",element:a.querySelector('input[name="sepa_iban"]'),validator:{required:{value:!0},pattern:{value:/^[a-zA-Z]{2}[0-9]{2}[a-zA-Z0-9]{11}([a-zA-Z0-9]?){0,16}$/}},errorMessageElement:a.querySelector('[data-paylane-error-message="sepa_iban"]')},bic:{name:"bic",element:a.querySelector('input[name="sepa_bic"]'),validator:{required:{value:!0},pattern:{value:/^[A-Z]{6}[A-Z0-9]{2}([A-Z0-9]{3})?$/}},errorMessageElement:a.querySelector('[data-paylane-error-message="sepa_bic"]')},accountCountry:{name:"accountCountry",
element:a.querySelector('[name="sepa_account_country"]'),validator:{required:{value:!0}},errorMessageElement:a.querySelector('[data-paylane-error-message="sepa_account_country"]')}}})}function ea(){let a=document.querySelector(h.polishBankTransfer),b=a.querySelector('[data-mc-field-radio="transfer_bank"]');return K(b,{name:"polishBankTransfer",element:b,validator:{required:{value:!0}},errorMessageElement:a.querySelector('[data-paylane-error-message="transfer_bank"]')})}function fa(a){let b=document.querySelector('form[name="checkout"]');
b||(b=document.querySelector("form#order_review"));return new ha(b,{fields:a})}function x(){return Array.from(M()).find((a)=>a.checked).value||""}function M(){return document.querySelectorAll('input[name="payment_method"]')}function N(){let a=document.querySelector('input[name="billing_first_name"]'),b=document.querySelector('input[name="billing_last_name"]'),c="";a&&a.value&&(c=a.value);b&&b.value&&(c=`${c} ${b.value}`);return c}function C(a=null){a=null===a?jQuery('input.paylane-polish-bank-transfer__input[name="transfer_bank"]:checked').val():
a;void 0===a?jQuery("#paylane-payment-form-bank-transfer-choosed-method").text("-"):jQuery("#paylane-payment-form-bank-transfer-choosed-method").text(ia[a])}let k={defaults:{required:"To pole jest wymagane",pattern:"Niepoprawny format pola",cardNumber:"Niepoprawny numer karty",cardExpirationDate:"Niepoprawny data wyga\u015bni\u0119cia karty",cardSecurityCode:"Niepoprawny kod CVV/CVC"},nameOnCard:{minLength:"Wymagane minimum 2 znaki",maxLength:"Wymagane maksimum 50 znak\u00f3w"}},ia={AB:"Alior Bank",
AS:"T-Mobile Us\u0142ugi Bankowe",MT:"mTransfer",IN:"Inteligo",IP:"iPKO",MI:"Millenium",CA:"Credit Agricole",PP:"Poczta Polska",PCZ:"Bank Pocztowy",IB:"Idea Bank",PO:"Pekao S.A.",GB:"Getin Bank",IG:"ING Bank \u015al\u0105ski",WB:"Santander Bank",PB:"Bank BG\u017b BNP PARIBAS",CT:"Citi",PL:"Plus Bank",NP:"Noble Pay",BS:"Bank Sp\u00f3\u0142dzielczy",NB:"NestBank",PBS:"Podkarpacki Bank Sp\u00f3\u0142dzielczy",SGB:"Sp\u00f3\u0142dzielcza Grupa Bankowa",BP:"Bank BPH",OH:"Other bank",BLIK:"BLIK"};var O=
()=>"Niepoprawny adres email",P=(a)=>{let b=I(a);return`Wymagane maksimum ${a} ${b}`},Q=(a)=>{let b=I(a);return`Wymagane minimum ${a} ${b}`},D=()=>"Niepoprawny format pola",r=()=>"To pole jest wymagane",E=()=>"Niepoprawny numer karty",F=()=>"Niepoprawny data wyga\u015bni\u0119cia karty",G=()=>"Niepoprawny kod CVV/CVC";class U{constructor(a,b=250){this.callback=a;this.delay=b;this.timer=void 0}run(...a){this.timer&&clearTimeout(this.timer);this.timer=setTimeout(()=>{this.callback(...arguments)},this.delay)}}
class z{constructor(a={}){this.isValid=this.value=!0;f(a.value)&&(this.value=!!a.value);a.errorMessage&&(this.errorMessage=a.errorMessage)}get name(){return z.ruleName}static get ruleName(){return"cardNumber"}static get DEFAULT_TEXT(){return E}static set DEFAULT_TEXT(a){E=d(a)?a:()=>a}get errorMessage(){let a=this._text||z.DEFAULT_TEXT;return d(a)?a(this.value):a}set errorMessage(a){this._text=a}init(){return this}isEnabled(){return!!this.value}validate(a){if(this.isEnabled()&&a){var b=(a+"").replace(/\s+|-/g,
"");if(a=10<=b.length&&16>=b.length){{let c,e,d,f;a=!0;e=0;c=(b+"").split("").reverse();d=0;for(f=c.length;d<f;d++)b=c[d],b=parseInt(b,10),(a=!a)&&(b*=2),9<b&&(b-=9),e+=b;a=0===e%10}}}else a=!0;this.isValid=a;return{name:this.name,errorMessage:this.errorMessage,isValid:this.isValid}}}class A{constructor(a={}){this.isValid=this.value=!0;f(a.value)&&(this.value=!!a.value);a.errorMessage&&(this.errorMessage=a.errorMessage)}get name(){return A.ruleName}static get ruleName(){return"cardExpirationDate"}static get DEFAULT_TEXT(){return F}static set DEFAULT_TEXT(a){F=
d(a)?a:()=>a}get errorMessage(){let a=this._text||A.DEFAULT_TEXT;return d(a)?a(this.value):a}set errorMessage(a){this._text=a}init(){return this}isEnabled(){return!!this.value}validate(a){if(this.isEnabled()&&a){{var b=void 0;let c,e;b?(a=y(a),b=y(b)):(b=(a+"").split("/"),a=w(b[0]),b=w(b[1]));a=!!/^\d+$/.test(a)&&!!/^\d+$/.test(b)&&1<=a&&12>=a&&(2===b.length&&(b=70>b?"20"+b:"19"+b),4===b.length&&(e=new Date(b,a),c=new Date,e.setMonth(e.getMonth()-1),e.setMonth(e.getMonth()+1,1),e>c))}}else a=!0;this.isValid=
a;return{name:this.name,errorMessage:this.errorMessage,isValid:this.isValid}}}class B{constructor(a={}){this.isValid=this.value=!0;f(a.value)&&(this.value=!!a.value);a.errorMessage&&(this.errorMessage=a.errorMessage)}get name(){return B.ruleName}static get ruleName(){return"cardSecurityCode"}static get DEFAULT_TEXT(){return G}static set DEFAULT_TEXT(a){G=d(a)?a:()=>a}get errorMessage(){let a=this._text||B.DEFAULT_TEXT;return d(a)?a(this.value):a}set errorMessage(a){this._text=a}init(){return this}isEnabled(){return!!this.value}validate(a){if(this.isEnabled()&&
a){var b=a;a=(b=y(b),/^\d+$/.test(b)&&3<=b.length&&4>=b.length)}else a=!0;this.isValid=a;return{name:this.name,errorMessage:this.errorMessage,isValid:this.isValid}}}class m{constructor(a={}){this.isValid=!0;this.value=a.value;a.errorMessage&&(this.errorMessage=a.errorMessage);a.element&&(this.element=a.element)}get name(){return m.ruleName}static get ruleName(){return"minLength"}static get DEFAULT_TEXT(){return Q}set DEFAULT_TEXT(a){Q=d(a)?a:()=>a}get errorMessage(){let a=this._text||m.DEFAULT_TEXT;
return d(a)?a(this.value):a}set errorMessage(a){this._text=a}init(){if(this.hasHTMLAttribute()){let a=this.getHTMLAttribute();a!==this.value&&(this.value=a)}else f(this.value)&&this.setHTMLAttribute(this.value);return this}isEnabled(){return f(this.value)&&0<this.value}validate(a){this.isValid=this.isEnabled()&&a?a.length>=this.value:!0;return{name:this.name,errorMessage:this.errorMessage,isValid:this.isValid}}setValue(a){this.value=a;this.setHTMLAttribute(this.value);return this}hasHTMLAttribute(){return m.hasHTMLAttribute(this.element)}getHTMLAttribute(){return m.getHTMLAttribute(this.element)}setHTMLAttribute(a){m.setHTMLAttribute(this.element,
a)}static hasHTMLAttribute(a){return a.hasAttribute("minlength")&&""!==a.getAttribute("minlength")}static getHTMLAttribute(a){return parseInt(a.getAttribute("minlength"))}static setHTMLAttribute(a,b){a.setAttribute("minlength",b)}static HTMLElementHasRule(a){return m.hasHTMLAttribute(a)}}class n{constructor(a={}){this.isValid=!0;this.value=!!a.value;a.errorMessage&&(this.errorMessage=a.errorMessage);a.element&&(this.element=a.element)}get name(){return n.ruleName}static get ruleName(){return"required"}static get DEFAULT_TEXT(){return r}static set DEFAULT_TEXT(a){r=
d(a)?a:()=>a}get errorMessage(){let a=this._text||n.DEFAULT_TEXT;return d(a)?a(this.value):a}set errorMessage(a){this._text=a}init(){this.hasHTMLAttribute()?this.value=!0:this.value&&this.setHTMLAttribute(this.value);return this}isEnabled(){return!!this.value}validate(a){this.isValid=this.isEnabled()?!!a:!0;return{name:this.name,errorMessage:this.errorMessage,isValid:this.isValid}}setValue(a){this.value=!!a;this.setHTMLAttribute(this.value);return this}hasHTMLAttribute(){return n.hasHTMLAttribute(this.element)}getHTMLAttribute(){return n.getHTMLAttribute(this.element)}setHTMLAttribute(a){n.setHTMLAttribute(this.element,
a)}static hasHTMLAttribute(a){return a.hasAttribute("required")}static getHTMLAttribute(a){return a.hasAttribute("required")}static setHTMLAttribute(a,b){b?a.setAttribute("required","required"):a.removeAttribute("required")}static HTMLElementHasRule(a){return n.hasHTMLAttribute(a)}}let R=/^(?=.{1,254}$)(?=.{1,64}@)[-!#$%&'*+/0-9=?A-Z^_`a-z{|}~]+(\.[-!#$%&'*+/0-9=?A-Z^_`a-z{|}~]+)*@[A-Za-z0-9]([A-Za-z0-9-]{0,61}[A-Za-z0-9])?(\.[A-Za-z0-9]([A-Za-z0-9-]{0,61}[A-Za-z0-9])?)*$/;class l{constructor(a={}){this.isValid=
!0;this.value=!!a.value;a.errorMessage&&(this.errorMessage=a.errorMessage);a.element&&(this.element=a.element)}get name(){return l.ruleName}static get EMAIL_REGEXP(){return R}static set EMAIL_REGEXP(a){R=a}static get ruleName(){return"email"}static get DEFAULT_TEXT(){return O}static set DEFAULT_TEXT(a){O=d(a)?a:()=>a}get errorMessage(){let a=this._text||l.DEFAULT_TEXT;return d(a)?a(this.value):a}set errorMessage(a){this._text=a}init(){this.hasHTMLAttribute()?this.value=!0:this.value&&this.setHTMLAttribute(this.value);
return this}isEnabled(){return!!this.value}validate(a){this.isValid=this.isEnabled()&&a?l.EMAIL_REGEXP.test(a):!0;return{name:this.name,errorMessage:this.errorMessage,isValid:this.isValid}}setValue(a){this.value=!!a;this.setHTMLAttribute(this.value);return this}hasHTMLAttribute(){return l.hasHTMLAttribute(this.element)}getHTMLAttribute(){return l.getHTMLAttribute(this.element)}setHTMLAttribute(a){l.setHTMLAttribute(this.element,a)}static hasHTMLAttribute(a){return"email"===a.getAttribute("type")}static getHTMLAttribute(a){return"email"===
a.getAttribute("type")}static setHTMLAttribute(a,b){b?a.setAttribute("type","email"):a.setAttribute("type","text")}static HTMLElementHasRule(a){return l.hasHTMLAttribute(a)}}class p{constructor(a={}){this.isValid=!0;this.value=a.value;a.errorMessage&&(this.errorMessage=a.errorMessage);a.element&&(this.element=a.element)}get name(){return p.ruleName}static get ruleName(){return"maxLength"}static get DEFAULT_TEXT(){return P}set DEFAULT_TEXT(a){P=d(a)?a:()=>a}get errorMessage(){let a=this._text||p.DEFAULT_TEXT;
return d(a)?a(this.value):a}set errorMessage(a){this._text=a}init(){if(this.hasHTMLAttribute()){let a=this.getHTMLAttribute();a!==this.value&&(this.value=a)}else f(this.value)&&this.setHTMLAttribute(this.value);return this}isEnabled(){return f(this.value)&&0<this.value}validate(a){this.isValid=this.isEnabled()?a.length<=this.value:!0;return{name:this.name,errorMessage:this.errorMessage,isValid:this.isValid}}setValue(a){this.value=a;this.setHTMLAttribute(this.value);return this}hasHTMLAttribute(){return p.hasHTMLAttribute(this.element)}getHTMLAttribute(){return p.getHTMLAttribute(this.element)}setHTMLAttribute(a){p.setHTMLAttribute(this.element,
a)}static hasHTMLAttribute(a){return a.hasAttribute("maxlength")&&""!==a.getAttribute("maxlength")}static getHTMLAttribute(a){return parseInt(a.getAttribute("maxlength"))}static setHTMLAttribute(a,b){a.setAttribute("maxlength",b)}static HTMLElementHasRule(a){return p.hasHTMLAttribute(a)}}class q{constructor(a={}){this.isValid=!0;this.value=a.value;a.errorMessage&&(this.errorMessage=a.errorMessage);a.element&&(this.element=a.element)}get name(){return q.ruleName}static get ruleName(){return"pattern"}static get DEFAULT_TEXT(){return D}set DEFAULT_TEXT(a){D=
d(a)?a:()=>a}get errorMessage(){let a=this._text||q.DEFAULT_TEXT;return d(a)?a(this.value):a}set errorMessage(a){this._text=a}init(){if(this.hasHTMLAttribute()){let c=this.getHTMLAttribute();var a;if(a=v(c)){a=c;var b=this.value;a=v(a)?v(b)?a.toString()===b.toString():!1:!1;a=!a}a&&(this.value=c)}else f(this.value)&&this.setHTMLAttribute(this.value);return this}isEnabled(){return f(this.value)}validate(a){this.isValid=this.isEnabled()&&a?this.value.test(a):!0;return{name:this.name,errorMessage:this.errorMessage,
isValid:this.isValid}}setValue(a){if(v(a))this.value=a;else if("string"===typeof a)this.value=new RegExp(a);else if("number"===typeof a)this.value=new RegExp(a.toString());else return console.error("pattern value must be RegExp, String or Number. Your value:",a),this;this.setHTMLAttribute(this.value);return this}hasHTMLAttribute(){return q.hasHTMLAttribute(this.element)}getHTMLAttribute(){return q.getHTMLAttribute(this.element)}setHTMLAttribute(a){q.setHTMLAttribute(this.element,a)}static hasHTMLAttribute(a){return a.hasAttribute("pattern")&&
""!==a.getAttribute("pattern")}static getHTMLAttribute(a){return a.getAttribute("pattern")}static setHTMLAttribute(a,b){a.setAttribute("pattern",b)}static HTMLElementHasRule(a){return q.hasHTMLAttribute(a)}}let X=[n,m,p,q,l];class H{constructor(a){this.toAdd=[];this.toRemove=[];this.element=a}createValidationClasses(a,b=""){let c=H.CLASS_PREFIX;""!=b&&(c=c+"-"+b.toLocaleLowerCase());a?(this.toAdd.push(`${c}-valid`),this.toRemove.push(`${c}-invalid`)):(this.toAdd.push(`${c}-invalid`),this.toRemove.push(`${c}-valid`));
return this}createValidatorRuleStateClasses(a){this.createValidationClasses(a.isValid,a.name);return this}createValidatorStateClasses(a,b){a.rules.forEach((a)=>this.createValidatorRuleStateClasses(a));this.createValidationClasses(a.isValid,b);return this}renderClasses(){this.element.classList.remove(...this.toRemove);this.element.classList.add(...this.toAdd);this.toRemove=[];this.toAdd=[];return this}}H.CLASS_PREFIX="paylane";class t{constructor(a,b,c){this.rules=[];this.isValid=!0;this.errorMessage=
"";this.toggleErrorOnValidate=!0;this.afterValidate=function(){};this.field=a;this.rules=b||[];c&&(this.errorMessageElement=c)}validate(a=this.toggleErrorOnValidate){let b=this.validateChildren(this.field.fields),c=this.validateSelf(this.field.getValue(),this.field);this.isValid=b.isValid&&c.isValid;this.errorMessage=c.errorMessage||"";(new H(this.field.element)).createValidatorStateClasses(b,"child").createValidatorStateClasses(c,"self").createValidationClasses(this.isValid).renderClasses();a&&(this.hideErrorMessage(),
c.isValid||this.showErrorMessage());this.afterValidate(this);return this}validateSelf(a,b){if(!this.rules.length)return{rules:[],errorMessage:"",isValid:!0};let c=this.rules.map((c)=>{c.validate(a,b);return c}),e=c.find((a)=>!a.isValid);return{rules:c,errorMessage:e?e.errorMessage:"",isValid:!e}}validateChildren(a=[]){if(!a.length)return{rules:[],errorMessage:"",isValid:!0};a=a.map((a)=>{a.validator.validate();return{name:a.getName(),errorMessage:a.validator.errorMessage,isValid:a.validator.isValid}});
let b=a.find((a)=>!a.isValid);return{rules:a,errorMessage:b?b.errorMessage:"",isValid:!b}}hideAllErrorMessages(){this.hideErrorMessage().hideChildrenErrorMessages();return this}hideChildrenErrorMessages(){if(!this.field.fields)return this;this.field.fields.forEach((a)=>{a.validator.hideErrorMessage()});return this}hideErrorMessage(){if(!this.errorMessageElement)return this;for(;this.errorMessageElement.firstChild;)this.errorMessageElement.removeChild(this.errorMessageElement.firstChild);return this}showErrorMessage(a=
this.errorMessage){let b=document.createElement("span");b.innerText=a;this.errorMessageElement.appendChild(b);return this}addRule(a){this.rules.push(a);return this}updateRule(a,b){let c=this.rules.findIndex((b)=>b.name===a);0>c&&this.addRule(b);this.rules[c]=b;return this}getRule(a){return this.rules.find((b)=>b.name===a)}}class Z{constructor(a,b,c=null){this.element=a;(a=b.type)||(a=this.element,a="input"===a.nodeName.toLowerCase()?a.hasAttribute("type")&&""!==a.getAttribute("type")?a.getAttribute("type"):
"text":a.nodeName.toLowerCase());this.type=a;this.validator=new t(this,b.validator,b.errorMessageElement);b.name&&(this.name=b.name);this.parent=c;this.init()}get value(){return(this.element.value||"").trim()}set value(a){this.element.value=(a+"").trim()}getValue(){return this.value}clearValue(){this.value="";return this}getName(){return this.name||this.element.getAttribute("name")}init(){this.validator.validate(!1);J(this.element,"change keydown",()=>{this.validator.validate()},!1,250)}}class aa{constructor(a,
b,c=null){this.type="radio";this.element=a;this.inputs=a.querySelectorAll('input[type="radio"]');this.validator=new t(this,b.validator,b.errorMessageElement);b.name&&(this.name=b.name);this.parent=c;this.init()}get value(){let a=Array.from(this.inputs).find((a)=>!!a.checked);return a?a.value:""}set value(a){this.inputs.forEach(function(b){b.checked=b.value===a})}getValue(){return this.value}clearValue(){this.inputs.forEach(function(a){a.checked=!1});return this}getName(){return this.name||this.element.getAttribute("name")}init(){this.validator.validate(!1);
let a=()=>{this.validator.validate()};this.inputs.forEach(function(b){J(b,"change",a,!1,250)})}}class ba{constructor(a,b){this.type="fields-group";this.parent=null;this.fields=[];this.onSubmit=function(){};this.element=a;this.validator=new t(this,b.validator);this.validator=new t(this,b.validator,b.errorMessageElement);this.fields=b.fields;this.name=b.name}getName(){return this.name||this.element.getAttribute("id")}getField(a){return this.fields.find((b)=>b.getName()===a)}getValue(){let a={};this.fields.forEach((b)=>
{a[b.getName()]=b.getValue()});return a}clearValue(){this.fields.forEach((a)=>{a.clearValue()});return this}init(){return this}}class g{constructor(a={}){this.isValid=!0;this.value=!!a.value;a.errorMessage&&(this.errorMessage=a.errorMessage);a.element&&(this.element=a.element)}get name(){return g.ruleName}static get ruleName(){return"required"}static get DEFAULT_TEXT(){return r}static set DEFAULT_TEXT(a){r=d(a)?a:()=>a}get errorMessage(){let a=this._text||g.DEFAULT_TEXT;return d(a)?a(this.value):
a}set errorMessage(a){this._text=a}init(){this.hasHTMLAttribute()?(this.value=!0,this.setValue(!0)):this.value&&this.setHTMLAttribute(this.value);return this}isEnabled(){return!!this.value}validate(a){this.isValid=this.isEnabled()?!!a:!0;return{name:this.name,errorMessage:this.errorMessage,isValid:this.isValid}}setValue(a){this.value=!!a;this.setHTMLAttribute(this.value);return this}hasHTMLAttribute(){return g.hasHTMLAttribute(this.element)}getHTMLAttribute(){return g.getHTMLAttribute(this.element)}setHTMLAttribute(a){g.setHTMLAttribute(this.element,
a)}static hasHTMLAttribute(a){return!!Array.from(a.querySelectorAll('input[type="radio"]')).find((a)=>a.hasAttribute("required"))}static getHTMLAttribute(a){return g.hasHTMLAttribute(a)}static setHTMLAttribute(a,b){return a.querySelectorAll('input[type="radio"]').forEach((a)=>{b?a.setAttribute("required","required"):a.removeAttribute("required")})}static HTMLElementHasRule(a){return g.hasHTMLAttribute(a)}}class ha{constructor(a,b){this.type="form";this.parent=null;this.fields=[];this.onSubmit=function(){};
this.element=a;this.validator=new t(this,b.validator);this.fields=b.fields}getField(a){return this.fields.find((b)=>b.getName()===a)}getName(){return this.element.getAttribute("id")}getValue(){let a={};this.fields.forEach((b)=>{a[b.getName()]=b.getValue()});return a}clearValue(){this.fields.forEach((a)=>{a.clearValue()});return this}init(){this.element.setAttribute("novalidate","true");return this}setOnSubmit(a){this.onSubmit=a}}let h={card:"#payment .payment_method_paylane_credit_card",polishBankTransfer:"#payment .payment_method_paylane_polish_bank_transfer",
sepaDirectDebit:"#payment .payment_method_paylane_sepa_direct_debit"};r=()=>k.defaults.required;E=()=>k.defaults.cardNumber;F=()=>k.defaults.cardExpirationDate;G=()=>k.defaults.cardSecurityCode;D=()=>k.defaults.pattern;class ja{constructor(){this.generatingCardToken=this.hasCardToken=!1;this.tmpCardsData={number:"",expirationDate:"",securityCode:"",nameOnCard:""}}init(){let a=this,b=[];document.querySelector(h.card)&&(this.cardGroup=ca(),this.tokenInput=this.cardGroup.element.querySelector('input[name="payment_params_token"]'),
b.push(this.cardGroup));document.querySelector(h.sepaDirectDebit)&&(this.sepaDirectDebitGroup=da(),b.push(this.sepaDirectDebitGroup));document.querySelector(h.polishBankTransfer)&&(this.polishBankTransferField=ea(),b.push(this.polishBankTransferField));0<b.length&&(this.checkoutForm=fa(b),this.checkoutFormButton&&this.checkoutFormButton.removeEventListener("click",(a)=>{this.onClickButtonSubmit(a)}),this.checkoutFormButton=document.querySelector("#place_order"),this.checkoutFormButton.addEventListener("click",
(a)=>{this.onClickButtonSubmit(a)}),this.togglePaymentMethods(x()),this.checkoutForm.init(),M().forEach(function(b){b.addEventListener("change",function(){a.togglePaymentMethods(this.value)})}))}onClickButtonSubmit(a){this.mustOverideSubmit(x())&&(this.checkoutForm.validator.hideAllErrorMessages(),this.checkoutForm.validator.validate(),this.checkoutForm.validator.isValid?"paylane_credit_card"===x()&&(this.generatingCardToken?a.preventDefault():this.hasCardToken?(this.cloneCard(),this.clearCard(),
this.toggleCardRequiredValidation(!1)):(a.preventDefault(),this.generatingCardToken=!0,this.generateToken((a)=>{this.tokenInput.value=a;this.hasCardToken=!0;this.generatingCardToken=!1;this.checkoutFormButton.dispatchEvent(new MouseEvent("click",{view:window,bubbles:!0,cancelable:!0}))},(a,c)=>{this.tokenInput.value="";this.generatingCardToken=this.hasCardToken=!1;this.cardGroup.validator.showErrorMessage(c)}))):a.preventDefault())}generateToken(a=()=>{},b=()=>{}){var c=V(this.cardGroup.getField("expirationDate").getValue());
c={cardNumber:w(this.cardGroup.getField("number").getValue()),expirationMonth:c.month,expirationYear:c.year,nameOnCard:this.cardGroup.getField("nameOnCard").getValue(),cardSecurityCode:this.cardGroup.getField("securityCode").getValue()};PayLane.card.generateToken(c,function(b){a(b)},function(a,c){b(a,c)})}togglePaymentMethods(a){document.querySelector(h.card)&&this.toggleCardGroup("paylane_credit_card"===a);document.querySelector(h.polishBankTransfer)&&this.togglePolishBankTransfer("paylane_polish_bank_transfer"===
a);document.querySelector(h.sepaDirectDebit)&&this.toggleSepaDDGroup("paylane_sepa_direct_debit"===a)}mustOverideSubmit(a){return"paylane_credit_card"===a||"paylane_polish_bank_transfer"===a||"paylane_sepa_direct_debit"===a}toggleCardGroup(a){this.toggleCardRequiredValidation(a);a?this.cardGroup.getField("nameOnCard").value=N():(this.clearCard(),this.tokenInput.value="",this.hasCardToken=!1);this.cardGroup.validator.hideAllErrorMessages()}cloneCard(){this.tmpCardsData.number=this.cardGroup.getField("number").value;
this.tmpCardsData.expirationDate=this.cardGroup.getField("expirationDate").value;this.tmpCardsData.securityCode=this.cardGroup.getField("securityCode").value;this.tmpCardsData.nameOnCard=this.cardGroup.getField("nameOnCard").value}restoreCard(){this.cardGroup.getField("number").value=this.tmpCardsData.number;this.cardGroup.getField("expirationDate").value=this.tmpCardsData.expirationDate;this.cardGroup.getField("securityCode").value=this.tmpCardsData.securityCode;this.cardGroup.getField("nameOnCard").value=
this.tmpCardsData.nameOnCard;this.removeCardFromCache();this.toggleCardRequiredValidation(!0)}removeCardFromCache(){this.tmpCardsData.number="";this.tmpCardsData.expirationDate="";this.tmpCardsData.securityCode="";this.tmpCardsData.nameOnCard=""}clearCard(){this.cardGroup.getField("number").clearValue();this.cardGroup.getField("expirationDate").clearValue();this.cardGroup.getField("securityCode").clearValue();this.cardGroup.getField("nameOnCard").clearValue()}toggleCardRequiredValidation(a){this.cardGroup.getField("number").validator.getRule("required").setValue(a);
this.cardGroup.getField("expirationDate").validator.getRule("required").setValue(a);this.cardGroup.getField("securityCode").validator.getRule("required").setValue(a);this.cardGroup.getField("nameOnCard").validator.getRule("required").setValue(a)}togglePolishBankTransfer(a){this.polishBankTransferField.validator.getRule("required").setValue(a);a||this.polishBankTransferField.clearValue();this.polishBankTransferField.validator.hideAllErrorMessages()}toggleSepaDDGroup(a){this.sepaDirectDebitGroup.getField("accountHolder").validator.getRule("required").setValue(a);
this.sepaDirectDebitGroup.getField("iban").validator.getRule("required").setValue(a);this.sepaDirectDebitGroup.getField("bic").validator.getRule("required").setValue(a);this.sepaDirectDebitGroup.getField("accountCountry").validator.getRule("required").setValue(a);if(a){if(this.sepaDirectDebitGroup.getField("accountHolder").value=N(),!this.sepaDirectDebitGroup.getField("accountCountry").element.hasAttribute("readonly")){a=this.sepaDirectDebitGroup.getField("accountCountry");var b=(b=document.querySelector('select[name="billing_country"]'))&&
b.value?b.value+"":"";a.value=b}}else this.sepaDirectDebitGroup.getField("accountHolder").clearValue(),this.sepaDirectDebitGroup.getField("iban").clearValue(),this.sepaDirectDebitGroup.getField("bic").clearValue(),this.sepaDirectDebitGroup.getField("accountCountry").element.hasAttribute("readonly")||this.sepaDirectDebitGroup.getField("accountCountry").clearValue();this.sepaDirectDebitGroup.validator.validate();this.sepaDirectDebitGroup.validator.hideAllErrorMessages()}}let u=new ja;jQuery("body").bind("updated_checkout",
function(){u.init()});document.addEventListener("DOMContentLoaded",function(){u.init();jQuery(document.body).on("updated_checkout init_checkout",()=>{u.init()});jQuery("body").on("updated_checkout",()=>{u.init()});jQuery(document.body).on("checkout_error",()=>{"paylane_credit_card"===x()&&u.restoreCard()});C();jQuery("body").on("click","div.paylane-polish-bank-transfer",(a)=>{a=jQuery(a.target).val();C(a)});jQuery("body").on("click","wc_payment_method",()=>{C()});jQuery(document).ready(()=>{jQuery(".paylane-cardexpirationdate-valid").mask("00 / 00");
jQuery(".paylane-cardnumber-valid").mask("0000 0000 0000 0000");jQuery(".paylane-cardsecuritycode-valid").mask("000")})})})();
| PayLane/paylane_woocommerce | assets/js/paylane-woocommerce.js | JavaScript | gpl-3.0 | 28,619 |
define(['jquery', 'system', 'i18n'], function($,_system,i18n){
'use strict';
var remote = null;
function init () {
remote = remote || window.apis.services.partition;
};
var partial = {
myalert: function (msg) {
var $alert = $('#myalert');
$alert.off('click', '.js-close');
$alert.find('p.content').text(msg);
$alert.modal();
},
getparts: function (data, iso, reflash_parts) {
remote.getPartitions(function (disks) {
disks = disks.reverse();
if(iso && iso.mode === "usb" ) {
disks = _.reject(disks, function (disk) {
return disk.path === iso.device.slice(0,8);
})
}
reflash_parts (data, disks);
});
},
method: function (action, iso, args,callback) {
init();
var func = remote[action];
var that = this;
var msgs = {
1: i18n.gettext('Too many primary partitions.'),
2: i18n.gettext('Too many extended partitions.'),
}
var test = function (result) {
if (result.status && result.status === "success") {
that.getparts(result, iso, callback);
}else {
var msg_tmp = result.reason;
var msg = i18n.gettext('Operation fails');
if (msg_tmp && msg_tmp.indexOf('@') === 1) {
msg_tmp = msgs[msg_tmp[0]];
msg = msg + ":" + msg_tmp;
};
that.myalert(msg);
console.log(result);
}
};
args.push(test);
func.apply(null, args);
},
//calc the percent the part occupies at the disk
calc_percent: function (disks) {
var new_disks = _.map(disks, function (disk) {
var dsize = disk.size;
var exsize, expercent=0, diskpercent=0;
_.each(disk.table, function (part){
if (part.ty !== "logical") {
part.percent = (part.size/dsize < 0.03) ? 0.03:part.size/dsize;
diskpercent += part.percent;
if (part.ty === "extended") {
exsize = part.size;
}
}else {
part.percent = (part.size/exsize < 0.1) ? 0.1:part.size/exsize;
expercent += part.percent;
};
});
_.each(disk.table, function (part){
if (part.ty !== "logical") {
part.percent = part.percent*100/diskpercent;
}else {
part.percent = part.percent*100/expercent;
}
});
return disk;
});
return new_disks;
},
//render easy and adcanced page
render: function (disks, act, locals) {
var that = this;
var tys, pindex, $disk, tmpPage, actPage, dindex = 0;
tys = ["primary", "free", "extended"];//logical is special
_.each(disks, function (disk) {
pindex = 0;
$disk = $('ul.disk[dpath="'+disk.path+'"]');
_.each(disk.table, function (part){
part = that.part_proper(disk.path, disk.unit, part);
var args = {
pindex:pindex,
dindex:dindex,
part:part,
path:disk.path,
type:disk.type,
gettext:locals.gettext,
};
actPage = "";
if (part.number < 0) {
tmpPage = (jade.compile($('#free_part_tmpl')[0].innerHTML))(args);
if (act === true) {
actPage = (jade.compile($('#create_part_tmpl')[0].innerHTML))(args);
}
}else{
tmpPage = (jade.compile($('#'+part.ty+'_part_tmpl')[0].innerHTML))(args);
if (act === true && part.ty !== "extended") {
actPage = (jade.compile($('#edit_part_tmpl')[0].innerHTML))(args);
}
};
if (_.indexOf(tys, part.ty) > -1) {
$disk.append(tmpPage);
}else {
$disk.find('ul.logicals').append(tmpPage);
};
if (part.ty !== "extended") {
$disk.find('ul.selectable').last().after(actPage);
}
if (act === false) {
$disk.find('ul.selectable').last().tooltip({title: part.title});
$disk.find('ul.part').prev('button.close').remove();
}
pindex++;
});
dindex++;
});
},
//adjust some properties needed for easy and advanced page
//eg:p.size=123.3444445 ===> p.size=123.34
//eg:p.fs=linux(1)-swap ===> p.fs=swap
//eg:add:ui_path='sda3',title='sda3 ext4 34.56GB'
part_proper: function (path, unit, part){
part.unit = unit;
part.size = Number((part.size).toFixed(2));
if (part.number > 0) {
part.ui_path = path.slice(5)+part.number;
part.fs = part.fs || "Unknow";
part.fs = ((part.fs).match(/swap/g)) ? "swap" : part.fs;
part.title = part.ui_path + " " + part.fs + " " + part.size + unit;
}else {
part.title = i18n.gettext("Free") + " " + part.size+unit;
}
return part;
},
};
return partial;
});
| sonald/Red-Flag-Linux-Installer | examples/installer/client/assets/js/remote_part.js | JavaScript | gpl-3.0 | 6,162 |
const router = require('express').Router({ mergeParams: true });
const HttpStatus = require('http-status-codes');
const path = '/status';
function health(_, res) {
res.status(HttpStatus.OK);
res.send('ok');
}
function ready(_, res) {
res.send('ok');
}
router.get('/health', health);
router.get('/ready', ready);
module.exports = {
router,
path,
};
| omarcinp/cronos | src/api/routes/status.js | JavaScript | gpl-3.0 | 363 |
'use strict';
const express = require('express');
const service = express();
var os = require('os');
var networkInterfaces = os.networkInterfaces();
module.exports = service;
module.exports.networkInterfaces = networkInterfaces;
| orhaneee/SlackBotHeroku | server/service.js | JavaScript | gpl-3.0 | 232 |
/*************************
Coppermine Photo Gallery
************************
Copyright (c) 2003-2016 Coppermine Dev Team
v1.0 originally written by Gregory DEMAR
This program is free software; you can redistribute it and/or modify
it under the terms of the GNU General Public License version 3
as published by the Free Software Foundation.
********************************************
Coppermine version: 1.6.01
$HeadURL$
$Revision$
**********************************************/
/*
* Date prototype extensions. Doesn't depend on any
* other code. Doesn't overwrite existing methods.
*
* Adds dayNames, abbrDayNames, monthNames and abbrMonthNames static properties and isLeapYear,
* isWeekend, isWeekDay, getDaysInMonth, getDayName, getMonthName, getDayOfYear, getWeekOfYear,
* setDayOfYear, addYears, addMonths, addDays, addHours, addMinutes, addSeconds methods
*
* Copyright (c) 2006 Jörn Zaefferer and Brandon Aaron ([email protected] || http://brandonaaron.net)
*
* Additional methods and properties added by Kelvin Luck: firstDayOfWeek, dateFormat, zeroTime, asString, fromString -
* I've added my name to these methods so you know who to blame if they are broken!
*
* Dual licensed under the MIT and GPL licenses:
* http://www.opensource.org/licenses/mit-license.php
* http://www.gnu.org/licenses/gpl.html
*
*/
/**
* An Array of day names starting with Sunday.
*
* @example dayNames[0]
* @result 'Sunday'
*
* @name dayNames
* @type Array
* @cat Plugins/Methods/Date
*/
Date.dayNames = ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'];
/**
* An Array of abbreviated day names starting with Sun.
*
* @example abbrDayNames[0]
* @result 'Sun'
*
* @name abbrDayNames
* @type Array
* @cat Plugins/Methods/Date
*/
Date.abbrDayNames = ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'];
/**
* An Array of month names starting with Janurary.
*
* @example monthNames[0]
* @result 'January'
*
* @name monthNames
* @type Array
* @cat Plugins/Methods/Date
*/
Date.monthNames = ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'];
/**
* An Array of abbreviated month names starting with Jan.
*
* @example abbrMonthNames[0]
* @result 'Jan'
*
* @name monthNames
* @type Array
* @cat Plugins/Methods/Date
*/
Date.abbrMonthNames = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'];
/**
* The first day of the week for this locale.
*
* @name firstDayOfWeek
* @type Number
* @cat Plugins/Methods/Date
* @author Kelvin Luck
*/
Date.firstDayOfWeek = 1;
/**
* The format that string dates should be represented as (e.g. 'dd/mm/yyyy' for UK, 'mm/dd/yyyy' for US, 'yyyy-mm-dd' for Unicode etc).
*
* @name format
* @type String
* @cat Plugins/Methods/Date
* @author Kelvin Luck
*/
Date.format = 'dd/mm/yyyy';
//Date.format = 'mm/dd/yyyy';
//Date.format = 'yyyy-mm-dd';
//Date.format = 'dd mmm yy';
/**
* The first two numbers in the century to be used when decoding a two digit year. Since a two digit year is ambiguous (and date.setYear
* only works with numbers < 99 and so doesn't allow you to set years after 2000) we need to use this to disambiguate the two digit year codes.
*
* @name format
* @type String
* @cat Plugins/Methods/Date
* @author Kelvin Luck
*/
Date.fullYearStart = '20';
(function() {
/**
* Adds a given method under the given name
* to the Date prototype if it doesn't
* currently exist.
*
* @private
*/
function add(name, method) {
if( !Date.prototype[name] ) {
Date.prototype[name] = method;
}
};
/**
* Checks if the year is a leap year.
*
* @example var dtm = new Date("01/12/2008");
* dtm.isLeapYear();
* @result true
*
* @name isLeapYear
* @type Boolean
* @cat Plugins/Methods/Date
*/
add("isLeapYear", function() {
var y = this.getFullYear();
return (y%4==0 && y%100!=0) || y%400==0;
});
/**
* Checks if the day is a weekend day (Sat or Sun).
*
* @example var dtm = new Date("01/12/2008");
* dtm.isWeekend();
* @result false
*
* @name isWeekend
* @type Boolean
* @cat Plugins/Methods/Date
*/
add("isWeekend", function() {
return this.getDay()==0 || this.getDay()==6;
});
/**
* Check if the day is a day of the week (Mon-Fri)
*
* @example var dtm = new Date("01/12/2008");
* dtm.isWeekDay();
* @result false
*
* @name isWeekDay
* @type Boolean
* @cat Plugins/Methods/Date
*/
add("isWeekDay", function() {
return !this.isWeekend();
});
/**
* Gets the number of days in the month.
*
* @example var dtm = new Date("01/12/2008");
* dtm.getDaysInMonth();
* @result 31
*
* @name getDaysInMonth
* @type Number
* @cat Plugins/Methods/Date
*/
add("getDaysInMonth", function() {
return [31,(this.isLeapYear() ? 29:28),31,30,31,30,31,31,30,31,30,31][this.getMonth()];
});
/**
* Gets the name of the day.
*
* @example var dtm = new Date("01/12/2008");
* dtm.getDayName();
* @result 'Saturday'
*
* @example var dtm = new Date("01/12/2008");
* dtm.getDayName(true);
* @result 'Sat'
*
* @param abbreviated Boolean When set to true the name will be abbreviated.
* @name getDayName
* @type String
* @cat Plugins/Methods/Date
*/
add("getDayName", function(abbreviated) {
return abbreviated ? Date.abbrDayNames[this.getDay()] : Date.dayNames[this.getDay()];
});
/**
* Gets the name of the month.
*
* @example var dtm = new Date("01/12/2008");
* dtm.getMonthName();
* @result 'Janurary'
*
* @example var dtm = new Date("01/12/2008");
* dtm.getMonthName(true);
* @result 'Jan'
*
* @param abbreviated Boolean When set to true the name will be abbreviated.
* @name getDayName
* @type String
* @cat Plugins/Methods/Date
*/
add("getMonthName", function(abbreviated) {
return abbreviated ? Date.abbrMonthNames[this.getMonth()] : Date.monthNames[this.getMonth()];
});
/**
* Get the number of the day of the year.
*
* @example var dtm = new Date("01/12/2008");
* dtm.getDayOfYear();
* @result 11
*
* @name getDayOfYear
* @type Number
* @cat Plugins/Methods/Date
*/
add("getDayOfYear", function() {
var tmpdtm = new Date("1/1/" + this.getFullYear());
return Math.floor((this.getTime() - tmpdtm.getTime()) / 86400000);
});
/**
* Get the number of the week of the year.
*
* @example var dtm = new Date("01/12/2008");
* dtm.getWeekOfYear();
* @result 2
*
* @name getWeekOfYear
* @type Number
* @cat Plugins/Methods/Date
*/
add("getWeekOfYear", function() {
return Math.ceil(this.getDayOfYear() / 7);
});
/**
* Set the day of the year.
*
* @example var dtm = new Date("01/12/2008");
* dtm.setDayOfYear(1);
* dtm.toString();
* @result 'Tue Jan 01 2008 00:00:00'
*
* @name setDayOfYear
* @type Date
* @cat Plugins/Methods/Date
*/
add("setDayOfYear", function(day) {
this.setMonth(0);
this.setDate(day);
return this;
});
/**
* Add a number of years to the date object.
*
* @example var dtm = new Date("01/12/2008");
* dtm.addYears(1);
* dtm.toString();
* @result 'Mon Jan 12 2009 00:00:00'
*
* @name addYears
* @type Date
* @cat Plugins/Methods/Date
*/
add("addYears", function(num) {
this.setFullYear(this.getFullYear() + num);
return this;
});
/**
* Add a number of months to the date object.
*
* @example var dtm = new Date("01/12/2008");
* dtm.addMonths(1);
* dtm.toString();
* @result 'Tue Feb 12 2008 00:00:00'
*
* @name addMonths
* @type Date
* @cat Plugins/Methods/Date
*/
add("addMonths", function(num) {
var tmpdtm = this.getDate();
this.setMonth(this.getMonth() + num);
if (tmpdtm > this.getDate())
this.addDays(-this.getDate());
return this;
});
/**
* Add a number of days to the date object.
*
* @example var dtm = new Date("01/12/2008");
* dtm.addDays(1);
* dtm.toString();
* @result 'Sun Jan 13 2008 00:00:00'
*
* @name addDays
* @type Date
* @cat Plugins/Methods/Date
*/
add("addDays", function(num) {
this.setDate(this.getDate() + num);
return this;
});
/**
* Add a number of hours to the date object.
*
* @example var dtm = new Date("01/12/2008");
* dtm.addHours(24);
* dtm.toString();
* @result 'Sun Jan 13 2008 00:00:00'
*
* @name addHours
* @type Date
* @cat Plugins/Methods/Date
*/
add("addHours", function(num) {
this.setHours(this.getHours() + num);
return this;
});
/**
* Add a number of minutes to the date object.
*
* @example var dtm = new Date("01/12/2008");
* dtm.addMinutes(60);
* dtm.toString();
* @result 'Sat Jan 12 2008 01:00:00'
*
* @name addMinutes
* @type Date
* @cat Plugins/Methods/Date
*/
add("addMinutes", function(num) {
this.setMinutes(this.getMinutes() + num);
return this;
});
/**
* Add a number of seconds to the date object.
*
* @example var dtm = new Date("01/12/2008");
* dtm.addSeconds(60);
* dtm.toString();
* @result 'Sat Jan 12 2008 00:01:00'
*
* @name addSeconds
* @type Date
* @cat Plugins/Methods/Date
*/
add("addSeconds", function(num) {
this.setSeconds(this.getSeconds() + num);
return this;
});
/**
* Sets the time component of this Date to zero for cleaner, easier comparison of dates where time is not relevant.
*
* @example var dtm = new Date();
* dtm.zeroTime();
* dtm.toString();
* @result 'Sat Jan 12 2008 00:01:00'
*
* @name zeroTime
* @type Date
* @cat Plugins/Methods/Date
* @author Kelvin Luck
*/
add("zeroTime", function() {
this.setMilliseconds(0);
this.setSeconds(0);
this.setMinutes(0);
this.setHours(0);
return this;
});
/**
* Returns a string representation of the date object according to Date.format.
* (Date.toString may be used in other places so I purposefully didn't overwrite it)
*
* @example var dtm = new Date("01/12/2008");
* dtm.asString();
* @result '12/01/2008' // (where Date.format == 'dd/mm/yyyy'
*
* @name asString
* @type Date
* @cat Plugins/Methods/Date
* @author Kelvin Luck
*/
add("asString", function() {
var r = Date.format;
return r
.split('yyyy').join(this.getFullYear())
.split('yy').join((this.getFullYear() + '').substring(2))
.split('mmm').join(this.getMonthName(true))
.split('mm').join(_zeroPad(this.getMonth()+1))
.split('dd').join(_zeroPad(this.getDate()));
});
/**
* Returns a new date object created from the passed String according to Date.format or false if the attempt to do this results in an invalid date object
* (We can't simple use Date.parse as it's not aware of locale and I chose not to overwrite it incase it's functionality is being relied on elsewhere)
*
* @example var dtm = Date.fromString("12/01/2008");
* dtm.toString();
* @result 'Sat Jan 12 2008 00:00:00' // (where Date.format == 'dd/mm/yyyy'
*
* @name fromString
* @type Date
* @cat Plugins/Methods/Date
* @author Kelvin Luck
*/
Date.fromString = function(s)
{
var f = Date.format;
var d = new Date('01/01/1977');
var iY = f.indexOf('yyyy');
if (iY > -1) {
d.setFullYear(Number(s.substr(iY, 4)));
} else {
// TODO - this doesn't work very well - are there any rules for what is meant by a two digit year?
d.setFullYear(Number(Date.fullYearStart + s.substr(f.indexOf('yy'), 2)));
}
var iM = f.indexOf('mmm');
if (iM > -1) {
var mStr = s.substr(iM, 3);
for (var i=0; i<Date.abbrMonthNames.length; i++) {
if (Date.abbrMonthNames[i] == mStr) break;
}
d.setMonth(i);
} else {
d.setMonth(Number(s.substr(f.indexOf('mm'), 2)) - 1);
}
d.setDate(Number(s.substr(f.indexOf('dd'), 2)));
if (isNaN(d.getTime())) {
return false;
}
return d;
};
// utility method
var _zeroPad = function(num) {
var s = '0'+num;
return s.substring(s.length-2)
//return ('0'+num).substring(-2); // doesn't work on IE :(
};
})(); | CatBerg-TestOrg/coppermine | js/date.js | JavaScript | gpl-3.0 | 13,375 |
// Copyright (c) Clickberry, Inc. All rights reserved.
// Licensed under the GNU GENERAL PUBLIC LICENSE Version 3. See License.txt in the project root for license information.
define("datacontext", ["jquery"], function($) {
return function(resourceUri) {
if (!resourceUri) {
throw Error("Invalid resource uri.");
}
function getUri(uri, id) {
return id ? uri + "/" + id : uri;
}
this.post = function(requestData) {
return $.Deferred(function(deferred) {
$.ajax({
type: 'POST',
url: getUri(resourceUri),
data: requestData,
error: function(responseData) {
deferred.reject(responseData);
},
success: function(responseData) {
deferred.resolve(responseData);
}
});
}).promise();
};
this.get = function(id) {
return $.Deferred(function(deferred) {
$.ajax({
url: getUri(resourceUri, id),
dataType: 'json',
error: function(responseData) {
deferred.reject(responseData);
},
success: function(responseData) {
deferred.resolve(responseData);
}
});
}).promise();
};
this.put = function(id, requestData) {
return $.Deferred(function(deferred) {
$.ajax({
type: 'POST',
url: getUri(resourceUri, id),
data: requestData,
headers: { 'X-HTTP-Method-Override': "PUT" },
error: function(responseData) {
deferred.reject(responseData);
},
success: function(responseData) {
deferred.resolve(responseData);
}
});
}).promise();
};
this.remove = function(id, requestData) {
return $.Deferred(function(deferred) {
$.ajax({
type: 'POST',
url: getUri(resourceUri, id),
data: requestData,
headers: { 'X-HTTP-Method-Override': "DELETE" },
error: function(responseData) {
deferred.reject(responseData);
},
success: function(responseData) {
deferred.resolve(responseData);
}
});
}).promise();
};
};
}); | clickberry/video-portal | Source/FrontEnd/Portal.Web/Cdn/js/spa/datacontext.js | JavaScript | gpl-3.0 | 2,802 |
var searchData=
[
['adc_20channel_20numbers',['ADC Channel Numbers',['../group__adc__channel.html',1,'']]],
['adc_20number_20of_20channels_20in_20discontinuous_20mode_2e',['ADC Number of channels in discontinuous mode.',['../group__adc__cr1__discnum.html',1,'']]],
['adc_20mode_20selection',['ADC Mode Selection',['../group__adc__cr1__dualmod.html',1,'']]],
['adc_20defines',['ADC Defines',['../group__adc__defines.html',1,'']]],
['adc',['ADC',['../group__adc__file.html',1,'']]],
['adc_20number_20of_20channels_20in_20discontinuous_20injected_20mode',['ADC Number of channels in discontinuous injected mode',['../group__adc__jsqr__jl.html',1,'']]],
['adc_20register_20base_20addresses',['ADC register base addresses',['../group__adc__reg__base.html',1,'']]],
['adc_20sample_20time_20selection_20for_20all_20channels',['ADC Sample Time Selection for All Channels',['../group__adc__sample__rg.html',1,'']]],
['adc_20injected_20trigger_20identifier_20for_20adc1',['ADC Injected Trigger Identifier for ADC1',['../group__adc__trigger__injected__12.html',1,'']]],
['adc_20injected_20trigger_20identifier_20for_20adc3',['ADC Injected Trigger Identifier for ADC3',['../group__adc__trigger__injected__3.html',1,'']]],
['adc_20trigger_20identifier_20for_20adc1_20and_20adc2',['ADC Trigger Identifier for ADC1 and ADC2',['../group__adc__trigger__regular__12.html',1,'']]],
['adc_20trigger_20identifier_20for_20adc3',['ADC Trigger Identifier for ADC3',['../group__adc__trigger__regular__3.html',1,'']]],
['adc_20watchdog_20channel',['ADC watchdog channel',['../group__adc__watchdog__channel.html',1,'']]],
['alternate_20function_20exti_20pin_20number',['Alternate Function EXTI pin number',['../group__afio__exti.html',1,'']]],
['alternate_20function_20remap_20controls',['Alternate Function Remap Controls',['../group__afio__remap.html',1,'']]],
['alternate_20function_20remap_20controls_20secondary_20set',['Alternate Function Remap Controls Secondary Set',['../group__afio__remap2.html',1,'']]],
['alternate_20function_20remap_20controls_20for_20can_201',['Alternate Function Remap Controls for CAN 1',['../group__afio__remap__can1.html',1,'']]],
['alternate_20function_20remap_20controls_20for_20connectivity',['Alternate Function Remap Controls for Connectivity',['../group__afio__remap__cld.html',1,'']]],
['alternate_20function_20remap_20controls_20for_20timer_201',['Alternate Function Remap Controls for Timer 1',['../group__afio__remap__tim1.html',1,'']]],
['alternate_20function_20remap_20controls_20for_20timer_202',['Alternate Function Remap Controls for Timer 2',['../group__afio__remap__tim2.html',1,'']]],
['alternate_20function_20remap_20controls_20for_20timer_203',['Alternate Function Remap Controls for Timer 3',['../group__afio__remap__tim3.html',1,'']]],
['alternate_20function_20remap_20controls_20for_20usart_203',['Alternate Function Remap Controls for USART 3',['../group__afio__remap__usart3.html',1,'']]]
];
| Aghosh993/TARS_codebase | libopencm3/doc/stm32f1/html/search/groups_0.js | JavaScript | gpl-3.0 | 2,969 |
var express = require('express');
var router = express.Router();
var seminar = require('../controllers/seminar.controllers');
router.get('/', function(req, res) {
res.json({status: false, message: 'None API Implemented'});
});
router.get('/user/:id', function(req, res) {
seminar.get(req, res);
});
// router.get('/seminar/:id', function(req, res) {
// seminar.getById(req, res);
// });
router.get('/all', function(req, res) {
seminar.getAll(req, res);
});
router.post('/register', function(req, res) {
seminar.register(req, res);
});
router.delete('/delete', function(req, res) {
seminar.delete(req, res);
});
router.post('/attend', function(req, res) {
seminar.attend(req, res);
});
module.exports = router;
| Rajamuda/ittoday-2017 | api/routes/seminar.routes.js | JavaScript | gpl-3.0 | 733 |
#!/usr/bin/env node
// Special Pythagorean triplet
var SUM = 1000;
var triplet = get_pythagorean_triplet_by_sum(SUM);
console.log(triplet[0] * triplet[1] * triplet[2]);
function get_pythagorean_triplet_by_sum(s) {
var s2 = Math.floor(SUM / 2);
var mlimit = Math.ceil(Math.sqrt(s2)) - 1;
for (var m = 2; m <= mlimit; m++) {
if (s2 % m == 0) {
var sm = Math.floor(s2 / m);
while (sm % 2 == 0) {
sm = Math.floor(sm / 2);
}
var k = m + 1;
if (m % 2 == 1) {
k = m + 2;
}
while (k < 2 * m && k <= sm) {
if (sm % k == 0 && gcd(k, m) == 1) {
var d = Math.floor(s2 / (k * m));
var n = k - m;
var a = d * (m * m - n * n);
var b = 2 * d * m * n;
var c = d * (m * m + n * n);
return [a, b, c];
}
k += 2;
}
}
}
return [0, 0, 0];
}
function gcd(int1, int2) {
if (int1 > int2) {
var tmp = int1;
int1 = int2;
int2 = tmp;
}
while (int1) {
var tmp = int1;
int1 = int2 % int1;
int2 = tmp;
}
return int2;
}
| iansealy/projecteuler | optimal/9.js | JavaScript | gpl-3.0 | 1,296 |
// Events
document.onkeypress = function (e) {
e = e || window.event;
var key = e.key;
return keymap[key]();
};
// Mouse events
document.onmousemove = function (e) {
e = e || window.event;
lfo.frequency.value = e.clientX;
main_osc.frequency.value = e.clientY / 10;
changeBackgroundColor(lfo_amp.gain.value/3.125, e.clientY, e.clientX);
};
// Color events
var changeBackgroundColor = function(red, green, blue) {
document.body.style.backgroundColor = "rgb(" + red + "," + green + "," + blue + ")";
}; | ruckert/web_audio_experiments | synth007/events.js | JavaScript | gpl-3.0 | 534 |
import { Menu } from 'electron'
import menuActions from './actions'
import deviceItems from './devices'
import folderItems from './folders'
import { getDevicesWithConnections } from '../reducers/devices'
import { getFoldersWithStatus } from '../reducers/folders'
import { name, version } from '../../../package.json'
export default function buildMenu({
st,
state,
state: {
connected,
config,
},
}){
const devices = getDevicesWithConnections(state)
const folders = getFoldersWithStatus(state)
let menu = null
const actions = menuActions(st)
const sharedItems = [
{ label: `${name} ${version}`, enabled: false },
{ label: 'Restart Syncthing', click: actions.restart, accelerator: 'CommandOrControl+R' },
{ label: 'Quit Syncthing', click: actions.quit, accelerator: 'CommandOrControl+Q' },
]
if(connected && config.isSuccess){
menu = Menu.buildFromTemplate([
...folderItems(folders),
{ type: 'separator' },
...deviceItems(devices),
{ type: 'separator' },
{ label: 'Open...', click: actions.editConfig, accelerator: 'CommandOrControl+,' },
{ type: 'separator' },
...sharedItems,
])
}else{
menu = Menu.buildFromTemplate([
{ label: config.isFailed ? 'No config available' : 'Connection error', enabled: false },
...sharedItems,
])
}
return menu
}
| JodusNodus/syncthing-tray | app/main/menu/index.js | JavaScript | gpl-3.0 | 1,367 |
"use strict";
var __extends = (this && this.__extends) || (function () {
var extendStatics = Object.setPrototypeOf ||
({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||
function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
return function (d, b) {
extendStatics(d, b);
function __() { this.constructor = d; }
d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
};
})();
exports.__esModule = true;
var communication_1 = require("../../bibliotheque/communication");
var TypeMessageChat;
(function (TypeMessageChat) {
TypeMessageChat[TypeMessageChat["COM"] = 0] = "COM";
TypeMessageChat[TypeMessageChat["TRANSIT"] = 1] = "TRANSIT";
TypeMessageChat[TypeMessageChat["AR"] = 2] = "AR";
TypeMessageChat[TypeMessageChat["ERREUR_CONNEXION"] = 3] = "ERREUR_CONNEXION";
TypeMessageChat[TypeMessageChat["ERREUR_EMET"] = 4] = "ERREUR_EMET";
TypeMessageChat[TypeMessageChat["ERREUR_DEST"] = 5] = "ERREUR_DEST";
TypeMessageChat[TypeMessageChat["ERREUR_TYPE"] = 6] = "ERREUR_TYPE";
TypeMessageChat[TypeMessageChat["INTERDICTION"] = 7] = "INTERDICTION";
})(TypeMessageChat = exports.TypeMessageChat || (exports.TypeMessageChat = {}));
var MessageChat = (function (_super) {
__extends(MessageChat, _super);
function MessageChat() {
return _super !== null && _super.apply(this, arguments) || this;
}
MessageChat.prototype.net = function () {
var msg = this.enJSON();
var options = { weekday: 'long', year: 'numeric', month: 'long', day: 'numeric', hour: '2-digit', minute: '2-digit', second: '2-digit' };
return JSON.stringify({
type: TypeMessageChat[msg.type],
date: (new Date(msg.date)).toLocaleString("fr-FR", options),
de: msg.emetteur,
à: msg.destinataire,
contenu: msg.contenu
});
};
return MessageChat;
}(communication_1.Message));
exports.MessageChat = MessageChat;
function creerMessageErreurConnexion(emetteur, messageErreur) {
return new MessageChat({
"emetteur": emetteur,
"destinataire": emetteur,
"type": TypeMessageChat.ERREUR_CONNEXION,
"contenu": messageErreur,
"date": new Date()
});
}
exports.creerMessageErreurConnexion = creerMessageErreurConnexion;
function creerMessageCommunication(emetteur, destinataire, texte) {
return new MessageChat({
"emetteur": emetteur,
"destinataire": destinataire,
"type": TypeMessageChat.COM,
"contenu": texte,
"date": new Date()
});
}
exports.creerMessageCommunication = creerMessageCommunication;
function creerMessageRetourErreur(original, codeErreur, messageErreur) {
return new MessageChat({
"emetteur": original.enJSON().emetteur,
"destinataire": original.enJSON().destinataire,
"type": codeErreur,
"contenu": messageErreur,
"date": original.enJSON().date
});
}
exports.creerMessageRetourErreur = creerMessageRetourErreur;
function creerMessageTransit(msg) {
return new MessageChat({
"emetteur": msg.enJSON().emetteur,
"destinataire": msg.enJSON().destinataire,
"type": TypeMessageChat.TRANSIT,
"contenu": msg.enJSON().contenu,
"date": msg.enJSON().date
});
}
exports.creerMessageTransit = creerMessageTransit;
function creerMessageAR(msg) {
return new MessageChat({
"emetteur": msg.enJSON().emetteur,
"destinataire": msg.enJSON().destinataire,
"type": TypeMessageChat.AR,
"contenu": msg.enJSON().contenu,
"date": msg.enJSON().date
});
}
exports.creerMessageAR = creerMessageAR;
var SommetChat = (function (_super) {
__extends(SommetChat, _super);
function SommetChat() {
return _super !== null && _super.apply(this, arguments) || this;
}
SommetChat.prototype.net = function () {
var msg = this.enJSON();
return JSON.stringify({
nom: msg.pseudo + "(" + msg.id + ")"
});
};
return SommetChat;
}(communication_1.Sommet));
exports.SommetChat = SommetChat;
function fabriqueSommetChat(s) {
return new SommetChat(s);
}
exports.fabriqueSommetChat = fabriqueSommetChat;
function creerAnneauChat(noms) {
var assembleur = new communication_1.AssemblageReseauEnAnneau(noms.length);
noms.forEach(function (nom, i, tab) {
var s = new SommetChat({ id: "id-" + i, pseudo: tab[i] });
assembleur.ajouterSommet(s);
});
return assembleur.assembler();
}
exports.creerAnneauChat = creerAnneauChat;
//# sourceMappingURL=chat.js.map | hgrall/merite | src/communication/v0/typeScript/build/tchat/commun/chat.js | JavaScript | gpl-3.0 | 4,687 |
'use strict';
var CONFIGURATOR = {
'releaseDate': 1456739663000, // 2016.02.29 - new Date().getTime() or "date +%s"000
'firmwareVersionEmbedded': [3, 8, 8], // version of firmware that ships with the app, dont forget to also update initialize_configuration_objects switch !
'firmwareVersionLive': 0, // version number in single uint16 [8bit major][4bit][4bit] fetched from mcu
'activeProfile': 0, // currently active profile on tx module (each profile can correspond to different BIND_DATA)
'defaultProfile': 0, // current default profile setting on tx module
'connectingToRX': false, // indicates if TX is trying to connect to RX
'readOnly': false // indicates if data can be saved to eeprom
};
var STRUCT_PATTERN,
TX_CONFIG,
RX_CONFIG,
BIND_DATA;
// live PPM data
var PPM = {
ppmAge: 0,
channels: Array(16)
};
var RX_SPECIAL_PINS = [];
var NUMBER_OF_OUTPUTS_ON_RX = 0;
var RX_FAILSAFE_VALUES = [];
// pin_map "helper" object (related to pin/port map of specific units)
var PIN_MAP = {
0x20: 'PPM',
0x21: 'RSSI',
0x22: 'SDA',
0x23: 'SCL',
0x24: 'RXD',
0x25: 'TXD',
0x26: 'ANALOG',
0x27: 'Packet loss - Beeper', // LBEEP
0x28: 'Spektrum satellite', // spektrum satellite output
0x29: 'SBUS',
0x2A: 'SUMD',
0x2B: 'Link Loss Indication'
};
// 0 = default 433
// 1 = RFMXX_868
// 2 = RFMXX_915
var frequencyLimits = {
min: null,
max: null,
minBeacon: null,
maxBeacon: null
};
function initializeFrequencyLimits(rfmType) {
switch (rfmType) {
case 0:
frequencyLimits.min = 413000000;
frequencyLimits.max = 463000000;
frequencyLimits.minBeacon = 413000000;
frequencyLimits.maxBeacon = 463000000;
break;
case 1:
frequencyLimits.min = 848000000;
frequencyLimits.max = 888000000;
frequencyLimits.minBeacon = 413000000;
frequencyLimits.maxBeacon = 888000000;
break;
case 2:
frequencyLimits.min = 895000000;
frequencyLimits.max = 935000000;
frequencyLimits.minBeacon = 413000000;
frequencyLimits.maxBeacon = 935000000;
break;
default:
frequencyLimits.min = 0;
frequencyLimits.max = 0;
frequencyLimits.minBeacon = 0;
frequencyLimits.maxBeacon = 0;
}
}
function initialize_configuration_objects(version) {
switch (version >> 4) {
case 0x38:
case 0x37:
CONFIGURATOR.readOnly = false;
var TX = [
{'name': 'rfm_type', 'type': 'u8'},
{'name': 'max_frequency', 'type': 'u32'},
{'name': 'flags', 'type': 'u32'},
{'name': 'chmap', 'type': 'array', 'of': 'u8', 'length': 16}
];
var BIND = [
{'name': 'version', 'type': 'u8'},
{'name': 'serial_baudrate', 'type': 'u32'},
{'name': 'rf_frequency', 'type': 'u32'},
{'name': 'rf_magic', 'type': 'u32'},
{'name': 'rf_power', 'type': 'u8'},
{'name': 'rf_channel_spacing', 'type': 'u8'},
{'name': 'hopchannel', 'type': 'array', 'of': 'u8', 'length': 24},
{'name': 'modem_params', 'type': 'u8'},
{'name': 'flags', 'type': 'u8'}
];
var RX = [
{'name': 'rx_type', 'type': 'u8'},
{'name': 'pinMapping', 'type': 'array', 'of': 'u8', 'length': 13},
{'name': 'flags', 'type': 'u8'},
{'name': 'RSSIpwm', 'type': 'u8'},
{'name': 'beacon_frequency', 'type': 'u32'},
{'name': 'beacon_deadtime', 'type': 'u8'},
{'name': 'beacon_interval', 'type': 'u8'},
{'name': 'minsync', 'type': 'u16'},
{'name': 'failsafe_delay', 'type': 'u8'},
{'name': 'ppmStopDelay', 'type': 'u8'},
{'name': 'pwmStopDelay', 'type': 'u8'}
];
break;
case 0x36:
CONFIGURATOR.readOnly = true;
var TX = [
{'name': 'rfm_type', 'type': 'u8'},
{'name': 'max_frequency', 'type': 'u32'},
{'name': 'flags', 'type': 'u32'}
];
var BIND = [
{'name': 'version', 'type': 'u8'},
{'name': 'serial_baudrate', 'type': 'u32'},
{'name': 'rf_frequency', 'type': 'u32'},
{'name': 'rf_magic', 'type': 'u32'},
{'name': 'rf_power', 'type': 'u8'},
{'name': 'rf_channel_spacing', 'type': 'u8'},
{'name': 'hopchannel', 'type': 'array', 'of': 'u8', 'length': 24},
{'name': 'modem_params', 'type': 'u8'},
{'name': 'flags', 'type': 'u8'}
];
var RX = [
{'name': 'rx_type', 'type': 'u8'},
{'name': 'pinMapping', 'type': 'array', 'of': 'u8', 'length': 13},
{'name': 'flags', 'type': 'u8'},
{'name': 'RSSIpwm', 'type': 'u8'},
{'name': 'beacon_frequency', 'type': 'u32'},
{'name': 'beacon_deadtime', 'type': 'u8'},
{'name': 'beacon_interval', 'type': 'u8'},
{'name': 'minsync', 'type': 'u16'},
{'name': 'failsafe_delay', 'type': 'u8'},
{'name': 'ppmStopDelay', 'type': 'u8'},
{'name': 'pwmStopDelay', 'type': 'u8'}
];
break;
default:
return false;
}
STRUCT_PATTERN = {'TX_CONFIG': TX, 'RX_CONFIG': RX, 'BIND_DATA': BIND};
if (CONFIGURATOR.readOnly) {
GUI.log(chrome.i18n.getMessage('running_in_compatibility_mode'));
}
return true;
}
function read_firmware_version(num) {
var data = {'str': undefined, 'first': 0, 'second': 0, 'third': 0};
data.first = num >> 8;
data.str = data.first + '.';
data.second = ((num >> 4) & 0x0f);
data.str += data.second + '.';
data.third = num & 0x0f;
data.str += data.third;
return data;
}
| remspoor/openLRSng-configurator | js/data_storage.js | JavaScript | gpl-3.0 | 6,310 |
/* jshint node: true */
module.exports = function(grunt) {
"use strict";
var theme = grunt.option( 'theme', 'blue' );
var out = 'blue';
var lessFiles = [
'base',
'autocomplete_tagging',
'embed_item',
'iphone',
'masthead',
'library',
'trackster',
'circster',
'jstree'
];
var _ = grunt.util._;
var fmt = _.sprintf;
// Project configuration.
grunt.initConfig({
// Metadata.
pkg: grunt.file.readJSON('package.json'),
// Create sprite images and .less files
sprite : {
options: {
algorithm: 'binary-tree'
},
'history-buttons': {
src: '../images/history-buttons/*.png',
destImg: fmt( '%s/sprite-history-buttons.png', out ),
destCSS: fmt( '%s/sprite-history-buttons.less', out )
},
'history-states': {
src: '../images/history-states/*.png',
destImg: fmt( '%s/sprite-history-states.png', out ),
destCSS: fmt( '%s/sprite-history-states.less', out )
},
'fugue': {
src: '../images/fugue/*.png',
destImg: fmt( '%s/sprite-fugue.png', out ),
destCSS: fmt( '%s/sprite-fugue.less', out )
}
},
// Compile less files
less: {
options: {
compress: true,
paths: [ out ]
},
dist: {
files: _.reduce( lessFiles, function( d, s ) {
d[ fmt( '%s/%s.css', out, s ) ] = [ fmt( 'src/less/%s.less', s ) ]; return d;
}, {} )
}
},
// remove tmp files
clean: {
clean : [ fmt('%s/tmp-site-config.less', out) ]
}
});
// Write theme variable for less
grunt.registerTask('less-site-config', 'Write site configuration for less', function() {
grunt.file.write( fmt('%s/tmp-site-config.less', out), fmt( "@theme-name: %s;", theme ) );
});
// These plugins provide necessary tasks.
grunt.loadNpmTasks('grunt-contrib-less');
grunt.loadNpmTasks('grunt-spritesmith');
grunt.loadNpmTasks('grunt-contrib-clean');
// Default task.
grunt.registerTask('default', ['sprite', 'less-site-config', 'less', 'clean']);
};
| mikel-egana-aranguren/SADI-Galaxy-Docker | galaxy-dist/static/style/Gruntfile.js | JavaScript | gpl-3.0 | 2,103 |
"use strict";
var path = require("path");
var fs = require("fs");
var sourceMap = require('source-map');
var sourceMaps = {};
var coffeeMaps = {};
var registered = false;
function registerErrorHandler() {
if (registered) return;
registered = true;
function mungeStackFrame(frame) {
if (frame.isNative()) return;
var fileLocation = '';
var fileName;
if (frame.isEval()) {
fileName = frame.getScriptNameOrSourceURL();
} else {
fileName = frame.getFileName();
}
fileName = fileName || "<anonymous>";
var line = frame.getLineNumber();
var column = frame.getColumnNumber();
var map = sourceMaps[fileName];
// V8 gives 1-indexed column numbers, but source-map expects 0-indexed columns.
var source = map && map.originalPositionFor({line: line, column: column - 1});
if (source && source.line) {
line = source.line;
column = source.column + 1;
} else if (map) {
fileName += " <generated>";
} else {
return;
}
Object.defineProperties(frame, {
getFileName: { value: function() { return fileName; } },
getLineNumber: { value: function() { return line; } },
getColumnNumber: { value: function() { return column; } }
});
};
var old = Error.prepareStackTrace;
if (!old) {
// No existing handler? Use a default-ish one.
// Copied from http://v8.googlecode.com/svn/branches/bleeding_edge/src/messages.js.
old = function(err, stack) {
var buf = [];
for (var i = 0; i < stack.length; i++) {
var line;
try {
line = " at " + stack[i].toString();
} catch (e) {
try {
line = "<error: " + e + ">";
} catch (e) {
line = "<error>";
}
}
buf.push(line);
}
return (err.name || err.message ? err.name + ": " + (err.message || '') + "\n" : "") + //
buf.join("\n") + "\n";
}
}
Error.prepareStackTrace = function(err, stack) {
var frames = [];
for (var i = 0; i < stack.length; i++) {
var frame = stack[i];
if (frame.getFunction() == exports.run) break;
mungeStackFrame(frame);
frames.push(frame);
}
return old(err, stack);
}
}
function run(options) {
var subdir = "callbacks";
if (options.generators) subdir = options.fast ? "generators-fast" : "generators";
else if (options.fibers) subdir = options.fast ? "fibers-fast" : "fibers";
var transformer = "streamline/lib/" + subdir + "/transform";
var streamline = require(transformer).transform;
function clone(obj) {
return Object.keys(obj).reduce(function(val, key) {
val[key] = obj[key];
return val;
}, {});
}
var streamliners = {
_js: function(module, filename, code, prevMap) {
registerErrorHandler();
if (!code) code = fs.readFileSync(filename, "utf8");
// If there's a shebang, strip it while preserving line count.
var match = /^#!.*([^\u0000]*)$/.exec(code);
if (match) code = match[1];
var cachedTransform = require("streamline/lib/compiler/compileSync").cachedTransformSync;
var opts = clone(options);
opts.sourceName = filename;
opts.lines = opts.lines || 'sourcemap';
opts.prevMap = prevMap;
var streamlined = options.cache ?
cachedTransform(code, filename, streamline, opts) :
streamline(code, opts);
if (streamlined instanceof sourceMap.SourceNode) {
var streamlined = streamlined.toStringWithSourceMap({
file: filename
});
var map = streamlined.map;
if (prevMap) {
map.applySourceMap(prevMap, filename);
}
sourceMaps[filename] = new sourceMap.SourceMapConsumer(map.toString());
module._compile(streamlined.code, filename)
} else {
module._compile(streamlined, filename);
}
},
_coffee: function(module, filename, code) {
registerErrorHandler();
if (!code) code = fs.readFileSync(filename, "utf8");
// Test for cached version so that we shortcircuit CS re-compilation, not just streamline pass
var cachedTransform = require("streamline/lib/compiler/compileSync").cachedTransformSync;
var opts = clone(options);
opts.sourceName = filename;
opts.lines = opts.lines || 'sourcemap';
var cached = cachedTransform(code, filename, streamline, opts, true);
if (cached) return module._compile(cached, filename);
// Compile the source CoffeeScript to regular JS. We make sure to
// use the module's local instance of CoffeeScript if possible.
var coffee = require("../util/require")("coffee-script", module.filename);
var ground = coffee.compile(code, {
filename: filename,
sourceFiles: [module.filename],
sourceMap: 1
});
if (ground.v3SourceMap) {
var coffeeMap = new sourceMap.SourceMapConsumer(ground.v3SourceMap);
coffeeMaps[filename] = coffeeMap;
ground = ground.js;
}
// Then transform it like regular JS.
streamliners._js(module, filename, ground, coffeeMap);
}
};
// Is CoffeeScript being used? Could be through our own _coffee binary,
// through its coffee binary, or through require('coffee-script').
// The latter two add a .coffee require extension handler.
var executable = path.basename(process.argv[0]);
var coffeeRegistered = require.extensions['.coffee'];
var coffeeExecuting = executable === '_coffee';
var coffeePresent = coffeeRegistered || coffeeExecuting;
// Register require() extension handlers for ._js and ._coffee, but only
// register ._coffee if CoffeeScript is being used.
require.extensions['._js'] = streamliners._js;
if (coffeePresent) require.extensions['._coffee'] = streamliners._coffee;
// If we were asked to register extension handlers only, we're done.
if (options.registerOnly) return;
// Otherwise, we're being asked to execute (run) a file too.
var filename = process.argv[1];
// If we're running via _coffee, we should run CoffeeScript ourselves so
// that it can register its regular .coffee handler. We make sure to do
// this relative to the caller's working directory instead of from here.
// (CoffeeScript 1.7+ no longer registers a handler automatically.)
if (coffeeExecuting && !coffeeRegistered) {
var coffee = require("../util/require")("coffee-script");
if (typeof coffee.register === 'function') {
coffee.register();
}
}
// We'll make that file the "main" module by reusing the current one.
var mainModule = require.main;
// Clear the main module's require cache.
if (mainModule.moduleCache) {
mainModule.moduleCache = {};
}
// Set the module's paths and filename. Luckily, Node exposes its native
// helper functions to resolve these guys!
// https://github.com/joyent/node/blob/master/lib/module.js
// Except we need to tell Node that these are paths, not native modules.
filename = path.resolve(filename || '.');
mainModule.filename = filename = require("module")._resolveFilename(filename);
mainModule.paths = require("module")._nodeModulePaths(path.dirname(filename));
// if node is installed with NVM, NODE_PATH is not defined so we add it to our paths
if (!process.env.NODE_PATH) mainModule.paths.push(path.join(__dirname, '../../..'));
// And update the process argv and execPath too.
process.argv.splice(1, 1, filename)
//process.execPath = filename;
// Load the target file and evaluate it as the main module.
// The input path should have been resolved to a file, so use its extension.
// If the file doesn't have an extension (e.g. scripts with a shebang),
// go by what executable this was called as.
var ext = path.extname(filename) || (coffeeExecuting ? '._coffee' : '._js');
require.extensions[ext](mainModule, filename);
}
module.exports.run = run;
| phun-ky/heritage | node_modules/neo4j/node_modules/streamline/lib/compiler/underscored.js | JavaScript | gpl-3.0 | 7,491 |
class CheckPoint extends MasterBlock {
constructor(heading, x, y, moving, rotating) {
super("img/blocks/ellenorzo.png", heading, x, y, moving, rotating)
this._hit = false
}
get_newDir(dir) {
this._hit = true
return [dir]
}
hitStatus() {
return this._hit
}
}
| Sch-Tomi/light-breaker | dev_js/blocks/checkpoint.js | JavaScript | gpl-3.0 | 326 |
"use strict";
var validMoment = require('../helpers/is-valid-moment-object');
module.exports = function (value, dateFormat) {
if (!validMoment(value)) return value;
return value.format(dateFormat);
}; | matfish2/vue-tables-2 | compiled/filters/format-date.js | JavaScript | gpl-3.0 | 206 |
var inherit = function(){
$('*[inherit="source"]').change(function(){
$.get('/admin/libio/variety/hierarchy/' + $(this).val(), function(data){
$('*[inherit="target"]').each(function(key, input){
var id = $(input).prop('id');
var fieldName = id.substring(id.indexOf('_') + 1);
$(input).val(data[fieldName]);
if( $(input).prop('tagName') == 'SELECT' )
$(input).trigger('change');
});
});
});
};
$(document).ready(inherit);
$(document).on('sonata-admin-setup-list-modal sonata-admin-append-form-element', inherit);
| libre-informatique/SymfonyLibrinfoVarietiesBundle | src/Resources/public/js/inherit.js | JavaScript | gpl-3.0 | 651 |
"use strict";
var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
return c > 3 && r && Object.defineProperty(target, key, r), r;
};
var __metadata = (this && this.__metadata) || function (k, v) {
if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v);
};
Object.defineProperty(exports, "__esModule", { value: true });
var core_1 = require("@angular/core");
var user_service_1 = require("../../services/user.service");
var HomeComponent = (function () {
function HomeComponent(userService) {
this.userService = userService;
this.users = [];
}
HomeComponent.prototype.ngOnInit = function () {
var _this = this;
// get users from secure api end point
this.userService.getUsers()
.subscribe(function (users) {
_this.users = users;
});
};
return HomeComponent;
}());
HomeComponent = __decorate([
core_1.Component({
moduleId: module.id,
templateUrl: 'home.component.html'
}),
__metadata("design:paramtypes", [user_service_1.UserService])
], HomeComponent);
exports.HomeComponent = HomeComponent;
//# sourceMappingURL=home.component.js.map | umeshsohaliya/AngularSampleA | app/components/home/home.component.js | JavaScript | gpl-3.0 | 1,660 |
'use strict';
var BarcodeScan = require('com.tlantic.plugins.device.barcodescan.BarcodeScan');
var barcodeScan;
exports.init = function (success, fail, args) {
if (!barcodeScan) {
barcodeScan = new BarcodeScan();
barcodeScan.onReceive = exports.rcMessage;
barcodeScan.init(success, fail);
}
else {
barcodeScan.endReceivingData(function () {
barcodeScan.onReceive = exports.rcMessage;
barcodeScan.init(success, fail);
});
}
};
exports.stop = function stop(success, fail, args) {
barcodeScan.endReceivingData(success);
};
// callback to receive data written on socket inputStream
exports.rcMessage = function (scanLabel, scanData, scanType) {
window.tlantic.plugins.device.barcodescan.receive(scanLabel, scanData, scanType);
};
require('cordova/windows8/commandProxy').add('DeviceBarcodeScan', exports);
| Tlantic/cdv-device-barcodescan-plugin | src/windows8/BarcodeScanProxy.js | JavaScript | gpl-3.0 | 897 |
var btimer;
var isclosed=true;
var current_show_id=1;
var current_site_id;
var wurl;
var comment_recapcha_id;
function hideVBrowser()
{
isclosed=true;
$('#websiteviewer_background').fadeOut();
}
function submitTest(view_token)
{
$('#websiteviewer_browserheader').html('<center>...در حال بررسی</center>');
$.ajax({
url:wurl+'/websites/api/submitpoint?website_id='+current_site_id+'&view_token='+view_token,
success:function(dr) {
if(dr.ok===true)
{
$('#websiteviewer_browserheader').html(`<center style="color:#00aa00;">`+dr.text+`<center>`);
}
else
{
$('#websiteviewer_browserheader').html(`<center style="color:#ff0000;">`+dr.text+`<center>`);
}
$("#pointviewer").html('امتیاز شما : '+ dr.point );
}
});
}
function showTester()
{
$('#websiteviewer_browserheader').html('<center>لطفا کمی صبر کنید</center>');
$.ajax({
url:wurl+'/websites/api/requestpoint?website_id='+current_site_id,
success:function(dr) {
if(dr.able==false)
{
alert('متاسفانه امکان ثبت امتیاز وجود ندارد!');
return;
}
$('#websiteviewer_browserheader').html(`<center>
<img id=\"validation_image\" src=\"`+wurl+`/websites/api/current_image.png?s=`+dr.rand_session+`\">
<button onclick=\"submitTest(\'`+dr.v0.value+`\')\">`+dr.v0.name+`</button>
<button onclick=\"submitTest(\'`+dr.v1.value+`\')\">`+dr.v1.name+`</button>
<button onclick=\"submitTest(\'`+dr.v2.value+`\')\">`+dr.v2.name+`</button>
گزینه ی صحیح را انتخاب کنید
</center>`);
}
});
}
function browserTimer(_reset=false)
{
if(_reset===true)
browserTimer.csi=current_show_id;
if(isclosed===true|| browserTimer.csi!== current_show_id)
return;
btimer-=1;
$('#websiteviewer_browserheader').html(' <center> لطفا '+parseInt(btimer)+' ثانیه صبر کنید </center> ');
if(btimer>0)
setTimeout(browserTimer,1000);
else
showTester();
}
function showwebsite(weburl,websiteid,watchonly=false)
{
$('#websiteviewer_background').css('visibility','visible');
$('#websiteviewer_browserheader').html('<center>...در حال بارگزاری</center>');
$('#websiteviewer_browser').html('');
$("#websiteviewer_browser").css('display','block');
$("#websiteviewer_comments").css('display','none');
$('#websiteviewer_background').fadeIn();
$('#website_detials').html(' ');
current_show_id++;
isclosed=false;
$.ajax({
url:weburl+'/websites/api/requestvisit?website_id='+websiteid,
success:function(dr) {
$('#websiteviewer_browser').html('<iframe sandbox=\'\' style=\'width: 100%;height: 100%;\' src=\''+dr.weburl+'\'></iframe>');
if(watchonly)
{
$('#websiteviewer_browserheader').html('<center>'+dr.title+' <a href="'+weburl+'/websites/editwebsite?website_id='+websiteid+'"><button>اصلاح مشخصات</button></a> '+'</center>');
}
else if(dr.selfwebsite===true)
{
$('#websiteviewer_browserheader').html('<center> این وبسایت توسط خود شما ثبت شده است </center>');
}
else if(dr.thepoint<=0)
{
$('#websiteviewer_browserheader').html('<center> امتیازی جهت کسب کردن وجود ندارد</center>');
}
else if(dr.able===false)
{
$('#websiteviewer_browserheader').html('<center>شما اخیرا از این سایت بازدید کرده اید . لطفا بعدا تلاش کنید</center>');
}
else if(dr.nopoint===true)
{
$('#websiteviewer_browserheader').html('<center>متاسفانه مقدار امتیاز صاحب سایت برای دریافت امتیاز شما کافی نیست</center>');
}
else
{
$('#websiteviewer_browserheader').html('<center> لطفا '+parseInt(dr.timer)+' ثانیه صبر کنید </center>');
setTimeout(function(){browserTimer(true);},1000);
}
btimer=dr.timer;
current_site_id=websiteid;
wurl=weburl;
if(dr.liked)
{
$("#websiteviewer_likeButton").css('background-image',' url(\'/images/like_true.png\')');
$("#websiteviewer_likeButton").attr('title','حزف پسندیدن');
}
else
{
$("#websiteviewer_likeButton").css('background-image',' url(\'/images/like_false.png\')');
$("#websiteviewer_likeButton").attr('title','پسندیدن');
}
$("#website_detials").html('<span dir="rtl"> <a target="_blank" href="'+dr.weburl+'">'+dr.weburl+'</a> | '+dr.title+' <a target="_blank" href="'+weburl+'/user/'+dr.the_user_name+'">'+dr.user_name+'</a></span>');
}
});
}
function toggleLike()
{
$.ajax({
url:wurl+'/websites/api/togglelike?websiteid='+current_site_id,
success:function(dr)
{
if(dr.website_id===current_site_id)
{
if(dr.liked)
{
$("#websiteviewer_likeButton").css('background-image',' url(\'/images/like_true.png\')');
$("#websiteviewer_likeButton").attr('title','حزف پسندیدن');
}
else
{
$("#websiteviewer_likeButton").css('background-image',' url(\'/images/like_false.png\')');
$("#websiteviewer_likeButton").attr('title','پسندیدن');
}
}
}
});
}
function tabShowComments()
{
$("#websiteviewer_browser").css('display','none');
$("#websiteviewer_comments").css('display','block');
$("#websiteviewer_comments").html('<center>...در حال بارگزاری</center>');
loadComments();
}
function tabShowWebsite()
{
$("#websiteviewer_browser").css('display','block');
$("#websiteviewer_comments").css('display','none');
}
function loadComments()
{
$.ajax({
url:wurl+'/websites/api/comments/'+current_site_id,
success:function(dr){
$('#websiteviewer_comments').html('');
$('#websiteviewer_comments').append(`<div id="your_comment_div"><form onsubmit="postComment()" action="`+wurl+`" method="post"><input type="text" placeholder="نظر شما" id="your_comment_content"></textarea><div id="__google_recaptcha"></div><input onclick="postComment(event)" type="submit" value="ارسال نظر"></form></div>`);
comment_recapcha_id=grecaptcha.render('__google_recaptcha',{'sitekey':'6LfaYSgUAAAAAFxMhXqtX6NdYW0jxFv1wnIFS1VS'});
$('#websiteviewer_comments').append(`</div>`);
for(var i=0;i<dr.comments.length;i++)
{
var str = '<span dir="rtl">'+dr.users[i].name + ' میگه : ' + dr.comments[i].content+'</span>';
if(dr.ownwebsite || dr.comments[i].user_id == dr.current_user_id )
{
str+='<a href="javascript:void(0)"><button onclick="deleteComment('+dr.comments[i].id+')"> حزف </button></a>';
}
$('#websiteviewer_comments').append('<div class="websiteviewer_thecommentblock" >'+str+'</div><br>' );
}
}
});
}
function postComment(e)
{
e.preventDefault();
console.log(grecaptcha);
if(grecaptcha==null)
{
alert('انجام نشد');
return false;
}
var rr = grecaptcha.getResponse(comment_recapcha_id);
$.ajaxSetup({
headers: {
'X-CSRF-TOKEN': $('meta[name="csrf-token"]').attr('content')
}
});
$.ajax({
type: "POST",
url:wurl+'/website/api/comments/add',
data:{'g-recaptcha-response':rr,"website_id":current_site_id,"content":$("#your_comment_content").val()},
success:function(dr){
if(dr.done===true)
{
alert('نظر شما ثبت شد');
grecaptcha.reset();
loadComments();
}
else
{
alert('متاسفانه مشکلی وجود دارد.نظر شما ثبت نشد. مطمئن شوید محتوای نظر شما خالی نیست و گزینه ی من یک ربات نیستم را تایید کرده اید');
grecaptcha.reset();
}
},
error: function(data)
{
alert('متاسفانه مشکلی در ارتباط با سرور وجود دارد. نظر شما ثبت نشده است.');
}
});
alert('... لطفا کمی صبر کنید');
return false;
}
function deleteComment(comment_id)
{
var _con = confirm('آیا برای حزف این نظر مطمئن هستید؟');
if(_con==false)
return;
$.ajaxSetup({
headers: {
'X-CSRF-TOKEN': $('meta[name="csrf-token"]').attr('content')
}
});
$.ajax({
url:wurl+'/website/api/comments/delete',
type:"post",
data:{"cid":comment_id},
success:function(dr){
if(dr.done==true)
alert('حزف شد');
else
alert('مشکلی در حزف وجود دارد');
loadComments();
}
});
}
| amir9480/Traffic-booster | public_html/js/websites.js | JavaScript | gpl-3.0 | 10,083 |
import Component from './mock/component.spec';
QUnit.module( 'File: core/common/assets/js/api/extras/hash-commands.js', ( hooks ) => {
hooks.before( () => {
$e.components.register( new Component() );
} );
QUnit.test( 'get(): Ensure valid return format', ( assert ) => {
// Act.
const actual = $e.extras.hashCommands.get( '#whatever&e:run:test-command&e:route:test-route' );
// Assert.
assert.deepEqual( actual, [ {
command: 'test-command',
method: 'e:run',
}, {
command: 'test-route',
method: 'e:route',
} ] );
} );
QUnit.test( 'get(): Ensure valid return format - Only one hash command the start with (#)', ( assert ) => {
// Act.
const actual = $e.extras.hashCommands.get( '#e:run:my-component/command' );
// Assert.
assert.deepEqual( actual, [ {
command: 'my-component/command',
method: 'e:run',
} ] );
} );
QUnit.test( 'run(): Ensure run performed', ( assert ) => {
// Arrange.
const dispatcherOrig = $e.extras.hashCommands.dispatchersList[ 'e:run' ],
dispatcherRunnerOrig = dispatcherOrig.runner;
let ensureCallbackPerformed = '';
dispatcherOrig.runner = ( command ) => {
ensureCallbackPerformed = command;
};
// Act.
$e.extras.hashCommands.run( [ {
command: 'test-hash-commands/safe-command',
method: 'e:run',
} ] );
// Assert.
assert.equal( ensureCallbackPerformed, 'test-hash-commands/safe-command' );
// Cleanup.
dispatcherOrig.runner = dispatcherRunnerOrig;
} );
QUnit.test( 'run(): Ensure insecure command fails', ( assert ) => {
assert.throws(
() => {
$e.extras.hashCommands.run( [ {
command: 'test-hash-commands/insecure-command',
method: 'e:run',
} ] );
},
new Error( 'Attempting to run unsafe or non exist command: `test-hash-commands/insecure-command`.' )
);
} );
QUnit.test( 'run(): Ensure exception when no dispatcher found', ( assert ) => {
assert.throws(
() => {
$e.extras.hashCommands.run( [ {
command: 'test-hash-commands/insecure-command',
method: 'e:non-exist-method',
} ] );
},
new Error( 'No dispatcher found for the command: `test-hash-commands/insecure-command`.' )
);
} );
} );
| ramiy/elementor | tests/qunit/tests/core/common/assets/js/api/extras/hash-commands.spec.js | JavaScript | gpl-3.0 | 2,172 |
/*!
* Ext JS Library
* Copyright(c) 2006-2014 Sencha Inc.
* [email protected]
* http://www.sencha.com/license
*/
Ext.define('Ext.org.micoli.app.modules.GridWindow', {
extend: 'Ext.ux.desktop.Module',
requires: [
'Ext.data.ArrayStore',
'Ext.util.Format',
'Ext.grid.Panel',
'Ext.grid.RowNumberer'
],
id:'grid-win',
init : function(){
this.launcher = {
text: 'Grid Window',
iconCls:'icon-grid'
};
},
createWindow : function(){
var desktop = this.app.getDesktop();
var win = desktop.getWindow('grid-win');
if(!win){
win = desktop.createWindow({
id: 'grid-win',
title:'Grid Window',
width:740,
height:480,
iconCls: 'icon-grid',
animCollapse:false,
constrainHeader:true,
layout: 'fit',
items: [
{
border: false,
xtype: 'grid',
store: new Ext.data.ArrayStore({
fields: [
{ name: 'company' },
{ name: 'price', type: 'float' },
{ name: 'change', type: 'float' },
{ name: 'pctChange', type: 'float' }
],
data: Ext.org.micoli.app.modules.GridWindow.getDummyData()
}),
columns: [
new Ext.grid.RowNumberer(),
{
text: "Company",
flex: 1,
sortable: true,
dataIndex: 'company'
},
{
text: "Price",
width: 70,
sortable: true,
renderer: Ext.util.Format.usMoney,
dataIndex: 'price'
},
{
text: "Change",
width: 70,
sortable: true,
dataIndex: 'change'
},
{
text: "% Change",
width: 70,
sortable: true,
dataIndex: 'pctChange'
}
]
}
],
tbar:[{
text:'Add Something',
tooltip:'Add a new row',
iconCls:'add'
}, '-', {
text:'Options',
tooltip:'Modify options',
iconCls:'option'
},'-',{
text:'Remove Something',
tooltip:'Remove the selected item',
iconCls:'remove'
}]
});
}
return win;
},
statics: {
getDummyData: function () {
return [
['3m Co',71.72,0.02,0.03],
['Alcoa Inc',29.01,0.42,1.47],
['American Express Company',52.55,0.01,0.02],
['American International Group, Inc.',64.13,0.31,0.49],
['AT&T Inc.',31.61,-0.48,-1.54],
['Caterpillar Inc.',67.27,0.92,1.39],
['Citigroup, Inc.',49.37,0.02,0.04],
['Exxon Mobil Corp',68.1,-0.43,-0.64],
['General Electric Company',34.14,-0.08,-0.23],
['General Motors Corporation',30.27,1.09,3.74],
['Hewlett-Packard Co.',36.53,-0.03,-0.08],
['Honeywell Intl Inc',38.77,0.05,0.13],
['Intel Corporation',19.88,0.31,1.58],
['Johnson & Johnson',64.72,0.06,0.09],
['Merck & Co., Inc.',40.96,0.41,1.01],
['Microsoft Corporation',25.84,0.14,0.54],
['The Coca-Cola Company',45.07,0.26,0.58],
['The Procter & Gamble Company',61.91,0.01,0.02],
['Wal-Mart Stores, Inc.',45.45,0.73,1.63],
['Walt Disney Company (The) (Holding Company)',29.89,0.24,0.81]
];
}
}
});
| micoli/reQuester | desk6/app/org/micoli/app/modules/samples/GridWindow.js | JavaScript | gpl-3.0 | 3,137 |
var dir_74389ed8173ad57b461b9d623a1f3867 =
[
[ "Containers", "dir_08cccf7962d497a198ad678c4e330cfd.html", "dir_08cccf7962d497a198ad678c4e330cfd" ],
[ "Controls", "dir_6f73af2b2c97c832a8b61d1fc1ff2ac5.html", "dir_6f73af2b2c97c832a8b61d1fc1ff2ac5" ],
[ "Util", "dir_7db6fad920da64edfd558eb6dbc0c610.html", "dir_7db6fad920da64edfd558eb6dbc0c610" ],
[ "ANSIConsoleRenderer.cpp", "ANSIConsoleRenderer_8cpp.html", "ANSIConsoleRenderer_8cpp" ],
[ "ANSIConsoleRenderer.hpp", "ANSIConsoleRenderer_8hpp.html", "ANSIConsoleRenderer_8hpp" ],
[ "ConsoleRenderer.cpp", "ConsoleRenderer_8cpp.html", "ConsoleRenderer_8cpp" ],
[ "ConsoleRenderer.hpp", "ConsoleRenderer_8hpp.html", [
[ "ICharInformation", "classConsor_1_1Console_1_1ICharInformation.html", "classConsor_1_1Console_1_1ICharInformation" ],
[ "renderbound_t", "structConsor_1_1Console_1_1renderbound__t.html", "structConsor_1_1Console_1_1renderbound__t" ],
[ "IConsoleRenderer", "classConsor_1_1Console_1_1IConsoleRenderer.html", "classConsor_1_1Console_1_1IConsoleRenderer" ]
] ],
[ "Control.cpp", "Control_8cpp.html", null ],
[ "Control.hpp", "Control_8hpp.html", [
[ "Control", "classConsor_1_1Control.html", "classConsor_1_1Control" ]
] ],
[ "InputSystem.hpp", "InputSystem_8hpp.html", "InputSystem_8hpp" ],
[ "LinuxInputSystem.cpp", "LinuxInputSystem_8cpp.html", "LinuxInputSystem_8cpp" ],
[ "LinuxInputSystem.hpp", "LinuxInputSystem_8hpp.html", [
[ "LinuxInputSystem", "classConsor_1_1Input_1_1LinuxInputSystem.html", "classConsor_1_1Input_1_1LinuxInputSystem" ]
] ],
[ "main.cpp", "main_8cpp.html", "main_8cpp" ],
[ "PlatformConsoleRenderer.hpp", "PlatformConsoleRenderer_8hpp.html", "PlatformConsoleRenderer_8hpp" ],
[ "PlatformInputSystem.hpp", "PlatformInputSystem_8hpp.html", "PlatformInputSystem_8hpp" ],
[ "Skin.hpp", "Skin_8hpp.html", [
[ "ISkin", "classConsor_1_1ISkin.html", "classConsor_1_1ISkin" ],
[ "DefaultSkin", "classConsor_1_1DefaultSkin.html", "classConsor_1_1DefaultSkin" ],
[ "HackerSkin", "classConsor_1_1HackerSkin.html", "classConsor_1_1HackerSkin" ],
[ "MonoSkin", "classConsor_1_1MonoSkin.html", "classConsor_1_1MonoSkin" ]
] ],
[ "Units.cpp", "Units_8cpp.html", "Units_8cpp" ],
[ "Units.hpp", "Units_8hpp.html", "Units_8hpp" ],
[ "WindowsConsoleRenderer.cpp", "WindowsConsoleRenderer_8cpp.html", "WindowsConsoleRenderer_8cpp" ],
[ "WindowsConsoleRenderer.hpp", "WindowsConsoleRenderer_8hpp.html", "WindowsConsoleRenderer_8hpp" ],
[ "WindowsInputSystem.cpp", "WindowsInputSystem_8cpp.html", null ],
[ "WindowsInputSystem.hpp", "WindowsInputSystem_8hpp.html", [
[ "WindowsInputSystem", "classConsor_1_1Input_1_1WindowsInputSystem.html", "classConsor_1_1Input_1_1WindowsInputSystem" ]
] ],
[ "WindowSystem.cpp", "WindowSystem_8cpp.html", "WindowSystem_8cpp" ],
[ "WindowSystem.hpp", "WindowSystem_8hpp.html", "WindowSystem_8hpp" ]
]; | KateAdams/kateadams.eu | static/*.kateadams.eu/Consor/Doxygen/dir_74389ed8173ad57b461b9d623a1f3867.js | JavaScript | gpl-3.0 | 2,985 |
/** @jsx React.DOM */
jest.dontMock('./../jsx/jestable/DeleteButton.js');
describe('DeleteButton', function() {
it('creates a button that deletes keyword from the keyword list', function() {
var React = require('react/addons');
var DeleteButton = require('./../jsx/jestable/DeleteButton.js');
var Ids = require('./../jsx/jestable/Ids.js');
var TestUtils = React.addons.TestUtils;
var mockDelete = jest.genMockFn();
// Render a delete button in the document
var deleteBtn = TestUtils.renderIntoDocument(
<DeleteButton handleDelete={ mockDelete } itemText={ "itemText" } idNumber={0}/>
);
// Verify that it has the correct id and class attributes
var btn = TestUtils.findRenderedDOMComponentWithTag(deleteBtn, 'img');
expect(btn.getDOMNode().id).toEqual(Ids.extension + "-keyword-" + 0);
expect(btn.getDOMNode().className).toEqual(Ids.extension + "-ui-clickable");
// Simulate a click and verify that it calls delete function
TestUtils.Simulate.click(btn);
expect(mockDelete.mock.calls.length).toBe(1);
});
});
| Reynslan/moggo | components/__tests__/DeleteButton-test.js | JavaScript | gpl-3.0 | 1,154 |
function failure () {
}
function create_msg(){
//alert(document.getElementById('intraweb').value);
if (document.getElementById('intraweb').value == '') {
jQuery('#intraweb').focus();
}
}
function enableTopicListSort(){
if (jQuery( "#EnDisSort" ).hasClass( "disabled" )) {
jQuery('.handle').removeClass('hide');
jQuery('#EnDisSort').removeClass('disabled');
jQuery('#divEDSort').attr('data-original-title',Zikula.__('Disable topics list reorder','module_iwforums_js'));
} else {
jQuery('.handle').addClass('hide');
jQuery('#EnDisSort').addClass('disabled');
jQuery('#divEDSort').attr('data-original-title',Zikula.__('Enable topics list reorder','module_iwforums_js'));
}
}
// Delete selected topic and its messages
function deleteTopic(){
var fid = jQuery('#fid').val();
var ftid = jQuery('#ftid').val();
var p = {
fid : fid,
ftid: ftid,
deleteTopic: true
}
if (typeof(fid) != 'undefined')
new Zikula.Ajax.Request(Zikula.Config.baseURL + "ajax.php?module=IWforums&func=reorderTopics", {
parameters: p,
onComplete: deleteTopic_reponse,
onFailure: failure
});
}
function deleteTopic_reponse(req) {
if (!req.isSuccess()) {
Zikula.showajaxerror(req.getMessage());
return;
}
var b = req.getData();
$('topicsList').update(b.content);
}
function reorderTopics(fid, ftid){
var tList = jQuery("#topicsTableBody").sortable("serialize");
var p = {
fid : fid,
ftid : ftid,
ordre : tList
}
new Zikula.Ajax.Request(Zikula.Config.baseURL + "ajax.php?module=IWforums&func=reorderTopics", {
parameters: p,
onComplete: reorderTopics_reponse,
onFailure: failure
});
}
function reorderTopics_reponse(req){
if (!req.isSuccess()) {
Zikula.showajaxerror(req.getMessage());
return;
}
var b = req.getData();
$('topicsList').update(b.content);
jQuery('#divEDSort').attr('title',Zikula.__('Disable topics list reorder','module_iwforums_js'));
enableTopicListSort();
}
/*
* Deleta message attached file
* @returns {}
*/
function delAttachment(){
var p = {
fid : document.new_msg["fid"].value,
fmid : document.new_msg["fmid"].value
}
new Zikula.Ajax.Request(Zikula.Config.baseURL + "ajax.php?module=IWforums&func=delAttachment", {
parameters: p,
onComplete: delAttachment_reponse,
onFailure: failure
});
}
function delAttachment_reponse(req){
if (!req.isSuccess()) {
Zikula.showajaxerror(req.getMessage());
return;
}
var b = req.getData();
$('attachment').update(b.content);
// Reload filestyle
jQuery(":file").filestyle({
buttonText : b.btnMsg ,
buttonBefore: true,
iconName : "glyphicon-paperclip"
});
jQuery(":file").filestyle('clear');
}
/*
* Apply introduction forum changes
* @returns {}
*/
function updateForumIntro(){
var fid = document.feditform["fid"].value;
var nom_forum = document.feditform["titol"].value;
var descriu = document.feditform["descriu"].value;
var longDescriu = document.feditform["lDesc"].value;
var observacions = document.feditform["observacions"].value;
var topicsPage = document.feditform["topicsPage"].value;
/*if (typeof tinyMCE != "undefined") {
tinyMCE.execCommand('mceRemoveEditor', true, 'lDesc');
}
*/
//Scribite.destroyEditor('lDesc');
var p = {
fid : fid,
nom_forum : nom_forum,
descriu : descriu,
longDescriu : longDescriu,
topicsPage : topicsPage,
observacions: observacions
};
new Zikula.Ajax.Request(Zikula.Config.baseURL + "ajax.php?module=IWforums&func=setForum", {
parameters: p,
onComplete: updateForumIntro_reponse,
onFailure: failure
});
}
function updateForumIntro_reponse(req){
if (!req.isSuccess()) {
Zikula.showajaxerror(req.getMessage());
return;
}
var b = req.getData();
$('forumDescription').update(b.content);
jQuery("#btnNewTopic").toggle();
if (b.moduleSc){
if (b.moduleSc == 'new') Scribite.createEditors();
if (b.moduleSc == 'old') document.location.reload(true);
}
/*if (typeof tinyMCE != "undefined") {
tinyMCE.execCommand('mceAddEditor', true, 'lDesc');
}
*/
}
// Get selected image icon in edit, create and reply message forms
function selectedIcon(){
var file= jQuery("#iconset input[type='radio']:checked").val();
if (file != "") {
var src = document.getElementById(file).src;
jQuery('#currentIcon').attr("src", src);
jQuery('#currentIcon').show();
} else {
jQuery('#currentIcon').hide();
}
}
function checkName(){
if (jQuery('#titol').val().length < 1) {
jQuery('#btnSend').hide();
jQuery('#inputName').addClass('has-error');
} else {
jQuery('#btnSend').show();
jQuery('#inputName').removeClass('has-error');
jQuery('#titol').focus();
}
}
// Show/hide forum information edition form
function showEditForumForm(){
jQuery("#forumIntroduction").toggle();
jQuery("#forumEdition").toggle();
jQuery("#btnNewTopic").toggle();
}
function getTopic(fid, ftid){
var p = {
fid : fid,
ftid: ftid
};
new Zikula.Ajax.Request(Zikula.Config.baseURL + "ajax.php?module=IWforums&func=getTopic", {
parameters: p,
onComplete: getTopic_response,
onFailure: failure
});
}
function getTopic_response(req){
if (!req.isSuccess()) {
Zikula.showajaxerror(req.getMessage());
return;
}
var b = req.getData();
$('row_'+b.id).update(b.content);
}
function editTopic(fid, ftid){
var p = {
fid : fid,
ftid: ftid
};
new Zikula.Ajax.Request(Zikula.Config.baseURL + "ajax.php?module=IWforums&func=editTopic", {
parameters: p,
onComplete: editTopic_response,
onFailure: failure
});
}
function editTopic_response(req)
{
if (!req.isSuccess()) {
Zikula.showajaxerror(req.getMessage());
return;
}
var b = req.getData();
$('row_'+b.id).update(b.content);
}
// Save topic with new values
function setTopic(){
var fid = document.feditTopic["fid"].value;
var ftid = document.feditTopic["ftid"].value;
var titol = document.feditTopic["titol"].value;
var descriu = document.feditTopic["descriu"].value;
var p = {
fid : fid,
ftid: ftid,
titol: titol,
descriu: descriu
};
new Zikula.Ajax.Request(Zikula.Config.baseURL + "ajax.php?module=IWforums&func=setTopic", {
parameters: p,
onComplete: setTopic_response,
onFailure: failure
});
}
function setTopic_response(req){
if (!req.isSuccess()) {
Zikula.showajaxerror(req.getMessage());
return;
}
var b = req.getData();
$('row_'+b.id).update(b.content);
// Show or hide sortable list
if (jQuery( "#EnDisSort" ).hasClass( "disabled" )) {
jQuery('.handle').addClass('hide');
} else {
jQuery('.handle').removeClass('hide');
}
}
function chgUsers(a){
show_info();
var b={
gid:a
};
var c=new Zikula.Ajax.Request(Zikula.Config.baseURL+"ajax.php?module=IWforums&func=chgUsers",{
parameters: b,
onComplete: chgUsers_response,
onFailure: chgUsers_failure
});
}
function chgUsers_failure(){
show_info();
$("uid").update('');
}
function chgUsers_response(a){
if(!a.isSuccess()){
Zikula.showajaxerror(a.getMessage());
return
}
var b=a.getData();
show_info();
$("uid").update(b.content);
}
function show_info()
{
var info = '';
if(!Element.hasClassName(info, 'z-hide')) {
$("chgInfo").update(' ');
Element.addClassName("chgInfo", 'z-hide');
} else {
$("chgInfo").update('<img src="'+Zikula.Config.baseURL+'images/ajax/circle-ball-dark-antialiased.gif">');
Element.removeClassName("chgInfo", 'z-hide');
}
}
function modifyField(a,aa){
showfieldinfo(a, modifyingfield);
var b={
fid:a,
character:aa
};
var c=new Zikula.Ajax.Request(Zikula.Config.baseURL+"ajax.php?module=IWforums&func=modifyForum",{
parameters: b,
onComplete: modifyField_response,
onFailure: failure
});
}
function modifyField_response(a){
if(!a.isSuccess()){
Zikula.showajaxerror(a.getMessage());
return
}
var b=a.getData();
changeContent(b.fid);
}
function showfieldinfo(fndid, infotext){
if(fndid) {
if(!Element.hasClassName('foruminfo_' + fndid, 'z-hide')) {
$('foruminfo_' + fndid).update(' ');
Element.addClassName('foruminfo_' + fndid, 'z-hide');
} else {
$('foruminfo_' + fndid).update(infotext);
Element.removeClassName('foruminfo_' + fndid, 'z-hide');
}
}
}
function changeContent(a){
var b={
fid:a
};
var c=new Zikula.Ajax.Request(Zikula.Config.baseURL+"ajax.php?module=IWforums&func=changeContent",{
parameters: b,
onComplete: changeContent_response,
onFailure: failure
});
}
function changeContent_response(a){
if(!a.isSuccess()){
Zikula.showajaxerror(a.getMessage());
return
}
var b=a.getData();
$('forumChars_' + b.fid).update(b.content);
}
// Check or uncheck forum message
function of_mark(fid,msgId){
var b={
fid:fid,
fmid:msgId
};
var c=new Zikula.Ajax.Request(Zikula.Config.baseURL+"ajax.php?module=IWforums&func=mark",{
parameters: b,
onComplete: of_mark_response,
onFailure: failure
});
}
function of_mark_response(a){
if(!a.isSuccess()){
Zikula.showajaxerror(a.getMessage());
return
}
var b=a.getData();
var icon = '<span data-toggle="tooltip" class="glyphicon glyphicon-flag" title="'+b.ofMarkText+'"></span>';
if(b.m == 1){
Element.removeClassName(b.fmid, 'disabled');
//Element.writeAttribute(b.fmid,'title',b.ofMarkText);
}else{
Element.addClassName(b.fmid, 'disabled');
//Element.writeAttribute(b.fmid,'title',b.ofMarkText);
}
$(b.fmid).update(icon);
if (b.reloadFlags) {
reloadFlaggedBlock();
}
}
function mark(a,aa){
var b={
fid:a,
fmid:aa
};
var c=new Zikula.Ajax.Request(Zikula.Config.baseURL+"ajax.php?module=IWforums&func=mark",{
parameters: b,
onComplete: mark_response,
onFailure: failure
});
}
function mark_response(a){
if(!a.isSuccess()){
Zikula.showajaxerror(a.getMessage());
return
}
var b=a.getData();
if(b.m == 1){
$(b.fmid).src=Zikula.Config.baseURL+"modules/IWforums/images/marcat.gif";
$("msgMark" + b.fmid).src=Zikula.Config.baseURL+"modules/IWforums/images/marcat.gif";
$('msgMark' + b.fmid).update(b.fmid);
}else{
$(b.fmid).src=Zikula.Config.baseURL+"modules/IWforums/images/res.gif";
$("msgMark" + b.fmid).src=Zikula.Config.baseURL+"modules/IWforums/images/res.gif";
$('msgMark' + b.fmid).update(b.fmid);
}
if (b.reloadFlags) {
reloadFlaggedBlock();
}
}
function deleteGroup(a,aa){
var response = confirm(deleteConfirmation);
if(response){
$('groupId_' + a + '_' + aa).update('<img src="'+Zikula.Config.baseURL+'images/ajax/circle-ball-dark-antialiased.gif">');
var b={
gid:a,
fid:aa
};
var c=new Zikula.Ajax.Request(Zikula.Config.baseURL+"ajax.php?module=IWforums&func=deleteGroup",{
parameters: b,
onComplete: deleteGroup_response,
onFailure: failure
});
}
}
function deleteGroup_response(a){
if(!a.isSuccess()){
Zikula.showajaxerror(a.getMessage());
return
}
var b=a.getData();
$('groupId_' + b.gid + '_' + b.fid).toggle()
}
function deleteModerator(a,aa){
var response = confirm(deleteModConfirmation);
if(response){
var b={
fid:a,
id:aa
};
$('mod_' + a + '_' + aa).update('<img src="'+Zikula.Config.baseURL+'images/ajax/circle-ball-dark-antialiased.gif">');
var c=new Zikula.Ajax.Request(Zikula.Config.baseURL+"ajax.php?module=IWforums&func=deleteModerator",{
parameters: b,
onComplete: deleteModerador_response,
onFailure: failure
});
}
}
function deleteModerador_response(a){
if(!a.isSuccess()){
Zikula.showajaxerror(a.getMessage());
return
}
var b=a.getData();
$('mod_' + b.fid + '_' +b.id).toggle()
}
function openMsg(a,aa,aaa,aaaa,aaaaa,aaaaaa){
$('openMsgIcon_' + a).src=Zikula.Config.baseURL+"images/ajax/circle-ball-dark-antialiased.gif";
var b={
fmid:a,
fid:aa,
ftid:aaa,
u:aaaa,
oid:aaaaa,
inici:aaaaaa
};
var c=new Zikula.Ajax.Request(Zikula.Config.baseURL+"ajax.php?module=IWforums&func=openMsg",{
parameters: b,
onComplete: openMsg_response,
onFailure: failure
});
}
function openMsg_response(a){
if(!a.isSuccess()){
Zikula.showajaxerror(a.getMessage());
return
}
var b=a.getData();
$('openMsgRow_' + b.fmid).update(b.content);
$('openMsgIcon_' + b.fmid).toggle();
$('msgImage_' + b.fmid).src=Zikula.Config.baseURL+"modules/IWforums/images/msg.gif";
}
function closeMsg(fmid){
$('openMsgRow_' + fmid).update('');
$('openMsgIcon_' + fmid).src=Zikula.Config.baseURL+"modules/IWforums/images/msgopen.gif";
$('openMsgIcon_' + fmid).toggle();
}
| projectestac/intraweb | intranet/modules/IWforums/javascript/IWforums.js | JavaScript | gpl-3.0 | 14,075 |
const path = require('path')
const webpack = require('webpack')
var config = {
devtool: 'source-map',
entry: './lib/index.js',
output: {
path: path.join(__dirname, 'dist'),
filename: 'napchart.min.js',
library: 'Napchart',
libraryTarget: 'var'
},
module: {
rules: [
{
test: /\.js$/,
use: [{
loader: 'buble-loader',
options: {
objectAssign: 'Object.assign'
}
}]
}
]
}
}
if (process.env.NODE_ENV == 'production') {
config.plugins = [
new webpack.DefinePlugin({
'process.env': {
'NODE_ENV': JSON.stringify('production')
}
}),
new webpack.optimize.UglifyJsPlugin({minimize: false})
]
}
module.exports = config
| larskarbo/napchart | webpack.config.js | JavaScript | gpl-3.0 | 798 |
// ----------- General Utility Functions -----------
function get_answer_div(answer_id) {
return dom_lookup("answer-", answer_id)
}
function get_answer_div_desc_div(answer_div) {
return dom_lookup("desc-", answer_div.id)
}
function get_question_desc_div(question_id) {
return dom_lookup("question-desc-", question_id)
}
function get_question_selected_div(question_id) {
return dom_lookup("question-selected-", question_id)
}
function get_question_unselected_div(question_id) {
return dom_lookup("question-unselected-", question_id)
}
function get_verify_ballot_div() {
return dom_lookup("verify-ballot-area", "")
}
function get_submit_button() {
return dom_lookup("submit-btn", "")
}
function dom_lookup(prefix, id) {
return document.getElementById("" + prefix + id)
}
function filter_visible(arr) {
/* Take an array-like object containing DOM elements, and use j-query
* to filter out the visible ones
*
* Param arr - array-like object containing DOM elements
*
* Returns - array containing only visible elements
*/
return Array.prototype.filter.call(arr,
function(test_element) {
return $(test_element).is(":visible");}
)
}
function is_selected(answer_id, question_id) {
/* Return true if an answer belonging to a question is selected
*/
var sel_div = get_question_selected_div(question_id)
return get_answer_div(answer_id).parentNode == sel_div
}
// ----------- Less-General Helper Functions -----------
function build_tutorial_block(next_to_element, tut_text) {
/* Display a tutorial block
*/
if($(next_to_element).is(":visible")) {
var max_tut_width = "150" // Just a magic number for look
var tut_border_add = 10 // In css, border is about this width...
var tut_div = document.createElement("div")
// The class is used to style the object, and to remove it later
tut_div.className = "tutorial_child"
// Attach event listeners so it can disappear on mouseover
tut_div.addEventListener("mouseenter",
function () { this.style.opacity=0; }, false)
tut_div.addEventListener("mouseleave",
function () { this.style.opacity=1; }, false)
tut_div.innerHTML = tut_text
var src_loc = next_to_element.getBoundingClientRect()
tut_div.style.top = (src_loc.top + window.pageYOffset) + "px"
var tut_width = src_loc.left - window.pageXOffset - tut_border_add
if(tut_width > max_tut_width) {
tut_width = max_tut_width
}
tut_div.style.width = tut_width + "px"
tut_div.style.left = (src_loc.left - tut_width - tut_border_add) + "px"
document.body.appendChild(tut_div)
}
}
function ballot_change_made(func_after) {
/* Handle visual changes necessary after a change on the ballot
*/
$("#check-ballot-btn").slideDown("fast", function() {
$("#form").slideUp("fast", function() {
$("#verify-ballot-area").slideUp("fast", function() {
handle_tutorial()
if(func_after !== undefined) {
func_after()
}
})
})
})
}
function number_ballot(question_id) {
/* Number the selected ballot options for a given question
*/
var sel_div = get_question_selected_div(question_id)
var unsel_div = get_question_unselected_div(question_id)
for( var i = 0; i < sel_div.childNodes.length; i++ ) {
var selected_ans_node = sel_div.childNodes[i]
var ans_rank = document.getElementById("rank-"+selected_ans_node.id)
ans_rank.innerHTML = i + 1
}
for( var i = 0; i < unsel_div.childNodes.length; i++ ) {
var unselected_ans_node = unsel_div.childNodes[i]
var ans_rank = document.getElementById("rank-"+unselected_ans_node.id)
ans_rank.innerHTML = " "
}
}
// ----------- Tutorial Functions -----------
function handle_tutorial() {
/* Display the tutorial blocks
*/
remove_tutorial_blocks()
var TutorialQuestionState = Object.freeze(
{ADD:0, REORDER:1, VERIFY:2, SUBMIT:3, NONE:4})
var add_help = "Drag one or more options into the "selected" area to vote for them."
var reorder_help = "Reorder options to match your preferences, or remove items you no longer wish to vote for."
var nochoices_help = "Make voting selections above before verifying your ballot."
var submit_help = "Verify your preferences. Make changes above if necessary. Submit when you're ready."
var state_text_map = [add_help, reorder_help, nochoices_help, submit_help]
// Display one tutorial block per question
for( var question in question_list ) {
var question_id = question_list[question]
var sel_div = get_question_selected_div(question_id)
var unsel_div = get_question_unselected_div(question_id)
var q_state = 0;
var next_to = sel_div;
if( sel_div.childNodes.length < 2 ) {
q_state = TutorialQuestionState.ADD
next_to = unsel_div
} else {
q_state = TutorialQuestionState.REORDER
next_to = sel_div
}
build_tutorial_block(next_to, state_text_map[q_state])
}
var verify_ballot_div = get_verify_ballot_div()
var submit_btn = get_submit_button()
// Default these two to the verify state - if it's not visible,
// build_tutorial_block won't display it...
var ver_state = TutorialQuestionState.VERIFY
var ver_next_to = verify_ballot_div
if( $(submit_btn).is(":visible") ) {
ver_state = TutorialQuestionState.SUBMIT
}
build_tutorial_block(ver_next_to, state_text_map[ver_state])
}
function remove_tutorial_blocks() {
/* Clear all tutorial blocks from the screen
*/
var element_list = []
do {
for(var i = 0; i < element_list.length; i++) {
document.body.removeChild(element_list[i])
}
element_list = document.body.getElementsByClassName("tutorial_child")
} while( element_list.length > 0 )
}
$(document).ready( function() {
// Run handle_tutorial as soon as the DOM is ready
handle_tutorial()
// Make the questions sortable, but don't allow sorting between questions
for( var question in question_list ) {
var question_id = question_list[question]
var sel_div = get_question_selected_div(question_id)
var unsel_div = get_question_unselected_div(question_id)
var desc_div = get_question_desc_div(question_id)
// What I do with update down there is weird - I create a function
// that returns a function then call it. That results in creating
// a new scoping specifically for local_question_id
$(sel_div).sortable({
placeholder: "poll_answer_placeholder",
connectWith: "#" + unsel_div.id,
update: function() {
var local_question_id = question_id
return function(event, ui) {
number_ballot(local_question_id)
ballot_change_made()
}
}(),
// Whenever receive happense on the selected div,
// update happens too. No need to duplicate things...
/*receive: function(event, ui) {
ballot_change_made()
},*/
})
$(unsel_div).sortable({
placeholder: "poll_answer_placeholder",
connectWith: "#" + sel_div.id,
receive: function(event, ui) {
ballot_change_made()
},
})
}
} )
// ----------- Functions Referenced In HTML -----------
function validate_ballot() {
/* Occurs when the "validate ballot" button is pressed
*/
var form_entries = document.getElementById("constructed-form-entries")
var validate = document.getElementById("verify-ballot-div-area")
var some_answers = false
form_entries.innerHTML = ""
validate.innerHTML = ""
// Build the validation view and the response form for each question
for( var question in question_list ) {
var question_id = question_list[question]
var sel_div = get_question_selected_div(question_id)
var desc_div = get_question_desc_div(question_id)
var question_validate_div = document.createElement("div")
question_validate_div.className = "poll_question"
var question_validate_desc = document.createElement("div")
question_validate_desc.innerHTML = desc_div.innerHTML
question_validate_desc.classList = desc_div.classList
question_validate_div.appendChild(question_validate_desc)
if( sel_div.childNodes.length == 0 ) {
var new_ans = document.createElement("div")
new_ans.className = "poll_answer_desc"
new_ans.innerHTML = "No choices selected"
question_validate_div.appendChild(new_ans)
}
for( var i = 0; i < sel_div.childNodes.length; i++ ) {
some_answers = true
var selected_ans_node = sel_div.childNodes[i]
var new_input = document.createElement("input")
new_input.type = "hidden"
new_input.name = selected_ans_node.id
new_input.value = i + 1
form_entries.appendChild(new_input)
var new_ans = document.createElement("div")
new_ans.className = "poll_answer_desc"
new_ans.innerHTML = "" + (i+1) + ". " +
get_answer_div_desc_div(selected_ans_node).innerHTML
question_validate_div.appendChild(new_ans)
}
validate.appendChild(question_validate_div)
}
if( some_answers ) {
$("#form").show()
} else {
$("#form").hide()
}
$("#check-ballot-btn").slideUp("fast")
toggle_visible_block("verify-ballot-area", true)
}
| kc0bfv/RankedChoiceRestaurants | RankedChoiceRestaurants/static/voting/ranked_choice.js | JavaScript | gpl-3.0 | 9,999 |
//
// Installs the bash completion script
//
// Load the needed modules
var fs = require('fs');
var path = require('path');
// File name constants
var BASH_COMPLETION = '/etc/bash_completion.d';
var COMPLETION = path.join(__dirname, '..', 'completion.sh');
// Make sure the bash completion directory exists
path.exists(BASH_COMPLETION, function(exists) {
if (exists) {
fs.stat(BASH_COMPLETION, function(err, stats) {
if (err) {fail();}
if (stats.isDirectory()) {
var cruxCompletion = path.join(BASH_COMPLETION, 'crux');
path.exists(cruxCompletion, function(exists) {
if (! exists) {
fs.symlink(COMPLETION, cruxCompletion, function(err) {
if (err) {fail();}
});
}
});
}
});
}
});
// --------------------------------------------------------
// Fail with a standard error message
function fail() {
console.error([
'Could not install bash completion. If your system supports this feature, it may',
'be a permissions error (are you using sudo?). You can try installing the bash',
'completion scripts later using `[sudo] npm run-script crux install -g`.'
].join('\n'));
process.exit(0);
}
/* End of file bash-completion.js */
| kbjr/node-crux | scripts/bash-completion.js | JavaScript | gpl-3.0 | 1,206 |
const constants = require('./../routes/constants.json');
const logger = require('../utils/logger');
const amanda = require('amanda');
const jsonSchemaValidator = amanda('json');
const math = require('mathjs');
const calculatePopularity = popularity => {
logger.debug('Calculating popularity');
if (popularity) {
return math.round(popularity, 2);
}
return 0;
};
const internalServerError = (reason, response) => {
const message = `Unexpected error: ${reason}`;
logger.warn(message);
return response.status(500).json({ code: 500, message });
};
const unauthorizedError = (reason, response) => {
const message = `Unauthorized: ${reason}`;
logger.warn(message);
response.status(401).json({ code: 401, message });
};
const nonExistentId = (message, response) => {
logger.warn(message);
response.status(400).json({ code: 400, message });
};
const validateRequestBody = (body, schema) => {
logger.info('Validating request');
logger.debug(`Request "${JSON.stringify(body, null, 4)}"`);
return new Promise((resolve, reject) => {
jsonSchemaValidator.validate(body, schema, error => {
if (error) {
reject(error);
} else {
resolve();
}
});
});
};
const invalidRequestBodyError = (reasons, response) => {
const message = `Request body is invalid: ${reasons[0].message}`;
logger.warn(message);
return response.status(400).json({ code: 400, message });
};
const entryExists = (id, entry, response) => {
logger.info(`Checking if entry ${id} exist`);
logger.debug(`Entry: ${JSON.stringify(entry, null, 4)}`);
if (!entry) {
logger.warn(`No entry with id ${id}`);
response.status(404).json({ code: 404, message: `No entry with id ${id}` });
return false;
}
return true;
};
/* Users */
const formatUserShortJson = user => ({
id: user.id,
userName: user.userName,
href: user.href,
images: user.images,
});
const formatUserContacts = contacts => (contacts[0] === null) ? [] : contacts.map(formatUserShortJson); // eslint-disable-line
const formatUserJson = user => ({
userName: user.userName,
password: user.password,
fb: {
userId: user.facebookUserId,
authToken: user.facebookAuthToken,
},
firstName: user.firstName,
lastName: user.lastName,
country: user.country,
email: user.email,
birthdate: user.birthdate,
images: user.images,
href: user.href,
contacts: formatUserContacts(user.contacts),
});
const formatGetUserJson = user => ({
id: user.id,
userName: user.userName,
password: user.password,
fb: {
userId: user.facebookUserId,
authToken: user.facebookAuthToken,
},
firstName: user.firstName,
lastName: user.lastName,
country: user.country,
email: user.email,
birthdate: user.birthdate,
images: user.images,
href: user.href,
contacts: formatUserContacts(user.contacts),
});
const successfulUsersFetch = (users, response) => {
logger.info('Successful users fetch');
return response.status(200).json({
metadata: {
count: users.length,
version: constants.API_VERSION,
},
users: users.map(formatGetUserJson),
});
};
const successfulUserFetch = (user, response) => {
logger.info('Successful user fetch');
response.status(200).json({
metadata: {
count: 1,
version: constants.API_VERSION,
},
user: formatGetUserJson(user),
});
};
const successfulUserCreation = (user, response) => {
logger.info('Successful user creation');
response.status(201).json(formatUserJson(user));
};
const successfulUserUpdate = (user, response) => {
logger.info('Successful user update');
response.status(200).json(formatUserJson(user));
};
const successfulUserDeletion = response => {
logger.info('Successful user deletion');
response.sendStatus(204);
};
const successfulUserContactsFetch = (contacts, response) => {
logger.info('Successful contacts fetch');
response.status(200).json({
metadata: {
count: contacts.length,
version: constants.API_VERSION,
},
contacts: formatUserContacts(contacts),
});
};
const successfulContactAddition = response => {
logger.info('Successful contact addition');
response.sendStatus(201);
};
const successfulContactDeletion = response => {
logger.info('Successful contact deletion');
response.sendStatus(204);
};
/* Admins */
const successfulAdminsFetch = (admins, response) => {
logger.info('Successful admins fetch');
return response.status(200).json({
metadata: {
count: admins.length,
version: constants.API_VERSION,
},
admins,
});
};
const successfulAdminCreation = (admin, response) => {
logger.info('Successful admin creation');
response.status(201).json(admin[0]);
};
const successfulAdminDeletion = response => {
logger.info('Successful admin deletion');
response.sendStatus(204);
};
/* Tokens */
const nonexistentCredentials = response => {
const message = 'No entry with such credentials';
logger.warn(message);
response.status(400).json({ code: 400, message });
};
const inconsistentCredentials = response => {
const message = 'There is more than one entry with those credentials';
logger.warn(message);
response.status(500).json({ code: 500, message });
};
const successfulTokenGeneration = (result, response) => {
logger.info('Successful token generation');
response.status(201).json(result);
};
const successfulUserTokenGeneration = (user, token, response) => {
const result = { token };
successfulTokenGeneration(result, response);
};
const successfulAdminTokenGeneration = (admin, token, response) => {
const result = Object.assign(
{},
{
token,
admin: {
id: admin.id,
userName: admin.userName,
},
});
successfulTokenGeneration(result, response);
};
/* Artists */
const formatArtistShortJson = artist => ({
id: artist.id,
name: artist.name,
href: artist.href,
images: artist.images,
});
const formatArtistJson = artist => ({
id: artist.id,
name: artist.name,
description: artist.description,
href: artist.href,
images: artist.images,
genres: artist.genres,
albums: artist.albums[0] ? artist.albums.map(formatAlbumShortJson) : [],
popularity: calculatePopularity(artist.popularity),
});
const successfulArtistsFetch = (artists, response) => {
logger.info('Successful artists fetch');
return response.status(200).json({
metadata: {
count: artists.length,
version: constants.API_VERSION,
},
artists: artists.map(formatArtistJson),
});
};
const successfulArtistCreation = (artist, response) => {
logger.info('Successful artist creation');
response.status(201).json(formatArtistJson(artist));
};
const successfulArtistFetch = (artist, response) => {
logger.info('Successful artist fetch');
return response.status(200).json({
metadata: {
count: 1,
version: constants.API_VERSION,
},
artist: (formatArtistJson(artist)),
});
};
const successfulArtistUpdate = (artist, response) => {
logger.info('Successful artist update');
response.status(200).json(formatArtistJson(artist));
};
const successfulArtistDeletion = response => {
logger.info('Successful artist deletion');
response.sendStatus(204);
};
const successfulArtistFollow = (artist, response) => {
logger.info('Successful artist follow');
response.status(201).json(formatArtistJson(artist));
};
const successfulArtistUnfollow = (artist, response) => {
logger.info('Successful artist unfollow');
response.status(204).json(formatArtistJson(artist));
};
const successfulArtistTracksFetch = (tracks, response) => {
logger.info('Successful tracks fetch');
response.status(200).json({
metadata: {
count: tracks.length,
version: constants.API_VERSION,
},
tracks: tracks.map(formatTrackJson),
});
};
/* Albums */
const formatAlbumShortJson = album => ({
id: album.id,
name: album.name,
href: album.href,
images: album.images,
});
const formatAlbumJson = album => ({
id: album.id,
name: album.name,
release_date: album.release_date,
href: album.href,
popularity: calculatePopularity(album.popularity),
artists: album.artists[0]
? album.artists.map(artist => formatArtistShortJson(artist)) : [],
tracks: album.tracks[0]
? album.tracks.map(track => formatTrackShortJson(track)) : [],
genres: album.genres,
images: album.images,
});
const successfulAlbumsFetch = (albums, response) => {
logger.info('Successful albums fetch');
return response.status(200).json({
metadata: {
count: albums.length,
version: constants.API_VERSION,
},
albums: albums.map(formatAlbumJson),
});
};
const successfulAlbumCreation = (album, response) => {
logger.info('Successful album creation');
response.status(201).json(formatAlbumJson(album));
};
const successfulAlbumFetch = (album, response) => {
logger.info('Successful album fetch');
response.status(200).json({
metadata: {
count: 1,
version: constants.API_VERSION,
},
album: formatAlbumJson(album),
});
};
const successfulAlbumUpdate = (album, response) => {
logger.info('Successful album update');
response.status(200).json(formatAlbumJson(album));
};
const successfulAlbumDeletion = response => {
logger.info('Successful album deletion');
response.sendStatus(204);
};
const invalidTrackDeletionFromAlbum = (trackId, albumId, response) => {
const message = `Track (id: ${trackId}) does not belong to album (id: ${albumId})`;
logger.info(message);
response.status(400).json({ code: 400, message });
};
const successfulTrackDeletionFromAlbum = (trackId, albumId, response) => {
logger.info(`Successful track (id: ${trackId}) deletion from album (id: ${albumId})`);
response.sendStatus(204);
};
const successfulTrackAdditionToAlbum = (trackId, album, response) => {
logger.info(`Track (id: ${trackId}) now belongs to album (id: ${album.id})`);
response.status(200).json(formatAlbumJson(album));
};
/* Tracks */
const formatTrackShortJson = track => ({
id: track.id,
name: track.name,
href: track.href,
});
const formatTrackJson = track => ({
id: track.id,
name: track.name,
href: track.href,
duration: track.duration,
popularity: calculatePopularity(track.popularity),
externalId: track.external_id,
album: track.album ? formatAlbumShortJson(track.album) : {},
artists: track.artists ?
track.artists.map(artist => formatArtistShortJson(artist)) : [],
});
const successfulTracksFetch = (tracks, response) => {
logger.info('Successful tracks fetch');
logger.debug(`Tracks: ${JSON.stringify(tracks, null, 4)}`);
return response.status(200).json({
metadata: {
count: tracks.length,
version: constants.API_VERSION,
},
tracks: tracks.map(formatTrackJson),
});
};
const successfulTrackCreation = (track, response) => {
logger.info('Successful track creation');
logger.debug(`Track: ${JSON.stringify(track, null, 4)}`);
response.status(201).json(formatTrackJson(track));
};
const successfulTrackFetch = (track, response) => {
logger.info('Successful track fetch');
logger.debug(`Track: ${JSON.stringify(track, null, 4)}`);
response.status(200).json({
metadata: {
count: 1,
version: constants.API_VERSION,
},
track: formatTrackJson(track),
});
};
const successfulTrackUpdate = (track, response) => {
logger.info('Successful track update');
response.status(200).json(formatTrackJson(track));
};
const successfulTrackDeletion = response => {
logger.info('Successful track deletion');
response.sendStatus(204);
};
const successfulTrackLike = (track, response) => {
logger.info('Successful track like');
response.status(201).json(formatTrackJson(track));
};
const successfulTrackDislike = (track, response) => {
logger.info('Successful track dislike');
response.status(204).json(formatTrackJson(track));
};
const successfulTrackPopularityCalculation = (rating, response) => {
logger.info(`Successful track popularity calculation (rate: ${rating})`);
response.status(200).json({
metadata: {
count: 1,
version: constants.API_VERSION,
},
popularity: {
rate: rating,
},
});
};
const successfulTrackRate = (rate, response) => {
logger.info(`Successful track rate: ${rate}`);
response.status(201).json({
rate,
});
};
/* Playlist */
const formatPlaylistJson = playlist => ({
id: playlist.id,
name: playlist.name,
href: playlist.href,
description: playlist.description,
owner: playlist.owner ? formatUserShortJson(playlist.owner) : {},
songs: playlist.tracks ?
_formatTracks(playlist.tracks) : [],
images: playlist.images ?
playlist.images : [],
});
const _formatTracks = tracks => {
if (tracks.length === 1 && tracks[0] === null) {
return [];
}
return tracks.map(track => formatTrackShortJson(track));
};
const formatPlaylistCreationJson = playlist => ({
id: playlist.id,
name: playlist.name,
href: playlist.href,
description: playlist.description,
owner: playlist.owner ? formatUserShortJson(playlist.owner) : {},
});
const successfulPlaylistsFetch = (playlists, response) => {
logger.info('Successful playlists fetch');
logger.debug(`Playlists: ${JSON.stringify(playlists, null, 4)}`);
return response.status(200).json({
metadata: {
count: playlists.length,
version: constants.API_VERSION,
},
playlists: playlists.map(formatPlaylistJson),
});
};
const successfulPlaylistCreation = (playlist, response) => {
logger.info('Successful playlist creation');
logger.debug(`Playlist: ${JSON.stringify(playlist, null, 4)}`);
response.status(201).json(formatPlaylistCreationJson(playlist));
};
const successfulPlaylistFetch = (playlist, response) => {
logger.info('Successful playlist fetch');
response.status(200).json({
metadata: {
count: 1,
version: constants.API_VERSION,
},
playlist: formatPlaylistJson(playlist),
});
};
const successfulPlaylistUpdate = (playlist, response) => {
logger.info('Successful playlist update');
response.status(200).json(formatPlaylistJson(playlist));
};
const successfulPlaylistDeletion = response => {
logger.info('Successful playlist deletion');
response.sendStatus(204);
};
const successfulTrackDeletionFromPlaylist = (trackId, playlist, response) => {
logger.info(`Successful track (id: ${trackId}) deletion from playlist (id: ${playlist.id})`);
response.sendStatus(204);
};
const successfulTrackAdditionToPlaylist = (trackId, playlist, response) => {
logger.info(`Track (id: ${trackId}) now belongs to playlist (id: ${playlist.id})`);
response.status(200).json(formatPlaylistJson(playlist));
};
const successfulAlbumDeletionFromPlaylist = (albumId, playlist, response) => {
logger.info(`Successful album (id: ${albumId}) deletion from playlist (id: ${playlist.id})`);
response.sendStatus(204);
};
const successfulAlbumAdditionToPlaylist = (albumId, playlist, response) => {
logger.info(`Album (id: ${albumId}) now belongs to playlist (id: ${playlist.id})`);
response.status(200).json(formatPlaylistJson(playlist));
};
module.exports = {
internalServerError,
unauthorizedError,
nonExistentId,
validateRequestBody,
entryExists,
invalidRequestBodyError,
successfulUsersFetch,
successfulUserFetch,
successfulUserCreation,
successfulUserUpdate,
successfulUserDeletion,
successfulUserContactsFetch,
successfulContactAddition,
successfulContactDeletion,
successfulAdminsFetch,
successfulAdminCreation,
successfulAdminDeletion,
nonexistentCredentials,
inconsistentCredentials,
successfulUserTokenGeneration,
successfulAdminTokenGeneration,
successfulArtistsFetch,
successfulArtistCreation,
successfulArtistFetch,
successfulArtistUpdate,
successfulArtistDeletion,
successfulArtistFollow,
successfulArtistUnfollow,
successfulArtistTracksFetch,
successfulAlbumsFetch,
successfulAlbumCreation,
successfulAlbumFetch,
successfulAlbumUpdate,
successfulAlbumDeletion,
invalidTrackDeletionFromAlbum,
successfulTrackDeletionFromAlbum,
successfulTrackAdditionToAlbum,
successfulTracksFetch,
successfulTrackCreation,
successfulTrackFetch,
successfulTrackUpdate,
successfulTrackDeletion,
successfulTrackLike,
successfulTrackDislike,
successfulTrackPopularityCalculation,
successfulTrackRate,
successfulPlaylistsFetch,
successfulPlaylistCreation,
successfulPlaylistFetch,
successfulPlaylistUpdate,
successfulPlaylistDeletion,
successfulTrackDeletionFromPlaylist,
successfulTrackAdditionToPlaylist,
successfulAlbumDeletionFromPlaylist,
successfulAlbumAdditionToPlaylist,
};
| tallerify/shared-server | src/handlers/response.js | JavaScript | gpl-3.0 | 16,674 |
!function(a){a.fn.datepicker.dates.no={days:["Søndag","Mandag","Tirsdag","Onsdag","Torsdag","Fredag","Lørdag"],daysShort:["Søn","Man","Tir","Ons","Tor","Fre","Lør"],daysMin:["Sø","Ma","Ti","On","To","Fr","Lø"],months:["Januar","Februar","Mars","April","Mai","Juni","Juli","August","Setembro","Oktober","November","Desember"],monthsShort:["Jan","Feb","Mar","Apr","Mai","Jun","Jul","Aug","Sep","Okt","Nov","Des"],today:"I dag",clear:"Nullstill",weekStart:1,format:"dd.mm.yyyy"}}(jQuery); | Brasmid/servicedesk-metal | theme/components/bootstrap-datepicker/dist/locales/bootstrap-datepicker.no.min.js | JavaScript | gpl-3.0 | 491 |
var searchData=
[
['network',['Network',['../classNetwork.html',1,'Network< Vertex, Edge >'],['../classNetwork.html#a5041dbbc6de74dfee903edb066476ddb',1,'Network::Network()'],['../classNetwork.html#ae591a151ac8f3fbfb800b282f1d11ea7',1,'Network::Network(NetworkInfo i)']]],
['networkinfo',['NetworkInfo',['../structNetworkInfo.html',1,'']]]
];
| leoandeol/network-coverage-computation | docs/search/all_8.js | JavaScript | gpl-3.0 | 353 |
jQuery(window).load( function() {
if( local_data.form_id ) {
var pardot_id = local_data.form_id;
}
else{
var pardot_id = jQuery('[id^="form-wysija-"]').attr('id');
}
jQuery('.pardotform').contents().find('#pardot-form').submit(function () {
var ajax_data = {
action: 'pardot_capture_lead',
'firstname': jQuery("input[name='" + local_data.first_name + "']").val(),
'lastname': jQuery("input[name='" + local_data.last_name + "']").val(),
'email': jQuery("input[name='" + local_data.email + "']").val(),
'form_id': pardot_id,
}
jQuery.ajax( {
url: local_data.url,
type: 'POST',
dataType: 'json',
data: ajax_data,
});
});
}); | leadferry/lf-leads | leads/classes/vendors/js/pardot.js | JavaScript | gpl-3.0 | 673 |
$(window).load(function() {
/* Seleccionar el primer radio button (Persona) */
var contr = $('#form-adhere input[type=radio]');
contr.first().prop( "checked", true );
/* Cargar lista de paises en el select */
$.ajax({ url: location.origin + location.pathname + '/assets/js/countries.json', dataType: 'text'})
.done(function( data ) {
data = JSON.parse(data);
var select = $('#pais-adherente-1');
$.each( data, function( key, val ) {
select.append('<option value="'+key+'">'+val+'</option>')
});
select.select2();
})
.fail(function( jqxhr, textStatus, error ) {
var err = textStatus + ", " + error;
console.log( "Request Failed: " + err );
});
/* Evento de selección de radio button para cambiar el placeholder de los textboxes */
contr.on('change', function(ev){
if($(ev.target).attr('id') == "tipo-persona-adherente")
{
$('#nombre-adherente-1').attr('placeholder', 'Escribe tu nombre');
$('#email-adherente-1').attr('placeholder', 'Escribe tu email');
}
else if($(ev.target).attr('id') == "tipo-organizacion-adherente")
{
$('#nombre-adherente-1').attr('placeholder', 'Escribe el nombre de la organización');
$('#email-adherente-1').attr('placeholder', 'Escribe el email de la organización');
}
})
/* Enviamos el formulario */
$( '#form-adhere' ).submit(function(e) {
e.preventDefault();
e.stopImmediatePropagation();
var $this = $( this ),
action = $this.attr( 'action' );
// The AJAX requrest
var data = $this.serialize();
$.get( action, data )
.done(function(data) {
$("#form-adhere").slideToggle('slow', function(){
$("#form-adhere-done").slideToggle('slow');
});
})
.fail(function( jqxhr, textStatus, error ) {
var err = textStatus + ", " + error;
console.log( "Request Failed: " + err );
});
return false;
});
/*
$('#submit-adhere').click(function(ev){
$("#form-adhere").slideToggle('slow', function(){
$("#form-adhere-done").slideToggle('slow');
});
});
*/
}); | DemocraciaEnRed/redinnovacionpolitica.org | assets/js/adhere-form.js | JavaScript | gpl-3.0 | 2,368 |
const UserAuthentication = function () {
let _userPool = new AmazonCognitoIdentity.CognitoUserPool(
window.auth.config.cognito
);
let _cognitoUser = _userPool.getCurrentUser();
const _getUser = function (email) {
if (!_cognitoUser) {
_cognitoUser = new AmazonCognitoIdentity.CognitoUser({
Username: email,
Pool: _userPool,
});
}
_cognitoUser.getSession(function () {});
return _cognitoUser;
};
const _buildAttributeList = function (
givenName,
familyName,
country,
industry,
contact
) {
let attributeList = [];
if (givenName !== undefined) {
const dataGivenName = {
Name: "given_name",
Value: givenName,
};
attributeList.push(
new AmazonCognitoIdentity.CognitoUserAttribute(dataGivenName)
);
}
if (familyName !== undefined) {
const dataFamilyName = {
Name: "family_name",
Value: familyName,
};
attributeList.push(
new AmazonCognitoIdentity.CognitoUserAttribute(dataFamilyName)
);
}
const dataLocale = {
Name: "locale",
Value: navigator.language,
};
attributeList.push(
new AmazonCognitoIdentity.CognitoUserAttribute(dataLocale)
);
if (country !== undefined) {
const datacountry = {
Name: "custom:country",
Value: country,
};
attributeList.push(
new AmazonCognitoIdentity.CognitoUserAttribute(datacountry)
);
}
if (industry !== undefined) {
const dataIndustry = {
Name: "custom:industry",
Value: industry,
};
attributeList.push(
new AmazonCognitoIdentity.CognitoUserAttribute(dataIndustry)
);
}
if (contact !== undefined) {
const dataContact = {
Name: "custom:contact",
Value: contact,
};
attributeList.push(
new AmazonCognitoIdentity.CognitoUserAttribute(dataContact)
);
}
return attributeList;
};
const _setCookie = function (name, value, expiry) {
const d = new Date();
d.setTime(d.getTime() + expiry * 24 * 60 * 60 * 1000);
let expires = "expires=" + d.toUTCString();
document.cookie = name + "=" + value + ";" + expires + ";path=/";
};
const _getCookie = function (cname) {
let name = cname + "=";
let decodedCookie = decodeURIComponent(document.cookie);
let ca = decodedCookie.split(";");
for (let i = 0; i < ca.length; i++) {
let c = ca[i];
while (c.charAt(0) === " ") {
c = c.substring(1);
}
if (c.indexOf(name) === 0) {
return c.substring(name.length, c.length);
}
}
return "";
};
const _deleteCookie = function (name) {
document.cookie =
name + "=; Path=/; Expires=Thu, 01 Jan 1970 00:00:01 GMT;";
};
const _setUserCookie = function (userToken) {
_setCookie("aodnPortalUser", JSON.stringify(userToken), 365);
};
const _setGuestCookie = function () {
_setCookie("aodnPortalGuest", true, 1);
};
const _getUserCookie = function () {
const cookie = _getCookie("aodnPortalUser");
return cookie ? JSON.parse(cookie) : null;
};
const _getGuestCookie = function () {
const cookie = _getCookie("aodnPortalGuest");
return cookie ? true : null;
};
const _clearCookies = function () {
_deleteCookie("aodnPortalUser");
_deleteCookie("aodnPortalGuest");
};
return {
isGuest: function () {
return _getGuestCookie() !== null;
},
setAsGuest: function (callback) {
_setGuestCookie();
callback();
},
isSignedIn: function () {
const cookie = _getUserCookie();
return cookie !== null && _getUser(cookie.email) !== null;
},
signUp: function (
username,
password,
givenName,
familyName,
country,
industry,
contact,
callback
) {
const attributeList = _buildAttributeList(
givenName,
familyName,
country,
industry,
contact
);
_userPool.signUp(username, password, attributeList, null, callback);
},
setDetails: function (
givenName,
familyName,
country,
industry,
contact,
callback
) {
if (_cognitoUser) {
const attrList = _buildAttributeList(
givenName,
familyName,
country,
industry,
contact
);
_cognitoUser.updateAttributes(attrList, callback);
} else {
return {};
}
},
signIn: function (email, password, callback) {
_clearCookies();
const authenticationDetails =
new AmazonCognitoIdentity.AuthenticationDetails({
Username: email,
Password: password,
});
_getUser(email).authenticateUser(authenticationDetails, {
onSuccess: function (res) {
_setUserCookie({ email, token: res.accessToken.jwtToken });
callback(null);
},
onFailure: function (err) {
_cognitoUser = null;
callback(err);
},
});
},
getDetails: function (callback) {
_cognitoUser.getUserAttributes(function(err, result) {
if (err) {
callback(err, null);
} else {
// Build attrs into object
let userInfo = { name: _cognitoUser.username };
for (let k = 0; k < result.length; k++) {
userInfo[result[k].getName()] = result[k].getValue();
}
callback(null, userInfo);
}
});
},
signOut: function (callback) {
if (_cognitoUser && _cognitoUser.signInUserSession) {
_cognitoUser.signOut();
_cognitoUser = undefined;
_clearCookies();
callback(null, {});
}
},
delete: function (callback) {
_cognitoUser.deleteUser(function() {
_clearCookies();
callback();
});
},
changeUserPassword: function (oldPassword, newPassword, callback) {
if (_cognitoUser) {
_cognitoUser.changePassword(oldPassword, newPassword, callback);
} else {
callback({ name: "Error", message: "User is not signed in" }, null);
}
},
sendPasswordResetCode: function (userName, callback) {
_getUser(userName).forgotPassword({
onFailure: (err) => callback(err, null),
onSuccess: (result) => callback(null, result),
});
},
confirmPasswordReset: function (username, code, newPassword, callback) {
_getUser(username).confirmPassword(code, newPassword, {
onFailure: (err) => callback(err, null),
onSuccess: (result) => callback(null, result),
});
},
};
};
| aodn/aodn-portal | web-app/js/aws-cognito/UserAuthentication.js | JavaScript | gpl-3.0 | 6,716 |
Simpla CMS 2.3.8 = afa50d5f661d65b6c67ec7f0e80eee7d
| gohdan/DFC | known_files/hashes/simpla/design/js/codemirror/addon/hint/css-hint.js | JavaScript | gpl-3.0 | 52 |
'use strict';
/**
* pratice Node.js project
*
* @author Mingyi Zheng <[email protected]>
*/
import {expect} from 'chai';
import {request} from '../test';
describe('user', function () {
it('signup', async function () {
try {
const ret = await request.post('/api/signup', {
name: 'test1',
password: '123456789',
});
throw new Error('should throws missing parameter "email" error');
} catch (err) {
expect(err.message).to.equal('email: missing parameter "email"');
}
{
const ret = await request.post('/api/signup', {
name: 'test1',
password: '123456789',
email: '[email protected]',
});
console.log(ret);
expect(ret.user.name).to.equal('test1');
expect(ret.user.email).to.equal('[email protected]');
}
{
const ret = await request.post('/api/login', {
name: 'test1',
password: '123456789',
});
console.log(ret);
expect(ret.token).to.be.a('string');
}
});
});
| akin520/pratice-node-project | src/test/test_user.js | JavaScript | gpl-3.0 | 1,036 |
/**
* @file Surface Component
* @author Alexander Rose <[email protected]>
* @private
*/
import { ComponentRegistry } from "../globals.js";
import { defaults } from "../utils.js";
import Component from "./component.js";
/**
* Component wrapping a Surface object
* @class
* @extends Component
* @param {Stage} stage - stage object the component belongs to
* @param {Surface} surface - surface object to wrap
* @param {ComponentParameters} params - component parameters
*/
function SurfaceComponent( stage, surface, params ){
var p = params || {};
p.name = defaults( p.name, surface.name );
Component.call( this, stage, p );
this.surface = surface;
}
SurfaceComponent.prototype = Object.assign( Object.create(
Component.prototype ), {
constructor: SurfaceComponent,
/**
* Component type
* @alias SurfaceComponent#type
* @constant
* @type {String}
* @default
*/
type: "surface",
/**
* Add a new surface representation to the component
* @alias SurfaceComponent#addRepresentation
* @param {String} type - the name of the representation, one of:
* surface, dot.
* @param {SurfaceRepresentationParameters} params - representation parameters
* @return {RepresentationComponent} the created representation wrapped into
* a representation component object
*/
addRepresentation: function( type, params ){
return Component.prototype.addRepresentation.call(
this, type, this.surface, params
);
},
dispose: function(){
this.surface.dispose();
Component.prototype.dispose.call( this );
},
centerView: function( zoom ){
var center = this.surface.center;
if( zoom ){
zoom = this.surface.boundingBox.size().length();
}
this.viewer.centerView( zoom, center );
},
} );
ComponentRegistry.add( "surface", SurfaceComponent );
export default SurfaceComponent;
| deepchem/deepchem-gui | gui/static/ngl/src/component/surface-component.js | JavaScript | gpl-3.0 | 2,061 |
(function() {
'use strict';
angular
.module('weatheropendataApp')
.config(stateConfig);
stateConfig.$inject = ['$stateProvider'];
function stateConfig($stateProvider) {
$stateProvider.state('register', {
parent: 'account',
url: '/register',
data: {
authorities: [],
pageTitle: 'register.title'
},
views: {
'content@': {
templateUrl: 'app/account/register/register.html',
controller: 'RegisterController',
controllerAs: 'vm'
}
},
resolve: {
translatePartialLoader: ['$translate', '$translatePartialLoader', function ($translate, $translatePartialLoader) {
$translatePartialLoader.addPart('register');
return $translate.refresh();
}]
}
});
}
})();
| hackathinho/open-clean-energy | backend-weather/src/main/webapp/app/account/register/register.state.js | JavaScript | gpl-3.0 | 993 |
/**
* initSession
*
* @module :: Policy
* @description :: make sure all session related values are properly setup
*
*/
module.exports = function(req, res, next) {
// make sure the appdev session obj is created.
req.session.appdev = req.session.appdev || ADCore.session.default();
// if this is a socket request, then initialize the socket info:
if (req.isSocket) {
ADCore.socket.init(req);
}
// ok, our session is properly setup.
next();
};
| appdevdesigns/appdev-core | api/policies/initSession.js | JavaScript | gpl-3.0 | 500 |
Monster = ring.create([AbstractIcon], {
constructor: function()
{
this.sprite = objPhaser.add.sprite(0, 0, Constants.ASSET_MONSTER);
this.sprite.animations.add("fly");
this.sprite.animations.play("fly", 3, true);
this.type = Constants.ASSET_MONSTER;
this.anim = 0;
this.sinchange = 0;
},
update: function(gamespeed)
{
this.$super(gamespeed);
/*this.anim++;
if (this.anim % Constants.MONSTER_LEVITATE_SPEED == 0)
{
this.sinchange++;
this.sprite.y += Math.round(Math.sin(this.sinchange) * Constants.MONSTER_LEVITATE_ACCELERATION);
}*/
},
toString: function()
{
return "Monster";
}
}); | gfrymer/GGJ2015-BSAS-Duality | src/entities/Monster.js | JavaScript | gpl-3.0 | 629 |
function direction(dir, neg) {
if (dir == 'x') {
return function (num) {
num = num == null ? 1 : num;
return new Tile(this.x + (neg ? -num : num), this.y);
};
}
return function (num) {
num = num == null ? 1 : num;
return new Tile(this.x, this.y + (neg ? -num : num));
};
}
var Tile = new Class({
initialize: function (x, y, layer) {
this.width = GetTileWidth();
this.height = GetTileHeight();
if (arguments.length > 1) {
this.layer = [layer, GetPersonLayer(Arq.config.player)].pick();
this.id = GetTile(x, y, this.layer);
this.x = x;
this.y = y;
this.pixelX = this.width * x;
this.pixelY = this.height * y;
}
else
this.id = x;
this.name = GetTileName(this.id);
},
north: direction('y', true),
south: direction('y'),
east: direction('x'),
west: direction('x', true),
place: function (person) {
SetPersonX(person, this.pixelX + this.width / 2);
SetPersonY(person, this.pixelY + this.height / 2);
return this;
},
set: function (tile) {
if (typeof tile == 'string')
tile = Tile.name(tile);
SetTile(this.x, this.y, this.layer, typeof tile == 'number' ? tile : tile.id);
return this;
}
});
function creator(create) {
return function (x, y, layer) {
if (arguments.length == 1) {
var coords = x;
x = coords.x;
y = coords.y;
}
return create(x, y, layer);
};
}
Tile.id = function (id) new Tile(id);
Tile.name = function (name) {
var n = GetNumTiles();
while (n--) {
if (GetTileName(n) == name)
return Tile.id(n);
}
};
Tile.tile = creator(function (x, y, layer) new Tile(x, y, layer));
Tile.pixels = creator(function (x, y, layer) new Tile(Math.floor(x / GetTileWidth()), Math.floor(y / GetTileHeight()), layer));
Tile.under = function (person) Tile.pixels(GetPersonX(person), GetPersonY(person), GetPersonLayer(person));
Tile.current = function () Tile.under(Arq.config.player);
exports.Tile = Tile;
| alpha123/Arq | tile.js | JavaScript | gpl-3.0 | 2,213 |
/*
Copyright (C) 2016 Julien Le Fur
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
var CST = require('../../constants.js');
var fs = require('fs');
var util = require('util');
function execute(args,options,input,ctx,callback){
if(ctx[CST.OBJ.TEMPLATE]==undefined){
return callback(new Error(util.format(CST.MSG_ERR.TEMPLATE_NOT_EXIST,args[CST.OBJ.TEMPLATE])));
}
var template=`./${config.get('simusPath')}/${args[CST.OBJ.SERVICE]}/${args[CST.OBJ.API]}/${args[CST.OBJ.TEMPLATE]}`;
fs.unlink(template, (err)=>{
if(err)
return callback(new Error(util.format(CST.MSG_ERR.TEMPLATE_DELETE,args[CST.OBJ.TEMPLATE])));
else{
return callback(null,args,options,input,ctx);
}
});
}
module.exports = execute
| Ju-Li-An/gs_engine | lib/dataAccess/fs/template/delete.js | JavaScript | gpl-3.0 | 1,386 |
import Palabra from '../../models/palabras'
import { GROUP_ID } from '../../config'
/**
* Obtiene el ranking de palabras más usadas.
* @param {*} msg
*/
const ranking = async msg => {
if(msg.chat.id !== GROUP_ID) return;
try {
let palabras = await Palabra.find({}).sort('-amount').exec();
if (palabras.length >= 3) {
await msg.reply.text(
`${palabras[0].palabra} (${palabras[0].amount} veces), ` +
`${palabras[1].palabra} (${palabras[1].amount} veces), ` +
`${palabras[2].palabra} (${palabras[2].amount} veces)`
);
} else if (palabras.length === 2) {
await msg.reply.text(
`${palabras[0].palabra} (${palabras[0].amount} veces), ` +
`${palabras[1].palabra} (${palabras[1].amount} veces)`
);
} else if (palabras.length === 1) {
await msg.reply.text(
`${palabras[0].palabra} (${palabras[0].amount} veces)`
);
} else {
await msg.reply.text('Hablen más por favor');
}
return 0;
} catch (err) {
console.error(err.message || err);
return;
}
};
export default bot => bot.on(['/ranking'], ranking) | jesusgn90/etsiit-moderator | lib/lib/estadisticas/estadisticas.js | JavaScript | gpl-3.0 | 1,257 |
var Octopi = function(words) {
this.uid = 0;
this.tree = {$$: []};
this.table = {};
words = (words || []);
for (var i = 0; i < words.length; i++)
this.add(words[i]);
};
/**
* Take serialized Octopi data as string and initialize the Octopi object
* @param json String The serialized Octopi trie
*/
Octopi.load = function(json){
var oct = new Octopi();
var o = JSON.parse(json);
oct.uid = o.uid;
oct.tree = o.tree;
oct.table = o.table;
return oct;
}
Octopi.prototype = {
constructor: Octopi,
/**
* Add a new element to the trie
* @param key String prefix to look up
* @param data Object returned by trie
*/
add: function(key, data) {
var id = ++this.uid;
var sub = this.tree;
this.table[id] = data || key;
sub.$$.push(id);
for (var i = 0; i < key.length; i++) {
var c = key[i];
sub = sub[c] || (sub[c] = {$$:[]});
sub.$$.push(id);
}
},
/**
* Return the list of elements in the trie for a given query
* @param key String The prefix to lookup
*/
get: function(key) {
var sub = this.tree;
var tbl = this.table;
for (var i = 0; i < key.length; i++)
if (!(sub = sub[key[i]]))
return [];
return sub.$$.map(function(id) {
return tbl[id];
});
},
/**
* Serialize the Octopi trie as string
*
* @return String
*/
serialize: function(){
var o = { uid: this.uid,
tree: this.tree,
table: this.table
}
return JSON.stringify(o);
}
};
//Search core code
var trie_data = AUTOCOMPLETE_PLUGIN_REPLACE;
var Autocomplete = function() {
this.oct = new Octopi();
};
Autocomplete.prototype = {
load_data: function(data) {
for (var i = 0; data[i]; i++) {
var info = {
'w': data[i][0],
'd': data[i][1],
's': data[i][2]
}
this.oct.add(data[i][0], info)
}
},
get: function(str) {
// Fixme: cleanup malicious input
var candidates = this.oct.get(str);
return candidates.sort(function(a,b){
return (a.s < b.s) ? 1: -1;
}
);
}
};
// Export needed functions/data to the global context
window.Autocomplete = Autocomplete;
window.trie_data = trie_data;
| ebursztein/SiteFab | plugins/site/rendering/autocomplete/autocomplete.js | JavaScript | gpl-3.0 | 2,263 |
(function() {
var billerModule = angular.module('billerModule');
billerModule.filter('offset', function() {
return function(input, start) {
start = parseInt(start, 10);
return input != null ? input.slice(start) : [];
};
});
billerModule.directive('billRecalculationInfo', function() {
return {
restrict : 'AE',
templateUrl : 'html/bills/bill-recalculation-info.html',
controller : ['$scope', '$rootScope', '$http', function($scope, $rootScope, $http) {
$scope.init = function() {
$scope.itemsPerPage = 10;
$scope.pageCurrentBills = 0;
$scope.pageNonExistingBills = 0;
};
$scope.setCurrentBillsPage = function(value) {
$scope.pageCurrentBills = value;
};
$scope.setNonExistingBillsPage = function(value) {
$scope.pageNonExistingBills = value;
};
$scope.init();
}],
require : '^ngModel',
replace : 'true',
scope : {
entity : '=ngModel'
}
};
});
billerModule.controller('BillRecalculationCtrl', [ '$scope', '$rootScope', '$routeParams', '$http', 'dialogs', function($scope, $rootScope, $routeParams, $http, dialogs) {
$scope.init = function() {
$scope.modes = [
{ id: 'byStore', label:'Por establecimiento' },
{ id: 'byCompany', label:'Por operador' },
{ id: 'allBills', label:'Todos' }
];
$scope.months = [
{ id: '1', label: "Enero"}, { id: '2', label: "Febrero"}, { id: '3', label: "Marzo"}, { id: '4', label: "Abril"},
{ id: '5', label: "Mayo"}, { id: '6', label: "Junio"}, { id: '7', label: "Julio"}, { id: '8', label: "Agosto"},
{ id: '9', label: "Septiembre"}, { id: '10', label: "Octubre"}, { id: '11', label: "Noviembre"}, { id: '12', label: "Diciembre"},
];
$scope.options = { mode: $scope.modes[0]};
};
$scope.prepareBill = function() {
$http.get('rest/recalculation/prepare/bill', {
params: {
y: $scope.options.year,
m: $scope.options.month != null ? $scope.options.month.id : null,
s: $scope.options.store != null && $scope.options.mode.id == 'byStore' ? $scope.options.store.id : null,
c: $scope.options.company != null && $scope.options.mode.id == 'byCompany' ? $scope.options.company.id : null
}
}).success(function(data) {
$scope.message = data;
$scope.prepareResult = data.payload;
});
};
$scope.cancelBillRecalculation = function() {
$scope.prepareResult = null;
};
$scope.executeBillRecalculation = function() {
var dlg = dialogs.confirm('Confirmacion','Desea recalcular la factura? Los ajustes manuales se perderan');
dlg.result.then(function(btn){
$scope.message = {code: 200, info: ['billRecalculation.inProgress']};
$scope.isLoading = true;
$scope.prepareResult.recalculateLiquidation = $scope.recalculateLiquidation;
$http.post('rest/recalculation/execute/bill', $scope.prepareResult
).success(function(data) {
$scope.message = data;
$scope.results = data.payload;
$scope.isLoading = false;
});
});
};
$scope.init();
}]);
})();
| labcabrera/biller | biller-web/src/main/webapp/js/controllers/bill-recalculation-ctrl.js | JavaScript | gpl-3.0 | 3,019 |
module.exports = function (grunt) {
grunt.initConfig({
pkg: grunt.file.readJSON('package.json'),
sass: {
dist: {
options: {
style: 'compressed'
},
files: {
'assets/css/global.css': 'src/sass/global.scss'
}
}
},
concat: {
options: {
separator: ';'
},
dist: {
src: ['src/js/**.js'],
dest: 'assets/js/global.js'
}
},
uglify: {
my_target: {
files: {
'assets/js/global.min.js': ['assets/js/global.js']
}
}
},
autoprefixer: {
options: {
map: true,
browsers: ['Last 8 versions', 'IE > 7', '> 1%']
},
css: {
src: 'assets/css/*.css'
}
},
watch: {
sass: {
files: ['src/sass/**/*.scss'],
tasks: ['sass', 'autoprefixer']
},
js: {
files: ['src/js/**/*.js'],
tasks: ['concat', 'uglify']
}
}
});
grunt.loadNpmTasks('grunt-contrib-watch');
grunt.loadNpmTasks('grunt-contrib-sass');
grunt.loadNpmTasks('grunt-autoprefixer');
grunt.loadNpmTasks('grunt-contrib-concat');
grunt.loadNpmTasks('grunt-contrib-uglify');
grunt.registerTask('default', ['sass', 'autoprefixer', 'concat', 'uglify']);
}; | Treenity/bbpress-wp-support | gruntfile.js | JavaScript | gpl-3.0 | 1,604 |
import { Empty as _Empty } from 'elementor-document/elements/commands';
import ElementsHelper from '../../elements/helper';
export const Empty = () => {
QUnit.module( 'Empty', () => {
QUnit.test( 'Single Selection', ( assert ) => {
const eColumn = ElementsHelper.createSection( 1, true );
ElementsHelper.createButton( eColumn );
ElementsHelper.createButton( eColumn );
// Ensure editor saver.
$e.internal( 'document/save/set-is-modified', { status: false } );
ElementsHelper.empty();
// Check.
assert.equal( elementor.getPreviewContainer().view.collection.length, 0,
'all elements were removed.' );
assert.equal( elementor.saver.isEditorChanged(), true, 'Command applied the saver editor is changed.' );
} );
QUnit.test( 'Restore()', ( assert ) => {
const random = Math.random(),
historyItem = {
get: ( key ) => {
if ( 'data' === key ) {
return random;
}
},
};
let orig = $e.run,
tempCommand = '';
// TODO: Do not override '$e.run', use 'on' method instead.
$e.run = ( command ) => {
tempCommand = command;
};
// redo: `true`
_Empty.restore( historyItem, true );
$e.run = orig;
assert.equal( tempCommand, 'document/elements/empty' );
const addChildModelOrig = elementor.getPreviewView().addChildModel;
// Clear.
orig = $e.run;
tempCommand = '';
let tempData = '';
elementor.getPreviewView().addChildModel = ( data ) => tempData = data;
// TODO: Do not override '$e.run', use 'on' method instead.
$e.run = ( command ) => {
tempCommand = command;
};
// redo: `false`
_Empty.restore( historyItem, false );
$e.run = orig;
elementor.getPreviewView().addChildModel = addChildModelOrig;
assert.equal( tempData, random );
} );
} );
};
export default Empty;
| kobizz/elementor | tests/qunit/core/editor/document/elements/commands/empty.spec.js | JavaScript | gpl-3.0 | 1,829 |
'use strict';
module.exports = {
minVersion: "5.0.0",
currentVersion: "5.2.0",
activeDelegates: 101,
addressLength: 208,
blockHeaderLength: 248,
confirmationLength: 77,
epochTime: new Date(Date.UTC(2016, 4, 24, 17, 0, 0, 0)),
fees:{
send: 10000000,
vote: 100000000,
secondsignature: 500000000,
delegate: 6000000000,
multisignature: 500000000,
dapp: 2500000000
},
feeStart: 1,
feeStartVolume: 10000 * 100000000,
fixedPoint : Math.pow(10, 8),
forgingTimeOut: 500, // 50 blocks
maxAddressesLength: 208 * 128,
maxAmount: 100000000,
maxClientConnections: 100,
maxConfirmations : 77 * 100,
maxPayloadLength: 1024 * 1024,
maxRequests: 10000 * 12,
maxSignaturesLength: 196 * 256,
maxTxsPerBlock: 25,
numberLength: 100000000,
requestLength: 104,
rewards: {
milestones: [
100000000, // Initial reward
70000000, // Milestone 1
50000000, // Milestone 2
30000000, // Milestone 3
20000000 // Milestone 4
],
offset: 10, // Start rewards at block (n)
distance: 3000000, // Distance between each milestone
},
signatureLength: 196,
totalAmount: 1009000000000000,
unconfirmedTransactionTimeOut: 10800 // 1080 blocks
};
| shiftcurrency/shift | helpers/constants.js | JavaScript | gpl-3.0 | 1,217 |
const path = require('path');
const webpack = require('webpack');
var HtmlWebpackPlugin = require('html-webpack-plugin');
var ScriptExtHtmlWebpackPlugin = require('script-ext-html-webpack-plugin');
var CopyWebpackPlugin = require('copy-webpack-plugin');
module.exports = {
// 页面入口文件配置 entry: { app: [ path.normalize(process.argv[process.argv.length
// - 1]) // 默认规则,最后一个参数是entry ] }, 入口文件输出配置
output: {
//publicPath: '/dist',
path: __dirname + '/www/dist/',
filename: '[name].[chunkhash:5].js'
},
module: {
//加载器配置
rules: [
{
test: /\.js|\.jsx$/,
// exclude:
// /node_modules[\\|\/](?!react-native|@shoutem\\theme|@remobile\\react-native)/,
loader: 'babel-loader',
options: {
//retainLines: true, 'compact':false,
'presets': [
'react',
'es2015',
'es2017',
'stage-0',
'stage-1',
// 'stage-2', 'stage-3'
],
'plugins': [//'transform-runtime',
'transform-decorators-legacy']
},
include: path.resolve(__dirname, (process.cwd() !== path.dirname(__dirname)
? '../../'
: '') + "../node_modules")
}, {
test: /\.ttf$/,
loader: "url-loader", // or directly file-loader
include: path.resolve(__dirname, (process.cwd() !== path.dirname(__dirname)
? '../../'
: '') + "../node_modules/react-native-vector-icons")
}
]
},
//其它解决方案配置
resolve: {
extensions: [
'', '.web.js', '.js'
],
alias: {
'react-native': 'react-native-web'
}
},
plugins: [
new CopyWebpackPlugin([
{
from: path.join(__dirname, (process.cwd() !== path.dirname(__dirname)
? '../../'
: '') + '../node_modules/babel-polyfill/dist/polyfill.min.js'),
to: path.join(__dirname, 'www', 'dist')
}, {
from: path.join(__dirname, 'viewport.js'),
to: path.join(__dirname, 'www', 'dist', 'viewport.min.js')
}]),
new HtmlWebpackPlugin({
template: __dirname + '/index.temp.html',
filename: __dirname + '/www/index.html',
minify: {
removeComments: true,
collapseWhitespace: true,
collapseInlineTagWhitespace: true,
//conservativeCollapse: true,
preserveLineBreaks: true,
minifyCSS: true,
removeScriptTypeAttributes: true,
removeStyleLinkTypeAttributes: true
}
}),
new ScriptExtHtmlWebpackPlugin({defaultAttribute: 'async'}),
// new webpack.optimize.DedupePlugin(), new ChunkModuleIDPlugin(), new
// webpack.NoErrorsPlugin(),
new webpack.DefinePlugin({'__DEV__': false, 'process.env.NODE_ENV': '"production"'}),
// new webpack.ProvidePlugin({ '__DEV__': false }),
new webpack.SourceMapDevToolPlugin({
test: [
/\.js$/, /\.jsx$/
],
exclude: 'vendor',
filename: "[name].[hash:5].js.map",
append: "//# sourceMappingURL=[url]",
moduleFilenameTemplate: '[resource-path]',
fallbackModuleFilenameTemplate: '[resource-path]'
}),
new webpack.optimize.UglifyJsPlugin({
compress: {
//supresses warnings, usually from module minification
warnings: false
},
//sourceMap: true, mangle: true
})
]
};
| saas-plat/saas-plat-native | web/webpack.config.js | JavaScript | gpl-3.0 | 3,434 |
angular.module('starter.controllers')
.controller('HistoryCtrl', function($scope) {
$scope.history = [
{ label: "Today, 10am-11am", min: 60, max: 87},
{ label: "Today, 9am-10am", min: 62, max: 76},
{ label: "Today, 8am-9am", min: 55, max: 79},
{ label: "Yesterday, 10pm-11pm", min: 66, max: 83},
{ label: "Yesterday, 6pm-7pm", min: 62, max: 91},
{ label: "Yesterday, 5m-6pm", min: 54, max: 82},
{ label: "Yesterday, 10am-11pm", min: 62, max: 97},
{ label: "Yesterday, 9am-10pm", min: 64, max: 79},
];
$scope.history.forEach(function(entry) {
if (entry.max > 95) {
entry.bgCol = "red";
entry.fgCol = "white";
entry.weight = "bold";
} else if( entry.max > 85) {
entry.bgCol = "orange";
entry.fgCol = "white";
entry.weight = "bold";
} else {
entry.bgCol = "white";
entry.fgCol = "black";
entry.weight = "normal";
}
});
});
| JBeaudaux/JBeaudaux.github.io | OpenHeart/js/history.js | JavaScript | gpl-3.0 | 987 |
const editor = require('./form-editor/form-editor.js')
const fields = require('./form-editor/fields.js')
const settings = require('./settings')
const notices = {}
function show (id, text) {
notices[id] = text
render()
}
function hide (id) {
delete notices[id]
render()
}
function render () {
let html = ''
for (const key in notices) {
html += '<div class="notice notice-warning inline"><p>' + notices[key] + '</p></div>'
}
let container = document.querySelector('.mc4wp-notices')
if (!container) {
container = document.createElement('div')
container.className = 'mc4wp-notices'
const heading = document.querySelector('h1, h2')
heading.parentNode.insertBefore(container, heading.nextSibling)
}
container.innerHTML = html
}
const groupingsNotice = function () {
const text = 'Your form contains deprecated <code>GROUPINGS</code> fields. <br /><br />Please remove these fields from your form and then re-add them through the available field buttons to make sure your data is getting through to Mailchimp correctly.'
const formCode = editor.getValue().toLowerCase();
(formCode.indexOf('name="groupings') > -1) ? show('deprecated_groupings', text) : hide('deprecated_groupings')
}
const requiredFieldsNotice = function () {
const requiredFields = fields.getAllWhere('forceRequired', true)
const missingFields = requiredFields.filter(function (f) {
return !editor.containsField(f.name.toUpperCase())
})
let text = '<strong>Heads up!</strong> Your form is missing list fields that are required in Mailchimp. Either add these fields to your form or mark them as optional in Mailchimp.'
text += '<br /><ul class="ul-square" style="margin-bottom: 0;"><li>' + missingFields.map(function (f) { return f.title }).join('</li><li>') + '</li></ul>';
(missingFields.length > 0) ? show('required_fields_missing', text) : hide('required_fields_missing')
}
const mailchimpListsNotice = function () {
const text = '<strong>Heads up!</strong> You have not yet selected a Mailchimp list to subscribe people to. Please select at least one list from the <a href="javascript:void(0)" data-tab="settings" class="tab-link">settings tab</a>.'
if (settings.getSelectedLists().length > 0) {
hide('no_lists_selected')
} else {
show('no_lists_selected', text)
}
}
// old groupings
groupingsNotice()
editor.on('focus', groupingsNotice)
editor.on('blur', groupingsNotice)
// missing required fields
requiredFieldsNotice()
editor.on('blur', requiredFieldsNotice)
editor.on('focus', requiredFieldsNotice)
document.body.addEventListener('change', mailchimpListsNotice)
| ibericode/mailchimp-for-wordpress | assets/src/js/admin/notices.js | JavaScript | gpl-3.0 | 2,625 |
/*
Gerador de nomes
@author Maickon Rangel
@copyright Help RPG - 2016
*/
function download_para_pdf(){
var doc = new jsPDF();
var specialElementHandlers = {
'#editor': function (element, renderer) {
return true;
}
};
doc.fromHTML($('#content').html(), 15, 15, {
'width': 170,
'elementHandlers': specialElementHandlers
});
doc.save('sample-file.pdf');
}
function rand_nomes(){
var selecionado = $("#select").val();
if(!$('#disable_mode_draw').is(':checked')) {
var intervalo = window.setInterval(function(){
var raca = $.ajax({
type: 'post',
dataType: 'html',
url: JS_SERVICE_NAME_PATH + '/' + selecionado + '/9',
data: {select: selecionado},
success: function(result){
var json = (eval("(" + result + ")"));
var attr = [
'nome-1',
'nome-2',
'nome-3',
'nome-4',
'nome-5',
'nome-6',
'nome-7',
'nome-8',
'nome-9'
];
for(var i=0; i<attr.length; i++){
$( "#"+attr[i] ).empty();
$( "#"+attr[i] ).append(json[i]);
}
}
});
}, speed);
window.setTimeout(function() {
clearInterval(intervalo);
}, time);
} else if ($('#disable_mode_draw').is(':checked')){
var raca = $.ajax({
type: 'post',
dataType: 'html',
url: JS_SERVICE_NAME_PATH + '/' + selecionado + '/9',
data: {select: selecionado},
success: function(result){
var json = (eval("(" + result + ")"));
var attr = [
'nome-1',
'nome-2',
'nome-3',
'nome-4',
'nome-5',
'nome-6',
'nome-7',
'nome-8',
'nome-9'
];
for(var i=0; i<attr.length; i++){
$( "#"+attr[i] ).empty();
$( "#"+attr[i] ).append(json[i]);
}
}
});
}
} | maickon/Help-RPG-4.0 | app/assets/js/nomes/nomes.js | JavaScript | gpl-3.0 | 2,470 |
define(['forum/accountheader'], function(header) {
var AccountSettings = {};
AccountSettings.init = function() {
header.init();
$('#submitBtn').on('click', function() {
var settings = {
showemail: $('#showemailCheckBox').is(':checked') ? 1 : 0
};
socket.emit('user.saveSettings', settings, function(err) {
if (err) {
return app.alertError('There was an error saving settings!');
}
app.alertSuccess('Settings saved!');
});
return false;
});
};
return AccountSettings;
});
| changyou/NadBB | public/src/forum/accountsettings.js | JavaScript | gpl-3.0 | 522 |
OJ.importCss('nw.components.NwTray');
OJ.extendComponent(
'NwTray', [OjComponent],
{
'_props_' : {
'actuator' : null,
'allowSlide' : false,
'tray' : null
},
'_template' : 'nw.components.NwTray', '_is_open' : false,
// '_tray_anim' : null,
'_constructor' : function(/*actuator, allowSlide = false unless native and mobile*/){
this._super(OjComponent, '_constructor', []);
this._processArguments(arguments, {
'actuator' : undefined,
'allowSlide' : OJ.is_mobile && NW.isNative
});
},
'_startTrayAnim' : function(tray_amount, content_amount){
var easing = OjEasing.STRONG_OUT,
dir = OjMove.X;
this._stopTrayAnim();
this._tray_anim = new OjTweenSet(
new OjMove(this.panel, dir, tray_amount, 250, easing),
new OjMove(this.container, dir, content_amount, 250, easing)
);
this._tray_anim.addEventListener(OjTweenEvent.COMPLETE, this, '_onAnimComplete');
this._tray_anim.start();
},
'_stopTrayAnim' : function(){
this._unset('_tray_anim');
},
'_updateActuatorListeners' : function(action){
if(this._actuator){
this._actuator[action + 'EventListener'](OjUiEvent.PRESS, this, '_onActuatorClick');
}
},
'_updateContainerListeners' : function(action){
this.container[action + 'EventListener'](OjUiEvent.DOWN, this, '_onTrayBlur');
},
'_updateDragListeners' : function(action){
if(this._actuator){
this._actuator[action + 'EventListener'](OjDragEvent.START, this, '_onActuatorDragStart');
this._actuator[action + 'EventListener'](OjDragEvent.MOVE, this, '_onActuatorDragMove');
}
},
'_onActuatorClick' : function(evt){
this.toggleTray();
},
'_onActuatorDragMove' : function(evt){
},
'_onActuatorDragStart' : function(evt){
},
'_onAnimComplete' : function(evt){
this._stopTrayAnim();
if(this._callback){
this._callback();
this._callback = null;
}
},
'_onTrayBlur' : function(evt){
this.hideTray();
},
'hideTray' : function(callback){
if(!this._is_open){
if(callback){
callback();
}
return;
}
this._callback = callback;
this._startTrayAnim(this.width * -.6, 0);
this._updateContainerListeners(OjActionable.REMOVE);
this._is_open = false;
},
'showTray' : function(callback){
if(this._is_open){
if(callback){
callback();
}
return;
}
this._callback = callback;
var w = this.width * .6;
this.panel.width = w;
this.panel.x = -1 * w;
this._startTrayAnim(0, w);
this._is_open = true;
},
'toggleTray' : function(/*val*/){
if(this._is_open){
this.hideTray();
}
else{
this.showTray();
}
},
'=actuator' : function(val){
if(this._actuator == val){
return;
}
this._updateActuatorListeners(OjActionable.REMOVE);
this._updateDragListeners(OjActionable.REMOVE);
this._actuator = val;
this._updateActuatorListeners(OjActionable.ADD);
if(this._allowSlide){
this._updateDragListeners(OjActionable.ADD);
}
},
'=allowSlide' : function(val){
if(this._allowSlide == val){
return;
}
this._updateDragListeners((this._allowSlide = val) ? OjActionable.ADD : OjActionable.REMOVE);
},
'=tray' : function(val){
this.panel.removeAllChildren();
if(this._tray = val){
this.panel.appendChild(val);
}
},
'.trayPosition' : function(){
return this.container.x;
},
'=trayPosition' : function(val){
var w = this.width * .6;
this.panel.x = Math.max(Math.min(val - w, 0), -(w));
this.container.x = Math.min(Math.max(val, 0), w);
// this._updateContainerListeners(OjActionable.ADD);
}
},
{
'_TAGS' : ['tray']
}
); | NuAge-Solutions/NW | src/js/components/NwTray.js | JavaScript | gpl-3.0 | 4,779 |
'use strict';
var async = require('async');
var rss = require('rss');
var nconf = require('nconf');
var validator = require('validator');
var posts = require('../posts');
var topics = require('../topics');
var user = require('../user');
var categories = require('../categories');
var meta = require('../meta');
var helpers = require('../controllers/helpers');
var privileges = require('../privileges');
var db = require('../database');
var utils = require('../utils');
var controllers404 = require('../controllers/404.js');
var terms = {
daily: 'day',
weekly: 'week',
monthly: 'month',
alltime: 'alltime',
};
module.exports = function (app, middleware) {
app.get('/topic/:topic_id.rss', middleware.maintenanceMode, generateForTopic);
app.get('/category/:category_id.rss', middleware.maintenanceMode, generateForCategory);
app.get('/recent.rss', middleware.maintenanceMode, generateForRecent);
app.get('/top.rss', middleware.maintenanceMode, generateForTop);
app.get('/top/:term.rss', middleware.maintenanceMode, generateForTop);
app.get('/popular.rss', middleware.maintenanceMode, generateForPopular);
app.get('/popular/:term.rss', middleware.maintenanceMode, generateForPopular);
app.get('/recentposts.rss', middleware.maintenanceMode, generateForRecentPosts);
app.get('/category/:category_id/recentposts.rss', middleware.maintenanceMode, generateForCategoryRecentPosts);
app.get('/user/:userslug/topics.rss', middleware.maintenanceMode, generateForUserTopics);
app.get('/tags/:tag.rss', middleware.maintenanceMode, generateForTag);
};
function validateTokenIfRequiresLogin(requiresLogin, cid, req, res, callback) {
var uid = req.query.uid;
var token = req.query.token;
if (!requiresLogin) {
return callback();
}
if (!uid || !token) {
return helpers.notAllowed(req, res);
}
async.waterfall([
function (next) {
db.getObjectField('user:' + uid, 'rss_token', next);
},
function (_token, next) {
if (token === _token) {
async.waterfall([
function (next) {
privileges.categories.get(cid, uid, next);
},
function (privileges, next) {
if (!privileges.read) {
return helpers.notAllowed(req, res);
}
next();
},
], callback);
return;
}
user.auth.logAttempt(uid, req.ip, next);
},
function () {
helpers.notAllowed(req, res);
},
], callback);
}
function generateForTopic(req, res, callback) {
if (parseInt(meta.config['feeds:disableRSS'], 10) === 1) {
return controllers404.send404(req, res);
}
var tid = req.params.topic_id;
var userPrivileges;
var topic;
async.waterfall([
function (next) {
async.parallel({
privileges: function (next) {
privileges.topics.get(tid, req.uid, next);
},
topic: function (next) {
topics.getTopicData(tid, next);
},
}, next);
},
function (results, next) {
if (!results.topic || (parseInt(results.topic.deleted, 10) && !results.privileges.view_deleted)) {
return controllers404.send404(req, res);
}
userPrivileges = results.privileges;
topic = results.topic;
validateTokenIfRequiresLogin(!results.privileges['topics:read'], results.topic.cid, req, res, next);
},
function (next) {
topics.getTopicWithPosts(topic, 'tid:' + tid + ':posts', req.uid || req.query.uid || 0, 0, 25, false, next);
},
function (topicData) {
topics.modifyPostsByPrivilege(topicData, userPrivileges);
var description = topicData.posts.length ? topicData.posts[0].content : '';
var image_url = topicData.posts.length ? topicData.posts[0].picture : '';
var author = topicData.posts.length ? topicData.posts[0].username : '';
var feed = new rss({
title: utils.stripHTMLTags(topicData.title, utils.tags),
description: description,
feed_url: nconf.get('url') + '/topic/' + tid + '.rss',
site_url: nconf.get('url') + '/topic/' + topicData.slug,
image_url: image_url,
author: author,
ttl: 60,
});
var dateStamp;
if (topicData.posts.length > 0) {
feed.pubDate = new Date(parseInt(topicData.posts[0].timestamp, 10)).toUTCString();
}
topicData.posts.forEach(function (postData) {
if (!postData.deleted) {
dateStamp = new Date(parseInt(parseInt(postData.edited, 10) === 0 ? postData.timestamp : postData.edited, 10)).toUTCString();
feed.item({
title: 'Reply to ' + utils.stripHTMLTags(topicData.title, utils.tags) + ' on ' + dateStamp,
description: postData.content,
url: nconf.get('url') + '/post/' + postData.pid,
author: postData.user ? postData.user.username : '',
date: dateStamp,
});
}
});
sendFeed(feed, res);
},
], callback);
}
function generateForCategory(req, res, next) {
if (parseInt(meta.config['feeds:disableRSS'], 10) === 1) {
return controllers404.send404(req, res);
}
var cid = req.params.category_id;
var category;
async.waterfall([
function (next) {
async.parallel({
privileges: function (next) {
privileges.categories.get(cid, req.uid, next);
},
category: function (next) {
categories.getCategoryById({
cid: cid,
set: 'cid:' + cid + ':tids',
reverse: true,
start: 0,
stop: 25,
uid: req.uid || req.query.uid || 0,
}, next);
},
}, next);
},
function (results, next) {
category = results.category;
validateTokenIfRequiresLogin(!results.privileges.read, cid, req, res, next);
},
function (next) {
generateTopicsFeed({
uid: req.uid || req.query.uid || 0,
title: category.name,
description: category.description,
feed_url: '/category/' + cid + '.rss',
site_url: '/category/' + category.cid,
}, category.topics, next);
},
function (feed) {
sendFeed(feed, res);
},
], next);
}
function generateForRecent(req, res, next) {
if (parseInt(meta.config['feeds:disableRSS'], 10) === 1) {
return controllers404.send404(req, res);
}
async.waterfall([
function (next) {
if (req.query.token && req.query.uid) {
db.getObjectField('user:' + req.query.uid, 'rss_token', next);
} else {
next(null, null);
}
},
function (token, next) {
generateForTopics({
uid: token && token === req.query.token ? req.query.uid : req.uid,
title: 'Recently Active Topics',
description: 'A list of topics that have been active within the past 24 hours',
feed_url: '/recent.rss',
site_url: '/recent',
}, 'topics:recent', req, res, next);
},
], next);
}
function generateForTop(req, res, next) {
if (parseInt(meta.config['feeds:disableRSS'], 10) === 1) {
return controllers404.send404(req, res);
}
var term = terms[req.params.term] || 'day';
var uid;
async.waterfall([
function (next) {
if (req.query.token && req.query.uid) {
db.getObjectField('user:' + req.query.uid, 'rss_token', next);
} else {
next(null, null);
}
},
function (token, next) {
uid = token && token === req.query.token ? req.query.uid : req.uid;
topics.getSortedTopics({
uid: uid,
start: 0,
stop: 19,
term: term,
sort: 'votes',
}, next);
},
function (result, next) {
generateTopicsFeed({
uid: uid,
title: 'Top Voted Topics',
description: 'A list of topics that have received the most votes',
feed_url: '/top/' + (req.params.term || 'daily') + '.rss',
site_url: '/top/' + (req.params.term || 'daily'),
}, result.topics, next);
},
function (feed) {
sendFeed(feed, res);
},
], next);
}
function generateForPopular(req, res, next) {
if (parseInt(meta.config['feeds:disableRSS'], 10) === 1) {
return controllers404.send404(req, res);
}
var term = terms[req.params.term] || 'day';
var uid;
async.waterfall([
function (next) {
if (req.query.token && req.query.uid) {
db.getObjectField('user:' + req.query.uid, 'rss_token', next);
} else {
next(null, null);
}
},
function (token, next) {
uid = token && token === req.query.token ? req.query.uid : req.uid;
topics.getSortedTopics({
uid: uid,
start: 0,
stop: 19,
term: term,
sort: 'posts',
}, next);
},
function (result, next) {
generateTopicsFeed({
uid: uid,
title: 'Popular Topics',
description: 'A list of topics that are sorted by post count',
feed_url: '/popular/' + (req.params.term || 'daily') + '.rss',
site_url: '/popular/' + (req.params.term || 'daily'),
}, result.topics, next);
},
function (feed) {
sendFeed(feed, res);
},
], next);
}
function generateForTopics(options, set, req, res, next) {
var start = options.hasOwnProperty('start') ? options.start : 0;
var stop = options.hasOwnProperty('stop') ? options.stop : 19;
async.waterfall([
function (next) {
topics.getTopicsFromSet(set, options.uid, start, stop, next);
},
function (data, next) {
generateTopicsFeed(options, data.topics, next);
},
function (feed) {
sendFeed(feed, res);
},
], next);
}
function generateTopicsFeed(feedOptions, feedTopics, callback) {
feedOptions.ttl = 60;
feedOptions.feed_url = nconf.get('url') + feedOptions.feed_url;
feedOptions.site_url = nconf.get('url') + feedOptions.site_url;
feedTopics = feedTopics.filter(Boolean);
var feed = new rss(feedOptions);
if (feedTopics.length > 0) {
feed.pubDate = new Date(parseInt(feedTopics[0].lastposttime, 10)).toUTCString();
}
async.each(feedTopics, function (topicData, next) {
var feedItem = {
title: utils.stripHTMLTags(topicData.title, utils.tags),
url: nconf.get('url') + '/topic/' + topicData.slug,
date: new Date(parseInt(topicData.lastposttime, 10)).toUTCString(),
};
if (topicData.teaser && topicData.teaser.user) {
feedItem.description = topicData.teaser.content;
feedItem.author = topicData.teaser.user.username;
feed.item(feedItem);
return next();
}
topics.getMainPost(topicData.tid, feedOptions.uid, function (err, mainPost) {
if (err) {
return next(err);
}
if (!mainPost) {
feed.item(feedItem);
return next();
}
feedItem.description = mainPost.content;
feedItem.author = mainPost.user.username;
feed.item(feedItem);
next();
});
}, function (err) {
callback(err, feed);
});
}
function generateForRecentPosts(req, res, next) {
if (parseInt(meta.config['feeds:disableRSS'], 10) === 1) {
return controllers404.send404(req, res);
}
async.waterfall([
function (next) {
posts.getRecentPosts(req.uid, 0, 19, 'month', next);
},
function (posts) {
var feed = generateForPostsFeed({
title: 'Recent Posts',
description: 'A list of recent posts',
feed_url: '/recentposts.rss',
site_url: '/recentposts',
}, posts);
sendFeed(feed, res);
},
], next);
}
function generateForCategoryRecentPosts(req, res, callback) {
if (parseInt(meta.config['feeds:disableRSS'], 10) === 1) {
return controllers404.send404(req, res);
}
var cid = req.params.category_id;
var category;
var posts;
async.waterfall([
function (next) {
async.parallel({
privileges: function (next) {
privileges.categories.get(cid, req.uid, next);
},
category: function (next) {
categories.getCategoryData(cid, next);
},
posts: function (next) {
categories.getRecentReplies(cid, req.uid || req.query.uid || 0, 20, next);
},
}, next);
},
function (results, next) {
if (!results.category) {
return controllers404.send404(req, res);
}
category = results.category;
posts = results.posts;
validateTokenIfRequiresLogin(!results.privileges.read, cid, req, res, next);
},
function () {
var feed = generateForPostsFeed({
title: category.name + ' Recent Posts',
description: 'A list of recent posts from ' + category.name,
feed_url: '/category/' + cid + '/recentposts.rss',
site_url: '/category/' + cid + '/recentposts',
}, posts);
sendFeed(feed, res);
},
], callback);
}
function generateForPostsFeed(feedOptions, posts) {
feedOptions.ttl = 60;
feedOptions.feed_url = nconf.get('url') + feedOptions.feed_url;
feedOptions.site_url = nconf.get('url') + feedOptions.site_url;
var feed = new rss(feedOptions);
if (posts.length > 0) {
feed.pubDate = new Date(parseInt(posts[0].timestamp, 10)).toUTCString();
}
posts.forEach(function (postData) {
feed.item({
title: postData.topic ? postData.topic.title : '',
description: postData.content,
url: nconf.get('url') + '/post/' + postData.pid,
author: postData.user ? postData.user.username : '',
date: new Date(parseInt(postData.timestamp, 10)).toUTCString(),
});
});
return feed;
}
function generateForUserTopics(req, res, callback) {
if (parseInt(meta.config['feeds:disableRSS'], 10) === 1) {
return controllers404.send404(req, res);
}
var userslug = req.params.userslug;
async.waterfall([
function (next) {
user.getUidByUserslug(userslug, next);
},
function (uid, next) {
if (!uid) {
return callback();
}
user.getUserFields(uid, ['uid', 'username'], next);
},
function (userData, next) {
generateForTopics({
uid: req.uid,
title: 'Topics by ' + userData.username,
description: 'A list of topics that are posted by ' + userData.username,
feed_url: '/user/' + userslug + '/topics.rss',
site_url: '/user/' + userslug + '/topics',
}, 'uid:' + userData.uid + ':topics', req, res, next);
},
], callback);
}
function generateForTag(req, res, next) {
if (parseInt(meta.config['feeds:disableRSS'], 10) === 1) {
return controllers404.send404(req, res);
}
var tag = validator.escape(String(req.params.tag));
var page = parseInt(req.query.page, 10) || 1;
var topicsPerPage = meta.config.topicsPerPage || 20;
var start = Math.max(0, (page - 1) * topicsPerPage);
var stop = start + topicsPerPage - 1;
generateForTopics({
uid: req.uid,
title: 'Topics tagged with ' + tag,
description: 'A list of topics that have been tagged with ' + tag,
feed_url: '/tags/' + tag + '.rss',
site_url: '/tags/' + tag,
start: start,
stop: stop,
}, 'tag:' + tag + ':topics', req, res, next);
}
function sendFeed(feed, res) {
var xml = feed.xml();
res.type('xml').set('Content-Length', Buffer.byteLength(xml)).send(xml);
}
| BenLubar/NodeBB | src/routes/feeds.js | JavaScript | gpl-3.0 | 14,110 |
var Gpio = function (physicalPin, wiringPiPin, name) {
this.id = physicalPin;
this.physicalPin = physicalPin;
this.wiringPiPin = wiringPiPin;
this.name = name;
}
Gpio.fromGpioDefinition = function (definition) {
return new Gpio(definition.physicalPin, definition.wiringPiPin, definition.name);
}
module.exports = Gpio; | jvandervelden/rasp-train | src/node/models/gpio.js | JavaScript | gpl-3.0 | 340 |
$(function(){$('a[href*="#"]:not([href="#"])').click(function(){if(location.pathname.replace(/^\//,"")==this.pathname.replace(/^\//,"")&&location.hostname==this.hostname){var t=$(this.hash);if((t=t.length?t:$("[name="+this.hash.slice(1)+"]")).length)return $("html, body").animate({scrollTop:t.offset().top},500),!1}})}); | david-ma/Thalia | websites/example/public/js/scripts.min.js | JavaScript | gpl-3.0 | 321 |
window.saveData = function (key, data) {
if(!localStorage.savedData)
localStorage.savedData = JSON.stringify({});
var savedData = JSON.parse(localStorage.savedData)
var type = typeof data;
savedData[key] = {
type: type,
data: (type === 'object') ? JSON.stringify(data) : data
};
localStorage.savedData = JSON.stringify(savedData);
}
window.getData = function (key) {
var savedData = JSON.parse(localStorage.savedData)
if(savedData[key] !== undefined) {
var value = savedData[key];
if(value.type === 'number') {
return parseFloat(value.data)
} else if (value.type === 'string') {
return value.data;
} else if (value.type === 'object') {
return JSON.parse(value.data);
}
} else {
throw (new Error(key + " does not exist in saved data."))
}
}
| zrispo/wick | lib/localstoragewrapper.js | JavaScript | gpl-3.0 | 780 |
import request from '@/utils/request'
export function fetchCommon() {
return request({
url: '/setting/common/cron/',
method: 'get'
})
}
export function editCommon(formData) {
const data = formData
return request({
url: '/setting/common/cron/',
method: 'put',
data
})
}
export function fetchBotedu() {
return request({
url: '/setting/botedu/cron/',
method: 'get'
})
}
export function editBotedu(formData) {
const data = formData
return request({
url: '/setting/botedu/cron/',
method: 'put',
data
})
}
export function fetchStats() {
return request({
url: '/setting/stats/cron/',
method: 'get'
})
}
export function editStats(formData) {
const data = formData
return request({
url: '/setting/stats/cron/',
method: 'put',
data
})
}
| wdxtub/Patriots | frontend/src/api/setting.js | JavaScript | gpl-3.0 | 823 |
const errorHandler = require('../../../src/controllers/middlewares/error')
describe('Error Handler', () => {
describe('with generic error', () => {
const error = {
code: '007',
stack: 'StackTrace',
}
const req = { id: 'request_id' }
const res = {
locals: {},
}
const next = () => {}
errorHandler(error, req, res, next)
test('should include standard error payload on `res.locals`', () => {
expect(res.locals.payload).toMatchObject({
type: 'error',
statusCode: 500,
data: [{
message: 'Internal server error',
type: 'internal_server_error',
code: '007',
}],
})
})
})
describe('with custom made error', () => {
const error = {
type: 'fake_error',
statusCode: 418,
message: 'I\'m a teapot',
code: '007',
stack: 'StackTrace',
}
const req = { id: 'request_id' }
const res = {
locals: {},
}
const next = () => {}
errorHandler(error, req, res, next)
test('should include standard error payload on `res.locals`', () => {
expect(res.locals.payload).toMatchObject({
type: 'error',
statusCode: 418,
data: [{
message: 'I\'m a teapot',
type: 'fake_error',
code: '007',
}],
})
})
})
describe('with validation error', () => {
const error = {
type: 'validation',
statusCode: 400,
fields: [{
type: 'invalid_field',
message: 'This field is invalid',
field: 'fake_field',
}],
stack: 'StackTrace',
}
const req = { id: 'request_id' }
const res = {
locals: {},
}
const next = () => {}
errorHandler(error, req, res, next)
test('should include standard error payload on `res.locals`', () => {
expect(res.locals.payload).toMatchObject({
type: 'error',
statusCode: 400,
data: [{
message: 'This field is invalid',
type: 'invalid_field',
field: 'fake_field',
}],
})
})
})
})
| hails/tane | tests/unit/middlewares/error.test.js | JavaScript | gpl-3.0 | 2,113 |
import DS from 'ember-data';
export default DS.LSAdapter.extend({
namespace: 'bateria_namespace'
});
| hugoruscitti/bateria | app/adapters/application.js | JavaScript | gpl-3.0 | 105 |
'use strict'
const config = {
development: './env/dev',
production: './env/prod',
test: './env/test'
}
const { NODE_ENV = 'development' } = process.env
module.exports = require(config[NODE_ENV])
| calebgregory/node-testing-with-mocha-chai | config/index.js | JavaScript | gpl-3.0 | 204 |
/*
Copyright (C) 2016 PencilBlue, LLC
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
//dependencies
var url = require('url');
var https = require('https');
module.exports = function SlideShareMediaRendererModule(pb) {
//pb dependencies
var util = pb.util;
var BaseMediaRenderer = pb.media.renderers.BaseMediaRenderer;
/**
*
* @class SlideShareMediaRenderer
* @constructor
*/
function SlideShareMediaRenderer(){}
/**
* The media type supported by the provider
* @private
* @static
* @property TYPE
* @type {String}
*/
var TYPE = 'slideshare';
/**
* Provides the styles used by each type of view
* @private
* @static
* @property STYLES
* @type {Object}
*/
var STYLES = Object.freeze({
view: {
width: "100%"
},
editor: {
width: "427px",
height: "356px"
},
post: {
width: "427px",
height: "356px"
}
});
/**
* Retrieves the supported extension types for the renderer.
* @static
* @method getSupportedExtensions
* @return {Array}
*/
SlideShareMediaRenderer.getSupportedExtensions = function() {
return [];
};
/**
* Retrieves the style for the specified type of view
* @static
* @method getStyle
* @param {String} viewType The view type calling for a styling
* @return {Object} a hash of style properties
*/
SlideShareMediaRenderer.getStyle = function(viewType) {
return STYLES[viewType] || STYLES.view;
};
/**
* Retrieves the supported media types as a hash.
* @static
* @method getSupportedTypes
* @return {Object}
*/
SlideShareMediaRenderer.getSupportedTypes = function() {
var types = {};
types[TYPE] = true;
return types;
};
/**
* Retrieves the name of the renderer.
* @static
* @method getName
* @return {String}
*/
SlideShareMediaRenderer.getName = function() {
return 'SlideShareMediaRenderer';
};
/**
* Determines if the URL to a media object is supported by this renderer
* @static
* @method isSupported
* @param {String} urlStr
* @return {Boolean} TRUE if the URL is supported by the renderer, FALSE if not
*/
SlideShareMediaRenderer.isSupported = function(urlStr) {
var details = url.parse(urlStr, true, true);
return SlideShareMediaRenderer.isFullSite(details);
};
/**
* Indicates if the passed URL to a media resource points to the main website
* that provides the media represented by this media renderer
* @static
* @method isFullSite
* @param {Object|String} parsedUrl The URL string or URL object
* @return {Boolean} TRUE if URL points to the main domain and media resource, FALSE if not
*/
SlideShareMediaRenderer.isFullSite = function(parsedUrl) {
if (util.isString(parsedUrl)) {
parsedUrl = url.parse(urlStr, true, true);
}
return parsedUrl.host && (parsedUrl.host.indexOf('slideshare.com') >= 0 || parsedUrl.host.indexOf('slideshare.net') >= 0) && parsedUrl.pathname.indexOf('/') >= 0;
};
/**
* Gets the specific type of the media resource represented by the provided URL
* @static
* @method getType
* @param {String} urlStr
* @return {String}
*/
SlideShareMediaRenderer.getType = function(urlStr) {
return SlideShareMediaRenderer.isSupported(urlStr) ? TYPE : null;
}
/**
* Retrieves the Font Awesome icon class. It is safe to assume that the type
* provided will be a supported type by the renderer.
* @static
* @method getIcon
* @param {String} type
* @return {String}
*/
SlideShareMediaRenderer.getIcon = function(type) {
return 'list-alt';
};
/**
* Renders the media resource via the raw URL to the resource
* @static
* @method renderByUrl
* @param {String} urlStr
* @param {Object} [options]
* @param {Object} [options.attrs] A hash of all attributes (excluding style)
* that will be applied to the element generated by the rendering
* @param {Object} [options.style] A hash of all attributes that will be
* applied to the style of the element generated by the rendering.
* @param {Function} cb A callback where the first parameter is an Error if
* occurred and the second is the rendering of the media resource as a HTML
* formatted string
*/
SlideShareMediaRenderer.renderByUrl = function(urlStr, options, cb) {
SlideShareMediaRenderer.getMediaId(urlStr, function(err, mediaId) {
if (util.isError(err)) {
return cb(err);
}
SlideShareMediaRenderer.render({location: mediaId}, options, cb);
});
};
/**
* Renders the media resource via the media descriptor object. It is only
* guaranteed that the "location" property will be available at the time of
* rendering.
* @static
* @method render
* @param {Object} media
* @param {String} media.location The unique resource identifier (only to the
* media type) for the media resource
* @param {Object} [options]
* @param {Object} [options.attrs] A hash of all attributes (excluding style)
* that will be applied to the element generated by the rendering
* @param {Object} [options.style] A hash of all attributes that will be
* applied to the style of the element generated by the rendering.
* @param {Function} cb A callback where the first parameter is an Error if
* occurred and the second is the rendering of the media resource as a HTML
* formatted string
*/
SlideShareMediaRenderer.render = function(media, options, cb) {
if (util.isFunction(options)) {
cb = options;
options = {};
}
var embedUrl = SlideShareMediaRenderer.getEmbedUrl(media.location);
cb(null, BaseMediaRenderer.renderIFrameEmbed(embedUrl, options.attrs, options.style));
};
/**
* Retrieves the source URI that will be used when generating the rendering
* @static
* @method getEmbedUrl
* @param {String} mediaId The unique (only to the type) media identifier
* @return {String} A properly formatted URI string that points to the resource
* represented by the media Id
*/
SlideShareMediaRenderer.getEmbedUrl = function(mediaId) {
return '//www.slideshare.net/slideshow/embed_code/' + mediaId;
};
/**
* Retrieves the unique identifier from the URL provided. The value should
* distinguish the media resource from the others of this type and provide
* insight on how to generate the embed URL.
* @static
* @method getMediaId
*/
SlideShareMediaRenderer.getMediaId = function(urlStr, cb) {
SlideShareMediaRenderer.getDetails(urlStr, function(err, details) {
if (util.isError(err)) {
return cb(err);
}
cb(null, details.slideshow_id);
});
};
/**
* Retrieves any meta data about the media represented by the URL.
* @static
* @method getMeta
* @param {String} urlStr
* @param {Boolean} isFile indicates if the URL points to a file that was
* uploaded to the PB server
* @param {Function} cb A callback that provides an Error if occurred and an
* Object if meta was collected. NULL if no meta was collected
*/
SlideShareMediaRenderer.getMeta = function(urlStr, isFile, cb) {
var details = url.parse(urlStr, true, true);
var meta = details.query;
cb(null, meta);
};
/**
* Retrieves a URI to a thumbnail for the media resource
* @static
* @method getThumbnail
* @param {String} urlStr
* @param {Function} cb A callback where the first parameter is an Error if
* occurred and the second is the URI string to the thumbnail. Empty string or
* NULL if no thumbnail is available
*/
SlideShareMediaRenderer.getThumbnail = function(urlStr, cb) {
SlideShareMediaRenderer.getDetails(urlStr, function(err, details) {
if (util.isError(err)) {
return cb(err);
}
cb(null, details.thumbnail);
});
};
/**
* Retrieves the native URL for the media resource. This can be the raw page
* where it was found or a direct link to the content.
* @static
* @method getNativeUrl
*/
SlideShareMediaRenderer.getNativeUrl = function(media) {
return 'http://slideshare.net/slideshow/embed_code/' + media.location;
};
/**
* Retrieves details about the media resource via SlideShare's API because they
* are inconsistent about how they reference things.
* @static
* @method getDetails
* @param {String} urlStr
* @param {Function} cb Provides two parameters. First is an Error if occurred
* and the second is an object with the data returned by the SlideShare API
*/
SlideShareMediaRenderer.getDetails = function(urlStr, cb) {
var options = {
host: 'www.slideshare.net',
path: '/api/oembed/2?url=' + encodeURIComponent(urlStr) + '&format=jsonp&callback=?'
};
var callback = function(response) {
var str = '';
//another chunk of data has been recieved, so append it to `str`
response.once('error', cb);
response.on('data', function (chunk) {
str += chunk;
});
//the whole response has been recieved, so we just print it out here
response.on('end', function () {
try {
var data = JSON.parse(str);
cb(null, data);
}
catch(err) {
cb(err);
}
});
};
https.request(options, callback).end();
};
//exports
return SlideShareMediaRenderer;
};
| Whatsit2yaa/vast-tundra-84597 | include/service/media/renderers/slideshare_media_renderer.js | JavaScript | gpl-3.0 | 10,832 |
var structrectangle =
[
[ "height", "structrectangle.html#af460193d9a375b8e2813bf1fe6216cce", null ],
[ "ulx", "structrectangle.html#a4feece2ec58d909444613177ec67e2bc", null ],
[ "uly", "structrectangle.html#ac537f5c6afbda6ef42cc428540058ecb", null ],
[ "width", "structrectangle.html#a57a9b24a714057d8d2ca9a06333560d3", null ]
]; | kipr/harrogate | shared/client/doc/structrectangle.js | JavaScript | gpl-3.0 | 346 |
var annotated_dup =
[
[ "AbstractHive", "classAbstractHive.html", "classAbstractHive" ],
[ "Colour", "classColour.html", "classColour" ],
[ "Environment", "classEnvironment.html", "classEnvironment" ],
[ "EventManager", "classEventManager.html", "classEventManager" ],
[ "EvoBeeExperiment", "classEvoBeeExperiment.html", "classEvoBeeExperiment" ],
[ "EvoBeeModel", "classEvoBeeModel.html", "classEvoBeeModel" ],
[ "Flower", "classFlower.html", "classFlower" ],
[ "FloweringPlant", "classFloweringPlant.html", "classFloweringPlant" ],
[ "Hive", "classHive.html", "classHive" ],
[ "HiveConfig", "structHiveConfig.html", "structHiveConfig" ],
[ "HoneyBee", "classHoneyBee.html", "classHoneyBee" ],
[ "Hymenoptera", "classHymenoptera.html", "classHymenoptera" ],
[ "LocalDensityConstraint", "structLocalDensityConstraint.html", "structLocalDensityConstraint" ],
[ "Logger", "classLogger.html", "classLogger" ],
[ "ModelComponent", "classModelComponent.html", "classModelComponent" ],
[ "ModelParams", "classModelParams.html", null ],
[ "Patch", "classPatch.html", "classPatch" ],
[ "PlantTypeConfig", "structPlantTypeConfig.html", "structPlantTypeConfig" ],
[ "PlantTypeDistributionConfig", "structPlantTypeDistributionConfig.html", "structPlantTypeDistributionConfig" ],
[ "Pollen", "structPollen.html", "structPollen" ],
[ "Pollinator", "classPollinator.html", "classPollinator" ],
[ "PollinatorConfig", "structPollinatorConfig.html", "structPollinatorConfig" ],
[ "PollinatorLatestAction", "structPollinatorLatestAction.html", "structPollinatorLatestAction" ],
[ "PollinatorPerformanceInfo", "structPollinatorPerformanceInfo.html", "structPollinatorPerformanceInfo" ],
[ "Position", "classPosition.html", "classPosition" ],
[ "ReflectanceInfo", "classReflectanceInfo.html", "classReflectanceInfo" ],
[ "SDL2_gfxBresenhamIterator", "structSDL2__gfxBresenhamIterator.html", "structSDL2__gfxBresenhamIterator" ],
[ "SDL2_gfxMurphyIterator", "structSDL2__gfxMurphyIterator.html", "structSDL2__gfxMurphyIterator" ],
[ "Visualiser", "classVisualiser.html", "classVisualiser" ],
[ "VisualPreferenceInfo", "structVisualPreferenceInfo.html", "structVisualPreferenceInfo" ],
[ "VisualStimulusInfo", "structVisualStimulusInfo.html", "structVisualStimulusInfo" ]
]; | tim-taylor/evobee | docs/html/annotated_dup.js | JavaScript | gpl-3.0 | 2,376 |
import React, { PureComponent } from "react";
import PropTypes from "prop-types";
import { withTranslation } from "react-i18next";
import FormattedDate from "global/components/FormattedDate";
import classNames from "classnames";
import Authorize from "hoc/Authorize";
import Avatar from "global/components/avatar/index";
import lh from "helpers/linkHandler";
import { Link } from "react-router-dom";
class AnnotationMeta extends PureComponent {
static displayName = "Annotation.Meta";
static propTypes = {
annotation: PropTypes.object.isRequired,
subject: PropTypes.string,
includeMarkers: PropTypes.bool,
t: PropTypes.func
};
static defaultProps = {
includeMarkers: true
};
get subtitle() {
if (!this.props.subject) return this.dateSubtitle;
return this.subjectSubtitle;
}
get name() {
const {
t,
annotation: {
attributes: { currentUserIsCreator, creatorName }
}
} = this.props;
if (currentUserIsCreator) return t("common.me");
return creatorName;
}
get subjectSubtitle() {
const { subject } = this.props;
return (
<div className="annotation-meta__subtitle">
{subject} {this.dateSubtitle}
</div>
);
}
get dateSubtitle() {
const { annotation, t } = this.props;
return (
<span className="annotation-meta__datetime">
<FormattedDate
format="distanceInWords"
date={annotation.attributes.createdAt}
/>{" "}
{t("dates.ago")}
</span>
);
}
get avatarUrl() {
const {
annotation: {
attributes: { creatorAvatarStyles }
}
} = this.props;
return creatorAvatarStyles.smallSquare;
}
get avatarClassNames() {
return classNames({
"annotation-meta__avatar": true,
"annotation-meta__avatar-placeholder-container": !this.avatarUrl,
"annotation-meta__avatar-image-container": this.avatarUrl
});
}
renderMarkers(annotation) {
const t = this.props.t;
return (
<div className="annotation-tag annotation-tag--group">
{annotation.attributes.authorCreated && (
<div className="annotation-tag__inner">
{t("glossary.author_one")}
</div>
)}
{annotation.attributes.private && (
<div className="annotation-tag__inner annotation-tag--secondary">
{t("common.private")}
</div>
)}
{annotation.attributes.flagsCount > 0 && (
<Authorize kind="admin">
<div className="annotation-tag__inner annotation-tag--secondary">
{t("counts.flag", { count: annotation.attributes.flagsCount })}
</div>
</Authorize>
)}
{annotation.attributes.readingGroupId && (
<Link
to={lh.link(
"frontendReadingGroupDetail",
annotation.attributes.readingGroupId,
{
text: annotation.attributes.textId
}
)}
className="annotation-tag__inner"
>
<div className="annotation-tag__text">
{annotation.attributes.readingGroupName}
</div>
</Link>
)}
</div>
);
}
render() {
const { annotation, includeMarkers } = this.props;
if (!annotation) return null;
return (
<section className="annotation-meta">
{/* NB: Empty div required for flex-positioning of private/author marker */}
<div>
<div className={this.avatarClassNames}>
<Avatar url={this.avatarUrl} />
</div>
<h4 className="annotation-meta__author-name">{this.name}</h4>
{this.subtitle}
</div>
{includeMarkers && this.renderMarkers(annotation)}
</section>
);
}
}
export default withTranslation()(AnnotationMeta);
| ManifoldScholar/manifold | client/src/global/components/Annotation/Annotation/UserContent/Meta.js | JavaScript | gpl-3.0 | 3,870 |
var mongoose = require('mongoose');
/** The review document schema */
var reviewSchema = new mongoose.Schema({
author: String,
rating: {
type: Number,
required: true,
min: 0,
max: 5
},
reviewText: String,
createdOn: {
type: Date,
"default": Date.now
}
});
/** The opening time document schema */
var openingTimeSchema = new mongoose.Schema({
days: {
type: String,
required: true
},
opening: String,
closing: String,
closed: {
type: Boolean,
required: true
}
});
/** The location document schema */
var locationSchema = new mongoose.Schema({
name: {
type: String,
required: true
},
address: String,
rating: {
type: Number,
"default": 0,
min: 0,
max: 5
},
facilities: [String],
coords: {
type: [Number],
index: '2dsphere'
},
openingTimes: [openingTimeSchema],
reviews: [reviewSchema]
});
/** Defining 'Location' model */
mongoose.model('Location', locationSchema);
| Pringlez/Reviewer-App | app_api/models/locations.js | JavaScript | gpl-3.0 | 1,099 |
/* =Spatial directions
* ------------------------------------------------------------ */
Direction = new (function() { /* jshint ignore:line */
this.n = new Vector( 0, 1); this.up = this.n;
this.ne = new Vector( 1, 1);
this.e = new Vector( 1, 0); this.right = this.e;
this.se = new Vector( 1, -1);
this.s = new Vector( 0, -1); this.bottom = this.s;
this.sw = new Vector(-1, -1);
this.w = new Vector(-1, 0); this.left = this.w;
this.nw = new Vector(-1, 1);
})();
Directions = [ "n", "ne", "e", "se", "s", "sw", "w", "nw" ];
Directions.vectors = [ new Vector(0, 1), new Vector(1, 1),
new Vector(1, 0), new Vector(1, -1), new Vector(0, -1),
new Vector(-1, -1), new Vector(-1, 0), new Vector(-1, 1) ];
Directions._indexOf = function(direction) {
for (var i = 0; i < Directions.vectors.length; ++i)
if (Directions.vectors[i].equal(direction))
return i;
assert(false,
"Directions._indexOf: Invalid direction: "+direction);
};
Direction.vectorToDirectionName = function(directionVector) {
return Directions[Directions._indexOf(directionVector)];
};
Direction.vectorToDirection = function(vector) {
return new Vector(vector.x ? 1 : 0, vector.y ? 1 : 0);
};
Direction.vectorToDistance = function(vector) {
return Math.max(vector.x, vector.y);
};
Direction.rotate = function(direction, degree) {
var resolution = 45;
var shift = degree / resolution;
assert(shift - (shift>>0) === 0,
"Direction.rotate: "+"'degree' ("+degree+
") must be a multiple of "+resolution);
return Directions.vectors[(Directions._indexOf(direction) + shift +
Directions.length) % Directions.length];
};
Direction.random = function() {
var x, y, vec;
while (!x && !y) {
x = randomInt(-1, 1);
y = randomInt(-1, 1);
}
return new Vector(x, y);
};
Direction.forEach = function(callback, thisArg) {
var self = this;
Directions.forEach(
function(str) { callback(self[str], str, self); }, thisArg);
};
/* Iterate through directions by gradually going farther
* from 'initialDirection' */
Direction.forEachFrom =
function(initialDirection, callback, thisArg) {
var initI = Directions.indexOf(
Direction.vectorToDirectionName(initialDireciton));
var curI = initI;
var upI, loI;
function incrementUp() {
return upI += upI < Directions.length ? 1 : 0; }
function incrementLo() {
return loI -= loI > 0 ? 1 : Directions.length; }
while (upI !== initI && loI !== initI) {
callback.call(thisArg,
directions.vectors[curI], directions[curI], this);
if (curI === upI) { curI = incrementUp(); }
else { curI = incrementLo(); }
}
};
Direction.some = function(callback, thisArg) {
var self = this;
return Directions.some(
function(str) {
return callback.call(thisArg, self[str], str, self); },
thisArg);
};
| lleaff/ASCII-life | src/js/lib/world_directions.js | JavaScript | gpl-3.0 | 2,772 |
/*
* μlogger
*
* Copyright(C) 2019 Bartek Fabiszewski (www.fabiszewski.net)
*
* This is free software; you can redistribute it and/or modify it under
* the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful, but
* WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, see <http://www.gnu.org/licenses/>.
*/
import { lang as $, config } from '../initializer.js';
import MapViewModel from '../mapviewmodel.js';
import uAlert from '../alert.js';
import uTrack from '../track.js';
import uUtils from '../utils.js';
// google maps
/**
* Google Maps API
* @class GoogleMapsApi
* @implements {MapViewModel.api}
*/
export default class GoogleMapsApi {
/**
* @param {MapViewModel} vm
*/
constructor(vm) {
/** @type {google.maps.Map} */
this.map = null;
/** @type {MapViewModel} */
this.viewModel = vm;
/** @type {google.maps.Polyline[]} */
this.polies = [];
/** @type {google.maps.Marker[]} */
this.markers = [];
/** @type {google.maps.InfoWindow} */
this.popup = null;
/** @type {number} */
this.timeoutHandle = 0;
}
/**
* Load and initialize api scripts
* @return {Promise<void, Error>}
*/
init() {
const params = `?${(config.googleKey) ? `key=${config.googleKey}&` : ''}callback=gm_loaded`;
const gmReady = Promise.all([
GoogleMapsApi.onScriptLoaded(),
uUtils.loadScript(`https://maps.googleapis.com/maps/api/js${params}`, 'mapapi_gmaps', GoogleMapsApi.loadTimeoutMs)
]);
return gmReady.then(() => this.initMap());
}
/**
* Listen to Google Maps callbacks
* @return {Promise<void, Error>}
*/
static onScriptLoaded() {
const timeout = uUtils.timeoutPromise(GoogleMapsApi.loadTimeoutMs);
const gmInitialize = new Promise((resolve, reject) => {
window.gm_loaded = () => {
GoogleMapsApi.gmInitialized = true;
resolve();
};
window.gm_authFailure = () => {
GoogleMapsApi.authError = true;
let message = $._('apifailure', 'Google Maps');
message += '<br><br>' + $._('gmauthfailure');
message += '<br><br>' + $._('gmapilink');
if (GoogleMapsApi.gmInitialized) {
uAlert.error(message);
}
reject(new Error(message));
};
if (GoogleMapsApi.authError) {
window.gm_authFailure();
}
if (GoogleMapsApi.gmInitialized) {
window.gm_loaded();
}
});
return Promise.race([ gmInitialize, timeout ]);
}
/**
* Start map engine when loaded
*/
initMap() {
const mapOptions = {
center: new google.maps.LatLng(config.initLatitude, config.initLongitude),
zoom: 8,
mapTypeId: google.maps.MapTypeId.TERRAIN,
scaleControl: true,
controlSize: 30
};
// noinspection JSCheckFunctionSignatures
this.map = new google.maps.Map(this.viewModel.mapElement, mapOptions);
this.popup = new google.maps.InfoWindow();
this.popup.addListener('closeclick', () => {
this.popupClose();
});
this.saveState = () => {
this.viewModel.state.mapParams = this.getState();
};
}
/**
* Clean up API
*/
cleanup() {
this.polies.length = 0;
this.markers.length = 0;
this.popup = null;
if (this.map && this.map.getDiv()) {
this.map.getDiv().innerHTML = '';
}
this.map = null;
}
/**
* Display track
* @param {uPositionSet} track
* @param {boolean} update Should fit bounds if true
* @return {Promise.<void>}
*/
displayTrack(track, update) {
if (!track || !track.hasPositions) {
return Promise.resolve();
}
google.maps.event.clearListeners(this.map, 'idle');
const promise = new Promise((resolve) => {
google.maps.event.addListenerOnce(this.map, 'tilesloaded', () => {
console.log('tilesloaded');
if (this.map) {
this.saveState();
this.map.addListener('idle', this.saveState);
}
resolve();
})
});
// init polyline
const polyOptions = {
strokeColor: config.strokeColor,
strokeOpacity: config.strokeOpacity,
strokeWeight: config.strokeWeight
};
// noinspection JSCheckFunctionSignatures
let poly;
const latlngbounds = new google.maps.LatLngBounds();
if (this.polies.length) {
poly = this.polies[0];
for (let i = 0; i < this.markers.length; i++) {
latlngbounds.extend(this.markers[i].getPosition());
}
} else {
poly = new google.maps.Polyline(polyOptions);
poly.setMap(this.map);
this.polies.push(poly);
}
const path = poly.getPath();
let start = this.markers.length;
if (start > 0) {
this.removePoint(--start);
}
for (let i = start; i < track.length; i++) {
// set marker
this.setMarker(i, track);
// update polyline
const position = track.positions[i];
const coordinates = new google.maps.LatLng(position.latitude, position.longitude);
if (track instanceof uTrack) {
path.push(coordinates);
}
latlngbounds.extend(coordinates);
}
if (update) {
this.map.fitBounds(latlngbounds);
if (track.length === 1) {
// only one point, zoom out
const zListener =
google.maps.event.addListenerOnce(this.map, 'bounds_changed', function () {
if (this.getZoom()) {
this.setZoom(15);
}
});
setTimeout(() => {
google.maps.event.removeListener(zListener);
}, 2000);
}
}
return promise;
}
/**
* Clear map
*/
clearMap() {
if (this.polies) {
for (let i = 0; i < this.polies.length; i++) {
this.polies[i].setMap(null);
}
}
if (this.markers) {
for (let i = 0; i < this.markers.length; i++) {
this.markers[i].setMap(null);
}
}
if (this.popup.getMap()) {
this.popupClose();
}
this.popup.setContent('');
this.markers.length = 0;
this.polies.length = 0;
}
/**
* @param {string} fill Fill color
* @param {boolean} isLarge Is large icon
* @param {boolean} isExtra Is styled with extra mark
* @return {google.maps.Icon}
*/
static getMarkerIcon(fill, isLarge, isExtra) {
// noinspection JSValidateTypes
return {
anchor: new google.maps.Point(15, 35),
url: MapViewModel.getSvgSrc(fill, isLarge, isExtra)
};
}
/**
* Set marker
* @param {uPositionSet} track
* @param {number} id
*/
setMarker(id, track) {
// marker
const position = track.positions[id];
// noinspection JSCheckFunctionSignatures
const marker = new google.maps.Marker({
position: new google.maps.LatLng(position.latitude, position.longitude),
title: (new Date(position.timestamp * 1000)).toLocaleString(),
map: this.map
});
const isExtra = position.hasComment() || position.hasImage();
let icon;
if (track.isLastPosition(id)) {
icon = GoogleMapsApi.getMarkerIcon(config.colorStop, true, isExtra);
} else if (track.isFirstPosition(id)) {
icon = GoogleMapsApi.getMarkerIcon(config.colorStart, true, isExtra);
} else {
icon = GoogleMapsApi.getMarkerIcon(isExtra ? config.colorExtra : config.colorNormal, false, isExtra);
}
marker.setIcon(icon);
marker.addListener('click', () => {
this.popupOpen(id, marker);
});
marker.addListener('mouseover', () => {
this.viewModel.model.markerOver = id;
});
marker.addListener('mouseout', () => {
this.viewModel.model.markerOver = null;
});
this.markers.push(marker);
}
/**
* @param {number} id
*/
removePoint(id) {
if (this.markers.length > id) {
this.markers[id].setMap(null);
this.markers.splice(id, 1);
if (this.polies.length) {
this.polies[0].getPath().removeAt(id);
}
if (this.viewModel.model.markerSelect === id) {
this.popupClose();
}
}
}
/**
* Open popup on marker with given id
* @param {number} id
* @param {google.maps.Marker} marker
*/
popupOpen(id, marker) {
this.popup.setContent(this.viewModel.getPopupElement(id));
this.popup.open(this.map, marker);
this.viewModel.model.markerSelect = id;
}
/**
* Close popup
*/
popupClose() {
this.viewModel.model.markerSelect = null;
this.popup.close();
}
/**
* Animate marker
* @param id Marker sequential id
*/
animateMarker(id) {
if (this.popup.getMap()) {
this.popupClose();
clearTimeout(this.timeoutHandle);
}
const icon = this.markers[id].getIcon();
this.markers[id].setIcon(GoogleMapsApi.getMarkerIcon(config.colorHilite, false, false));
this.markers[id].setAnimation(google.maps.Animation.BOUNCE);
this.timeoutHandle = setTimeout(() => {
this.markers[id].setIcon(icon);
this.markers[id].setAnimation(null);
}, 2000);
}
/**
* Get map bounds
* @returns {number[]} Bounds [ lon_sw, lat_sw, lon_ne, lat_ne ]
*/
getBounds() {
const bounds = this.map.getBounds();
const lat_sw = bounds.getSouthWest().lat();
const lon_sw = bounds.getSouthWest().lng();
const lat_ne = bounds.getNorthEast().lat();
const lon_ne = bounds.getNorthEast().lng();
return [ lon_sw, lat_sw, lon_ne, lat_ne ];
}
/**
* Zoom to track extent
*/
zoomToExtent() {
const bounds = new google.maps.LatLngBounds();
for (let i = 0; i < this.markers.length; i++) {
bounds.extend(this.markers[i].getPosition());
}
this.map.fitBounds(bounds);
}
/**
* Zoom to bounds
* @param {number[]} bounds [ lon_sw, lat_sw, lon_ne, lat_ne ]
*/
zoomToBounds(bounds) {
const sw = new google.maps.LatLng(bounds[1], bounds[0]);
const ne = new google.maps.LatLng(bounds[3], bounds[2]);
const latLngBounds = new google.maps.LatLngBounds(sw, ne);
this.map.fitBounds(latLngBounds);
}
/**
* Is given position within viewport
* @param {number} id
* @return {boolean}
*/
isPositionVisible(id) {
if (id >= this.markers.length) {
return false;
}
return this.map.getBounds().contains(this.markers[id].getPosition());
}
/**
* Center to given position
* @param {number} id
*/
centerToPosition(id) {
if (id < this.markers.length) {
this.map.setCenter(this.markers[id].getPosition());
}
}
/**
* Update size
*/
// eslint-disable-next-line class-methods-use-this
updateSize() {
// ignore for google API
}
/**
* Set default track style
*/
// eslint-disable-next-line class-methods-use-this
setTrackDefaultStyle() {
// ignore for google API
}
/**
* Set gradient style for given track property and scale
* @param {uTrack} track
* @param {string} property
* @param {{ minValue: number, maxValue: number, minColor: number[], maxColor: number[] }} scale
*/
// eslint-disable-next-line class-methods-use-this,no-unused-vars
setTrackGradientStyle(track, property, scale) {
// ignore for google API
}
static get loadTimeoutMs() {
return 10000;
}
/**
* Set map state
* Note: ignores rotation
* @param {MapParams} state
*/
updateState(state) {
this.map.setCenter({ lat: state.center[0], lng: state.center[1] });
this.map.setZoom(state.zoom);
}
/**
* Get map state
* Note: ignores rotation
* @return {MapParams|null}
*/
getState() {
if (this.map) {
const center = this.map.getCenter();
return {
center: [ center.lat(), center.lng() ],
zoom: this.map.getZoom(),
rotation: 0
};
}
return null;
}
// eslint-disable-next-line class-methods-use-this
saveState() {/* empty */}
}
/** @type {boolean} */
GoogleMapsApi.authError = false;
/** @type {boolean} */
GoogleMapsApi.gmInitialized = false;
| bfabiszewski/ulogger-server | js/src/mapapi/api_gmaps.js | JavaScript | gpl-3.0 | 12,253 |
// This library re-implements setTimeout, setInterval, clearTimeout, clearInterval for iOS6.
// iOS6 suffers from a bug that kills timers that are created while a page is scrolling.
// This library fixes that problem by recreating timers after scrolling finishes (with interval correction).
// This code is free to use by anyone (MIT, blabla).
// Original Author: [email protected]
(function (window) {
var timeouts = {};
var intervals = {};
var orgSetTimeout = window.setTimeout;
var orgSetInterval = window.setInterval;
var orgClearTimeout = window.clearTimeout;
var orgClearInterval = window.clearInterval;
// To prevent errors if loaded on older IE.
if (!window.addEventListener) return false;
function axZmCreateTimer(set, map, args) {
var id, cb = args[0],
repeat = (set === orgSetInterval);
function callback() {
if (cb) {
cb.apply(window, arguments);
if (!repeat) {
delete map[id];
cb = null;
}
}
}
args[0] = callback;
id = set.apply(window, args);
map[id] = {
args: args,
created: Date.now(),
cb: cb,
id: id
};
return id;
}
function axZmResetTimer(set, clear, map, virtualId, correctInterval) {
var timer = map[virtualId];
if (!timer) {
return;
}
var repeat = (set === orgSetInterval);
// cleanup
clear(timer.id);
// reduce the interval (arg 1 in the args array)
if (!repeat) {
var interval = timer.args[1];
var reduction = Date.now() - timer.created;
if (reduction < 0) {
reduction = 0;
}
interval -= reduction;
if (interval < 0) {
interval = 0;
}
timer.args[1] = interval;
}
// recreate
function callback() {
if (timer.cb) {
timer.cb.apply(window, arguments);
if (!repeat) {
delete map[virtualId];
timer.cb = null;
}
}
}
timer.args[0] = callback;
timer.created = Date.now();
timer.id = set.apply(window, timer.args);
}
window.setTimeout = function () {
return axZmCreateTimer(orgSetTimeout, timeouts, arguments);
};
window.setInterval = function () {
return axZmCreateTimer(orgSetInterval, intervals, arguments);
};
window.clearTimeout = function (id) {
var timer = timeouts[id];
if (timer) {
delete timeouts[id];
orgClearTimeout(timer.id);
}
};
window.clearInterval = function (id) {
var timer = intervals[id];
if (timer) {
delete intervals[id];
orgClearInterval(timer.id);
}
};
//check and add listener on the top window if loaded on frameset/iframe
var win = window;
while (win.location != win.parent.location) {
win = win.parent;
}
win.addEventListener('scroll', function () {
// recreate the timers using adjusted intervals
// we cannot know how long the scroll-freeze lasted, so we cannot take that into account
var virtualId;
for (virtualId in timeouts) {
axZmResetTimer(orgSetTimeout, orgClearTimeout, timeouts, virtualId);
}
for (virtualId in intervals) {
axZmResetTimer(orgSetInterval, orgClearInterval, intervals, virtualId);
}
});
}(window)); | Karplyak/avtomag.url.ph | axZm/plugins/ios6TimersFix.js | JavaScript | gpl-3.0 | 2,999 |
/**=========================================================
* Module: SupportService.js
* Checks for features supports on browser
=========================================================*/
/*jshint -W069*/
(function() {
'use strict';
angular
.module('naut')
.service('support', service);
service.$inject = ['$document', '$window'];
function service($document, $window) {
/*jshint validthis:true*/
var support = this;
var doc = $document[0];
// Check for transition support
// -----------------------------------
support.transition = (function() {
function transitionEnd() {
var el = document.createElement('bootstrap');
var transEndEventNames = {
WebkitTransition : 'webkitTransitionEnd',
MozTransition : 'transitionend',
OTransition : 'oTransitionEnd otransitionend',
transition : 'transitionend'
};
for (var name in transEndEventNames) {
if (el.style[name] !== undefined) {
return { end: transEndEventNames[name] };
}
}
return false;
}
return transitionEnd();
})();
// Check for animation support
// -----------------------------------
support.animation = (function() {
var animationEnd = (function() {
var element = doc.body || doc.documentElement,
animEndEventNames = {
WebkitAnimation: 'webkitAnimationEnd',
MozAnimation: 'animationend',
OAnimation: 'oAnimationEnd oanimationend',
animation: 'animationend'
}, name;
for (name in animEndEventNames) {
if (element.style[name] !== undefined) return animEndEventNames[name];
}
}());
return animationEnd && { end: animationEnd };
})();
// Check touch device
// -----------------------------------
support.touch = (
('ontouchstart' in window && navigator.userAgent.toLowerCase().match(/mobile|tablet/)) ||
($window.DocumentTouch && document instanceof $window.DocumentTouch) ||
($window.navigator['msPointerEnabled'] && $window.navigator['msMaxTouchPoints'] > 0) || //IE 10
($window.navigator['pointerEnabled'] && $window.navigator['maxTouchPoints'] > 0) || //IE >=11
false
);
return support;
}
})();
| rdemorais/ecar-spa | pe-spa/src/js/modules/common/services/support.service.js | JavaScript | gpl-3.0 | 2,683 |
Subsets and Splits