Creation of the world
This commit is contained in:
		
							
								
								
									
										537
									
								
								js/calculator.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										537
									
								
								js/calculator.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,537 @@ | ||||
|  | ||||
| /** | ||||
|  * Binds a function to a this object for use by callbacks | ||||
|  * @param instance {!Object} The this object to bind to. | ||||
|  * @return A closure that will call the original function bound to the given | ||||
|  *     instance parameter. | ||||
|  */ | ||||
| Function.prototype.bind = function(instance) { | ||||
|   var self = this; | ||||
|   return function() { self.apply(instance, arguments); }; | ||||
| }; | ||||
|  | ||||
|  | ||||
| /**** | ||||
|  ** Start of temporary evaling logic | ||||
|  * | ||||
|  * To support expression evaluations in the short term, the strategry is to just | ||||
|  * use 'eval' with sanitized input.  Long term, I'm working on using Antlr and | ||||
|  * a custom grammar to generate an appropriate lexer/parser to deal with the | ||||
|  * expressions. | ||||
|  * | ||||
|  * For now, sanitation consists of making sure only whitelisted characters are | ||||
|  * in the input (to restrict what you can do), and that all identifiers get a | ||||
|  * namespace prefix added to them so that they cannot access the global this. | ||||
|  * So "2 + myvar" turns into "2 + symbols.myvar" for evaling. | ||||
|  * | ||||
|  * To point out a more subtle aspect of this validation, periods are in the | ||||
|  * whitelist because of their use in decimals, however there is a special regex | ||||
|  * check to make sure that all uses of periods are just for decimals and not | ||||
|  * attribute access. | ||||
|  */ | ||||
|  | ||||
| /** | ||||
|  * A regex that validates that only whitelisted characters are in the input. | ||||
|  * @type {RegExp} | ||||
|  */ | ||||
| var textWhitelistValidator = new RegExp("[-a-zA-Z0-9.+*/()= ,]+"); | ||||
|  | ||||
| /** | ||||
|  * Validates that the input text only contains whitelisted characters. | ||||
|  * @param text {string} The text to validate. | ||||
|  * @return {boolean} whether the input text is only whitelisted characters or | ||||
|  *     not. | ||||
|  */ | ||||
| function isTextClean(text) { | ||||
|   data = textWhitelistValidator.exec(text); | ||||
|   return data && data[0] && data[0].length > 0 && data[0].length == text.length; | ||||
| } | ||||
|  | ||||
| /** | ||||
|  * A regex that finds all uses of periods in decimals. | ||||
|  * @type {RegExp} | ||||
|  */ | ||||
| var validPeriodUse = /\.(?:[0-9]|$)/g; | ||||
|  | ||||
| /** | ||||
|  * Validates that all uses of periods within the input text are for decimals | ||||
|  * and not for attribute access. | ||||
|  * @param text {string} The intput text to validate. | ||||
|  * @return {boolean} Whether all period use is valid or not. | ||||
|  */ | ||||
| function isPeriodUseValid(text) { | ||||
|   // Remove all valid uses of dot, and if there are any dots left over we know | ||||
|   // they are 'evil' property accesses | ||||
|   return text.replace(validPeriodUse, '').indexOf('.') == -1; | ||||
| } | ||||
|  | ||||
| /** | ||||
|  * The symbol table namespace all variables and functions are forced to be a | ||||
|  * part of. | ||||
|  * @type {!Object} | ||||
|  */ | ||||
| var symbols = { | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * A regex that finds all identifiers within the input. | ||||
|  * @type {RegExp} | ||||
|  */ | ||||
| var symbolRegex = /([a-zA-Z][a-zA-Z0-9]*)/g; | ||||
|  | ||||
| /** | ||||
|  * Adds the 'symbol' namespace to all symbols within the input and returns | ||||
|  * the modified input. | ||||
|  * @param text {string} The input to namespace. | ||||
|  * @return {string} The input transformed so that all symbols are referenced | ||||
|  *     through the 'symbol' namespace. | ||||
|  */ | ||||
| function addNamespaceToSymbols(text) { | ||||
|   return text.replace(symbolRegex, 'symbols.$1'); | ||||
| } | ||||
|  | ||||
| /** | ||||
|  * A regex that finds all leading and trailing whitespace on a string. | ||||
|  * @type {RegExp} | ||||
|  */ | ||||
| var trimWhitespaceRegex = /^\s+|\s+$/g; | ||||
|  | ||||
| /** | ||||
|  * Evaluates a string input expression and returns the result. | ||||
|  * @param text {string} The text to evaluate. | ||||
|  * @return {*} the result of evaluating the expression, or the string '...' | ||||
|  *     if there was any issue evaluating the input. | ||||
|  */ | ||||
| function evalExpression(text) { | ||||
|   var result = ''; | ||||
|   if (text) { | ||||
|     text = text.replace(trimWhitespaceRegex, ''); | ||||
|     if(text != '') { | ||||
|       if (!isTextClean(text) || !isPeriodUseValid(text)) { | ||||
|         result = 'invalid'; | ||||
|       } else { | ||||
|         try { | ||||
|           result = eval(addNamespaceToSymbols(text)); | ||||
|           if (result === undefined) {  //symbol that's never been assigned | ||||
|             result = ''; | ||||
|           } else if (isNaN(result)) { | ||||
|             result = '...'; | ||||
|           } | ||||
|         } catch (e) { | ||||
|           result = '...'; | ||||
|         } | ||||
|       } | ||||
|     } | ||||
|   } | ||||
|   return result; | ||||
| } | ||||
|  | ||||
| /** | ||||
|  * Registers a javascript function for use within calculator expressions. | ||||
|  * @param name {string} The name calcualtor expressions will use to call this | ||||
|  *     function. | ||||
|  * @param func {Function} The function that will be called when the name is | ||||
|  *     used in a calcualtor expression. | ||||
|  */ | ||||
| function registerFunction(name, func) { | ||||
|   symbols[name] = func; | ||||
|   func.toString = function() { return Number.NaN; }; | ||||
| } | ||||
|  | ||||
| /** | ||||
|  * Updates the value of a variable in the symbol table. | ||||
|  * @param name {string} The name of the variable to update. | ||||
|  * @param value {*} The value to set for the variable. | ||||
|  */ | ||||
| function updateVar(name, value) { | ||||
|   symbols[name] = value; | ||||
| } | ||||
|  | ||||
| /**** | ||||
|  ** End of temporary evaling logic | ||||
|  */ | ||||
|  | ||||
| registerFunction('abs', function(number) { | ||||
|   return Math.abs(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('acos', function(number) { | ||||
|   return Math.acos(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('asin', function(number) { | ||||
|   return Math.asin(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('atan', function(number) { | ||||
|   return Math.atan(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('atan2', function(n1, n2) { | ||||
|   return Math.atan2(n1, n2); | ||||
| }); | ||||
|  | ||||
| registerFunction('ceil', function(number) { | ||||
|   return Math.ceil(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('cos', function(number) { | ||||
|   return Math.cos(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('floor', function(number) { | ||||
|   return Math.floor(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('log', function(number) { | ||||
|   return Math.log(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('max', function(n1, n2) { | ||||
|   return Math.max(n1, n2); | ||||
| }); | ||||
|  | ||||
| registerFunction('min', function(n1, n2) { | ||||
|   return Math.min(n1, n2); | ||||
| }); | ||||
|  | ||||
| registerFunction('pow', function(n1, n2) { | ||||
|   return Math.pow(n1, n2); | ||||
| }); | ||||
|  | ||||
| registerFunction('random', function() { | ||||
|   return Math.random(); | ||||
| }); | ||||
|  | ||||
| registerFunction('round', function(number) { | ||||
|   return Math.round(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('sin', function(number) { | ||||
|   return Math.sin(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('sqrt', function(number) { | ||||
|   return Math.sqrt(number); | ||||
| }); | ||||
|  | ||||
| registerFunction('tan', function(number) { | ||||
|   return Math.tan(number); | ||||
| }); | ||||
|  | ||||
|  | ||||
| /** | ||||
|  * Creates an expression object that manages an expression cell within the | ||||
|  * display area. | ||||
|  * @constructor | ||||
|  */ | ||||
| function Expression() { | ||||
|   this.editDiv_ = document.createElement('div'); | ||||
|   this.editDiv_.className = 'expression_editor'; | ||||
|   this.editDiv_.contentEditable = true; | ||||
| } | ||||
|  | ||||
| /** | ||||
|  * Returns the HTML element that acts as the expression editor. | ||||
|  * @return {!Element} The editor element. | ||||
|  */ | ||||
| Expression.prototype.getEditor = function() { | ||||
|   return this.editDiv_; | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Returns the current expression as a string. | ||||
|  * @return {string} The current expression. | ||||
|  */ | ||||
| Expression.prototype.getText = function() { | ||||
|   var children = this.editDiv_.childNodes; | ||||
|   if (children.length == 1) { | ||||
|     return children[0].nodeValue; | ||||
|   } else { | ||||
|     var contents = [] | ||||
|     for (var x = 0; x < children.length; ++x) { | ||||
|       contents.push(children[x].nodeValue); | ||||
|     } | ||||
|     return contents.join(''); | ||||
|   } | ||||
| }; | ||||
|  | ||||
|  | ||||
| /** | ||||
|  * Creates a result object that manages a result cell within the display area. | ||||
|  * @constructor. | ||||
|  */ | ||||
| function Result() { | ||||
|   this.resultSpan_ = document.createElement('span'); | ||||
|   this.resultSpan_.className = 'result_display'; | ||||
|   this.resultSpan_.appendChild(document.createTextNode('')); | ||||
| } | ||||
|  | ||||
| /** | ||||
|  * Returns the HTML element that acts as the result display. | ||||
|  * @return {!Element} The display element. | ||||
|  */ | ||||
| Result.prototype.getDisplay = function() { | ||||
|   return this.resultSpan_; | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Returns the currently displayed result text. | ||||
|  * @return {string} The result text. | ||||
|  */ | ||||
| Result.prototype.getText = function() { | ||||
|   return this.resultSpan_.childNodes[0].nodeValue; | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Sets the currently displayed result text. | ||||
|  * @param text {string} The new text to display. | ||||
|  */ | ||||
| Result.prototype.setText = function(text) { | ||||
|   return this.resultSpan_.childNodes[0].nodeValue = text; | ||||
| }; | ||||
|  | ||||
|  | ||||
| /** | ||||
|  * Creates a line in the display, which is composed of an expression and a | ||||
|  * result. | ||||
|  * @param lineNumber {number} The line number of this line. | ||||
|  * @param expressionChangedCallback {function(DisplayLine)} A callback to invoke | ||||
|  *     when the expression has been changed by the user.  This display line will | ||||
|  *     be passed as the only input. | ||||
|  * @constructor | ||||
|  */ | ||||
| function DisplayLine(lineNumber, expressionChangedCallback) { | ||||
|   this.lineNumber_ = lineNumber; | ||||
|   this.expression_ = new Expression(); | ||||
|   this.result_ = new Result(); | ||||
|   this.row_ = this.setupLayout_(); | ||||
|   this.setupExpressionHandling_(expressionChangedCallback); | ||||
| } | ||||
|  | ||||
| /** | ||||
|  * Returns the line number of this display line. | ||||
|  * @return {number} the line number. | ||||
|  */ | ||||
| DisplayLine.prototype.getLineNumber = function() { | ||||
|   return this.lineNumber_; | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Returns the expression of this display line. | ||||
|  * @return {Expression} The expression. | ||||
|  */ | ||||
| DisplayLine.prototype.getExpression = function() { | ||||
|   return this.expression_; | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Returns the result of this display line. | ||||
|  * @return {Result} The result. | ||||
|  */ | ||||
| DisplayLine.prototype.getResult = function() { | ||||
|   return this.result_; | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Returns the table row this display line manages. | ||||
|  * @return {Element} the table row element. | ||||
|  */ | ||||
| DisplayLine.prototype.getRow = function() { | ||||
|   return this.row_; | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Sets up detection of the user editing the expression. | ||||
|  * @param changeCallback {function(DisplayLine)} The callback to call when | ||||
|  *     the user edits the expression. | ||||
|  * @private | ||||
|  */ | ||||
| DisplayLine.prototype.setupExpressionHandling_ = function(changeCallback) { | ||||
|   var self = this; | ||||
|   function callback() { | ||||
|     changeCallback(self); | ||||
|   } | ||||
|   this.expression_.getEditor().addEventListener('keyup', callback, true); | ||||
|   this.expression_.getEditor().addEventListener('paste', callback, true); | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Creates the table row needed by this display line instance. | ||||
|  * @return {!Element} the new table row this display line will use. | ||||
|  */ | ||||
| DisplayLine.prototype.setupLayout_ = function() { | ||||
|   var row = document.createElement('tr'); | ||||
|   row.className = 'expression_row'; | ||||
|  | ||||
|   var lineNumberCell = document.createElement('td'); | ||||
|   lineNumberCell.className = 'line_number'; | ||||
|   lineNumberCell.appendChild(document.createTextNode(this.lineNumber_)); | ||||
|   row.appendChild(lineNumberCell); | ||||
|  | ||||
|   var editor = this.expression_.getEditor(); | ||||
|   var expressionCell = document.createElement('td'); | ||||
|   expressionCell.className = 'expression_cell'; | ||||
|   expressionCell.appendChild(editor) | ||||
|   row.appendChild(expressionCell); | ||||
|  | ||||
|   var resultCell = document.createElement('td'); | ||||
|   resultCell.className = 'result_cell'; | ||||
|   resultCell.appendChild(this.result_.getDisplay()); | ||||
|   resultCell.addEventListener('click', function() { | ||||
|     editor.focus(); | ||||
|   }, true); | ||||
|   row.appendChild(resultCell); | ||||
|  | ||||
|   return row; | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Forces the browser to put cursor focus on this display line. | ||||
|  */ | ||||
| DisplayLine.prototype.focus = function() { | ||||
|   this.expression_.getEditor().focus(); | ||||
| }; | ||||
|  | ||||
|  | ||||
| /** | ||||
|  * Creates a new calcualtor that manages the calculator page.  Only one of these | ||||
|  * should be created per page. | ||||
|  * @constructor. | ||||
|  */ | ||||
| function Calculator() { | ||||
|   this.lines_ = []; | ||||
|   this.displayInScrollingMode_ = false; | ||||
|   this.activeLine_ = null; | ||||
| } | ||||
|  | ||||
| /** | ||||
|  * Initializes the calcualtor once the page is finished loading. | ||||
|  */ | ||||
| Calculator.prototype.init = function() { | ||||
|   window.addEventListener('resize', this.determineDisplayLayout.bind(this), true); | ||||
|   this.initializeKeypad_(); | ||||
|   this.initializeNextLine_(); | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Configures a keypad button to insert the given text into the active line. | ||||
|  * @param buttonId {string} The DOM ID of the keypad button to configure. | ||||
|  * @param text {string} The text to insert into the active line when the keypad | ||||
|  *     button is pressed. | ||||
|  * @private | ||||
|  */ | ||||
| Calculator.prototype.hookInputButton_ = function(buttonId, text) { | ||||
|   var self = this; | ||||
|   document.getElementById(buttonId).addEventListener('click', function() { | ||||
|     if (self.activeLine_) { | ||||
|       document.execCommand('inserthtml', false, text); | ||||
|       self.handleExpressionChanged_(self.activeLine_); | ||||
|     } | ||||
|   }, true); | ||||
| } | ||||
|  | ||||
| /** | ||||
|  * Initializes the keypad to have working buttons that insert text into the | ||||
|  * current line. | ||||
|  * @private | ||||
|  */ | ||||
| Calculator.prototype.initializeKeypad_ = function() { | ||||
|   for (var x = 0; x < 10; ++x) { | ||||
|     this.hookInputButton_('kp_' + x, '' + x); | ||||
|   } | ||||
|   this.hookInputButton_('kp_dot', '.'); | ||||
|   this.hookInputButton_('kp_div', '/'); | ||||
|   this.hookInputButton_('kp_mul', '*'); | ||||
|   this.hookInputButton_('kp_sub', '-'); | ||||
|   this.hookInputButton_('kp_add', '+'); | ||||
|  | ||||
|   document.getElementById('kp_eq').addEventListener( | ||||
|       'click', | ||||
|       this.initializeNextLine_.bind(this), | ||||
|       false); | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Creates a new display line and initializes it as the active line. | ||||
|  * @private | ||||
|  */ | ||||
| Calculator.prototype.initializeNextLine_ = function() { | ||||
|   var nextLineNumber = this.lines_.length + 1; | ||||
|   var line = new DisplayLine(nextLineNumber, | ||||
|                              this.handleExpressionChanged_.bind(this)); | ||||
|  | ||||
|   this.lines_.push(line); | ||||
|   this.hookLine_(line); | ||||
|   document.getElementById('display_grid_body').appendChild(line.getRow()); | ||||
|   this.determineDisplayLayout(); | ||||
|   line.focus(); | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Handles live-updating of relevant display lines when the user is updating | ||||
|  * an expression. | ||||
|  * @param changedLine {number} the line number of the display line that is | ||||
|  *     being changed. | ||||
|  * @private | ||||
|  */ | ||||
| Calculator.prototype.handleExpressionChanged_ = function(changedLine) { | ||||
|   for (var x = changedLine.getLineNumber() - 1; x < this.lines_.length; ++x) { | ||||
|     var line = this.lines_[x]; | ||||
|     var val = evalExpression(line.getExpression().getText()); | ||||
|     updateVar('line' + line.getLineNumber(), val); | ||||
|     line.getResult().setText(val); | ||||
|   } | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Hooks various user events on a display line that need to be handled at a | ||||
|  * higher level. Currently this handles making new lines when hitting enter, | ||||
|  * and tracking browser focus for determining the currently active line. | ||||
|  */ | ||||
| Calculator.prototype.hookLine_ = function(line) { | ||||
|   var expression = line.getExpression(); | ||||
|   var self = this; | ||||
|   expression.getEditor().addEventListener('keydown', function(event) { | ||||
|     if (event.which == 13) { | ||||
|       event.preventDefault(); | ||||
|       event.stopPropagation(); | ||||
|       self.initializeNextLine_(); | ||||
|     } | ||||
|   }, true); | ||||
|   expression.getEditor().addEventListener('focus', function(event) { | ||||
|     self.activeLine_ = line; | ||||
|   }, true); | ||||
| }; | ||||
|  | ||||
| /** | ||||
|  * Called when the browser is resized to determine how to flow the display area. | ||||
|  * | ||||
|  * There are two flow modes:  If the display is larger than the room the lines | ||||
|  * need, then the lines should be aligned to the bottom of the display.  If the | ||||
|  * display is smaller than the room the lines need, then enable a scrolling | ||||
|  * behavior. | ||||
|  */ | ||||
| Calculator.prototype.determineDisplayLayout = function() { | ||||
|   if (this.displayInScrollingMode_) { | ||||
|     // Determine if we have to take the display out of scrolling mode so that | ||||
|     // the text will align to the bottom | ||||
|     var displayScroll = document.getElementById('display_scroll'); | ||||
|     if (displayScroll.clientHeight == displayScroll.scrollHeight) { | ||||
|       // Revert the explicit height so that it shrinks to be only as high as | ||||
|       // needed, which will let the containing cell align it to the bottom. | ||||
|       displayScroll.style.height = 'auto'; | ||||
|       this.displayInScrollingMode_ = false; | ||||
|     } | ||||
|   } else { | ||||
|     // Determine if we have to put the display in scrolling mode because the | ||||
|     // content is too large for the cell size | ||||
|     var displayCell = document.getElementById('display_cell'); | ||||
|     var displayScroll = document.getElementById('display_scroll'); | ||||
|     if (displayScroll.clientHeight == displayCell.clientHeight) { | ||||
|       // Assign an explicit height so that the overflow css property kicks in. | ||||
|       displayScroll.style.height = '100%'; | ||||
|       this.displayInScrollingMode_ = true; | ||||
|     } | ||||
|   } | ||||
| }; | ||||
							
								
								
									
										23
									
								
								js/getProjectsList.php
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										23
									
								
								js/getProjectsList.php
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,23 @@ | ||||
| <?header('Content-type: application/javascript'); | ||||
|  | ||||
| $token		= $_GET['token']; | ||||
|  | ||||
| ?> | ||||
|  | ||||
| function cbfunc(o){   | ||||
|  | ||||
| 	var name 	= o[0].name; | ||||
|  | ||||
| 	var id		= o[0].id; | ||||
|  | ||||
| 	 | ||||
|  | ||||
| 	if(id == undefined){ | ||||
|  | ||||
| 		$('body').append('<span>ERROR</span>'); | ||||
|  | ||||
| 	}else{ | ||||
|  | ||||
| 		$.get('saveTodoist.php', {name: name, id: id}, function(){ | ||||
|  | ||||
| 			window.location.reload(); | ||||
							
								
								
									
										60
									
								
								js/getUncompletedTasks.php
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										60
									
								
								js/getUncompletedTasks.php
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,60 @@ | ||||
| <?header('Content-type: application/javascript'); | ||||
|  | ||||
| $token		= $_GET['token']; | ||||
|  | ||||
| $id			= $_GET['id']; | ||||
|  | ||||
| ?> | ||||
|  | ||||
| function cbfunc(o){ | ||||
|  | ||||
| 	$('#results').append('<ul id="uncompletedList"><ul>'); | ||||
|  | ||||
| 	for(var i in o) | ||||
|  | ||||
| 	{ | ||||
|  | ||||
| 		$('#uncompletedList').append('<li id="'+o[i].id+'">'+o[i].content+' - '+o[i].date_string+' <img src="images/delete.png" class="deleteTask" id="delete-'+o[i].id+'"/> <img src="images/complete.png" class="completeTask" id="complete-'+o[i].id+'"/> </li>'); | ||||
|  | ||||
| 	} | ||||
|  | ||||
| } | ||||
|  | ||||
|  | ||||
|  | ||||
| function cbfunc2(o){ | ||||
|  | ||||
| 	$('#uncompletedList').append('<li id="'+o.id+'">'+o.content+' - '+o.date_string+' <img src="images/delete.png" id="delete-'+o.id+'"/> <img src="images/complete.png" class="completeTask" id="complete-'+o[i].id+'"/> </li>'); | ||||
|  | ||||
| } | ||||
|  | ||||
| 		 | ||||
|  | ||||
| $(document).ready(function(){ | ||||
|  | ||||
| 	$('#todoList').append('<div id="results"></div><img src="images/add.png" id="showNewTask"/><fieldset id="newTaskFieldset" style="display:none; width:200px;"><input type="text" name="newtask" id="newtask"/> <select id="priority"><option id="1" value="1">1</option><option id="2" value="2">2</option><option id="3" value="3">3</option><option id="4" value="4">4</option></select> <br/><input type="text" name="date_string" id="date_string"/>  <img src="images/add.png" id="addTask"/></fieldset>'); | ||||
|  | ||||
| 	var token = "<?=$token?>"; | ||||
|  | ||||
| 	var project_id = "<?=$id?>"; | ||||
|  | ||||
| 	var script = document.createElement('script'); | ||||
|  | ||||
| 	script.type = 'text/javascript'; | ||||
|  | ||||
| 	script.src = 'https://todoist.com/API/getUncompletedItems?project_id='+project_id+'&token='+token+'&format=json&callback=cbfunc'; | ||||
|  | ||||
| 	document.getElementsByTagName('head')[0].appendChild(script);  | ||||
|  | ||||
| 			 | ||||
|  | ||||
| 	$('#showNewTask').click(function(){ | ||||
|  | ||||
| 		$('#newTaskFieldset').toggle(); | ||||
|  | ||||
| 	}); | ||||
|  | ||||
| 	 | ||||
|  | ||||
| 	$('#addTask').click(function(){ | ||||
|  | ||||
							
								
								
									
										21
									
								
								js/index.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										21
									
								
								js/index.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,21 @@ | ||||
| function cbfunc(o){   | ||||
|  | ||||
| 	var token = o.api_token; | ||||
|  | ||||
| 	if(token == undefined){ | ||||
|  | ||||
| 		$('#error').html('Identification erronnée'); | ||||
|  | ||||
| 	}else{ | ||||
|  | ||||
| 		$.get('saveTodoist.php', {token: token}, function(){ | ||||
|  | ||||
| 			location.reload(true); | ||||
|  | ||||
| 		});  | ||||
|  | ||||
| 	} | ||||
|  | ||||
| } | ||||
|  | ||||
|  | ||||
							
								
								
									
										19
									
								
								js/jquery-1.3.1.min.js
									
									
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										19
									
								
								js/jquery-1.3.1.min.js
									
									
									
									
										vendored
									
									
										Normal file
									
								
							
										
											
												File diff suppressed because one or more lines are too long
											
										
									
								
							
							
								
								
									
										34
									
								
								js/jquery.blogs.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										34
									
								
								js/jquery.blogs.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,34 @@ | ||||
| $(document).ready(function(){ | ||||
|  | ||||
| var zIndex = 0; | ||||
|  | ||||
| function make_draggable(elements) | ||||
| { | ||||
| 	/* Elements is a jquery object: */ | ||||
| 	elements.draggable({ | ||||
| 		containment:'parent', | ||||
| 		start:function(e,ui){ ui.helper.css('z-index',++zIndex); }, | ||||
| 		stop:function(e,ui){ | ||||
|  | ||||
| 			/* Sending the z-index and positon of the note to update_position.php via AJAX GET: */ | ||||
| 			$.get('ajax/update_position_config.php',{ | ||||
| 				x		: ui.position.left, | ||||
| 				y		: ui.position.top, | ||||
| 				id		: ui.helper.attr('id') | ||||
| 			}); | ||||
| 		} | ||||
| 	}); | ||||
| } | ||||
| 	 | ||||
| //affichage des blogs | ||||
| $('body').append('<div id="blogs"></div>'); | ||||
| $("#blogs").html("<img src=\"images/ajax_load.gif\"/> Loading Blogs..."); | ||||
| var tmp; | ||||
|  | ||||
| /* A helper function for converting a set of elements to draggables: */ | ||||
| make_draggable($('#blogs')); | ||||
|  | ||||
| $.get("blogs.php", function(data){ | ||||
| 	$("#blogs").html(data); | ||||
| }); | ||||
| }); | ||||
							
								
								
									
										72
									
								
								js/jquery.easing-1.3.pack.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										72
									
								
								js/jquery.easing-1.3.pack.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,72 @@ | ||||
| /* | ||||
|  * jQuery Easing v1.3 - http://gsgd.co.uk/sandbox/jquery/easing/ | ||||
|  * | ||||
|  * Uses the built in easing capabilities added In jQuery 1.1 | ||||
|  * to offer multiple easing options | ||||
|  * | ||||
|  * TERMS OF USE - jQuery Easing | ||||
|  *  | ||||
|  * Open source under the BSD License.  | ||||
|  *  | ||||
|  * Copyright © 2008 George McGinley Smith | ||||
|  * All rights reserved. | ||||
|  *  | ||||
|  * Redistribution and use in source and binary forms, with or without modification,  | ||||
|  * are permitted provided that the following conditions are met: | ||||
|  *  | ||||
|  * Redistributions of source code must retain the above copyright notice, this list of  | ||||
|  * conditions and the following disclaimer. | ||||
|  * Redistributions in binary form must reproduce the above copyright notice, this list  | ||||
|  * of conditions and the following disclaimer in the documentation and/or other materials  | ||||
|  * provided with the distribution. | ||||
|  *  | ||||
|  * Neither the name of the author nor the names of contributors may be used to endorse  | ||||
|  * or promote products derived from this software without specific prior written permission. | ||||
|  *  | ||||
|  * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY  | ||||
|  * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF | ||||
|  * MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE | ||||
|  *  COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, | ||||
|  *  EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE | ||||
|  *  GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED  | ||||
|  * AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING | ||||
|  *  NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED  | ||||
|  * OF THE POSSIBILITY OF SUCH DAMAGE.  | ||||
|  * | ||||
| */ | ||||
|  | ||||
| // t: current time, b: begInnIng value, c: change In value, d: duration | ||||
| eval(function(p,a,c,k,e,r){e=function(c){return(c<a?'':e(parseInt(c/a)))+((c=c%a)>35?String.fromCharCode(c+29):c.toString(36))};if(!''.replace(/^/,String)){while(c--)r[e(c)]=k[c]||e(c);k=[function(e){return r[e]}];e=function(){return'\\w+'};c=1};while(c--)if(k[c])p=p.replace(new RegExp('\\b'+e(c)+'\\b','g'),k[c]);return p}('h.i[\'1a\']=h.i[\'z\'];h.O(h.i,{y:\'D\',z:9(x,t,b,c,d){6 h.i[h.i.y](x,t,b,c,d)},17:9(x,t,b,c,d){6 c*(t/=d)*t+b},D:9(x,t,b,c,d){6-c*(t/=d)*(t-2)+b},13:9(x,t,b,c,d){e((t/=d/2)<1)6 c/2*t*t+b;6-c/2*((--t)*(t-2)-1)+b},X:9(x,t,b,c,d){6 c*(t/=d)*t*t+b},U:9(x,t,b,c,d){6 c*((t=t/d-1)*t*t+1)+b},R:9(x,t,b,c,d){e((t/=d/2)<1)6 c/2*t*t*t+b;6 c/2*((t-=2)*t*t+2)+b},N:9(x,t,b,c,d){6 c*(t/=d)*t*t*t+b},M:9(x,t,b,c,d){6-c*((t=t/d-1)*t*t*t-1)+b},L:9(x,t,b,c,d){e((t/=d/2)<1)6 c/2*t*t*t*t+b;6-c/2*((t-=2)*t*t*t-2)+b},K:9(x,t,b,c,d){6 c*(t/=d)*t*t*t*t+b},J:9(x,t,b,c,d){6 c*((t=t/d-1)*t*t*t*t+1)+b},I:9(x,t,b,c,d){e((t/=d/2)<1)6 c/2*t*t*t*t*t+b;6 c/2*((t-=2)*t*t*t*t+2)+b},G:9(x,t,b,c,d){6-c*8.C(t/d*(8.g/2))+c+b},15:9(x,t,b,c,d){6 c*8.n(t/d*(8.g/2))+b},12:9(x,t,b,c,d){6-c/2*(8.C(8.g*t/d)-1)+b},Z:9(x,t,b,c,d){6(t==0)?b:c*8.j(2,10*(t/d-1))+b},Y:9(x,t,b,c,d){6(t==d)?b+c:c*(-8.j(2,-10*t/d)+1)+b},W:9(x,t,b,c,d){e(t==0)6 b;e(t==d)6 b+c;e((t/=d/2)<1)6 c/2*8.j(2,10*(t-1))+b;6 c/2*(-8.j(2,-10*--t)+2)+b},V:9(x,t,b,c,d){6-c*(8.o(1-(t/=d)*t)-1)+b},S:9(x,t,b,c,d){6 c*8.o(1-(t=t/d-1)*t)+b},Q:9(x,t,b,c,d){e((t/=d/2)<1)6-c/2*(8.o(1-t*t)-1)+b;6 c/2*(8.o(1-(t-=2)*t)+1)+b},P:9(x,t,b,c,d){f s=1.l;f p=0;f a=c;e(t==0)6 b;e((t/=d)==1)6 b+c;e(!p)p=d*.3;e(a<8.w(c)){a=c;f s=p/4}m f s=p/(2*8.g)*8.r(c/a);6-(a*8.j(2,10*(t-=1))*8.n((t*d-s)*(2*8.g)/p))+b},H:9(x,t,b,c,d){f s=1.l;f p=0;f a=c;e(t==0)6 b;e((t/=d)==1)6 b+c;e(!p)p=d*.3;e(a<8.w(c)){a=c;f s=p/4}m f s=p/(2*8.g)*8.r(c/a);6 a*8.j(2,-10*t)*8.n((t*d-s)*(2*8.g)/p)+c+b},T:9(x,t,b,c,d){f s=1.l;f p=0;f a=c;e(t==0)6 b;e((t/=d/2)==2)6 b+c;e(!p)p=d*(.3*1.5);e(a<8.w(c)){a=c;f s=p/4}m f s=p/(2*8.g)*8.r(c/a);e(t<1)6-.5*(a*8.j(2,10*(t-=1))*8.n((t*d-s)*(2*8.g)/p))+b;6 a*8.j(2,-10*(t-=1))*8.n((t*d-s)*(2*8.g)/p)*.5+c+b},F:9(x,t,b,c,d,s){e(s==u)s=1.l;6 c*(t/=d)*t*((s+1)*t-s)+b},E:9(x,t,b,c,d,s){e(s==u)s=1.l;6 c*((t=t/d-1)*t*((s+1)*t+s)+1)+b},16:9(x,t,b,c,d,s){e(s==u)s=1.l;e((t/=d/2)<1)6 c/2*(t*t*(((s*=(1.B))+1)*t-s))+b;6 c/2*((t-=2)*t*(((s*=(1.B))+1)*t+s)+2)+b},A:9(x,t,b,c,d){6 c-h.i.v(x,d-t,0,c,d)+b},v:9(x,t,b,c,d){e((t/=d)<(1/2.k)){6 c*(7.q*t*t)+b}m e(t<(2/2.k)){6 c*(7.q*(t-=(1.5/2.k))*t+.k)+b}m e(t<(2.5/2.k)){6 c*(7.q*(t-=(2.14/2.k))*t+.11)+b}m{6 c*(7.q*(t-=(2.18/2.k))*t+.19)+b}},1b:9(x,t,b,c,d){e(t<d/2)6 h.i.A(x,t*2,0,c,d)*.5+b;6 h.i.v(x,t*2-d,0,c,d)*.5+c*.5+b}});',62,74,'||||||return||Math|function|||||if|var|PI|jQuery|easing|pow|75|70158|else|sin|sqrt||5625|asin|||undefined|easeOutBounce|abs||def|swing|easeInBounce|525|cos|easeOutQuad|easeOutBack|easeInBack|easeInSine|easeOutElastic|easeInOutQuint|easeOutQuint|easeInQuint|easeInOutQuart|easeOutQuart|easeInQuart|extend|easeInElastic|easeInOutCirc|easeInOutCubic|easeOutCirc|easeInOutElastic|easeOutCubic|easeInCirc|easeInOutExpo|easeInCubic|easeOutExpo|easeInExpo||9375|easeInOutSine|easeInOutQuad|25|easeOutSine|easeInOutBack|easeInQuad|625|984375|jswing|easeInOutBounce'.split('|'),0,{})) | ||||
|  | ||||
| /* | ||||
|  * | ||||
|  * TERMS OF USE - EASING EQUATIONS | ||||
|  *  | ||||
|  * Open source under the BSD License.  | ||||
|  *  | ||||
|  * Copyright © 2001 Robert Penner | ||||
|  * All rights reserved. | ||||
|  *  | ||||
|  * Redistribution and use in source and binary forms, with or without modification,  | ||||
|  * are permitted provided that the following conditions are met: | ||||
|  *  | ||||
|  * Redistributions of source code must retain the above copyright notice, this list of  | ||||
|  * conditions and the following disclaimer. | ||||
|  * Redistributions in binary form must reproduce the above copyright notice, this list  | ||||
|  * of conditions and the following disclaimer in the documentation and/or other materials  | ||||
|  * provided with the distribution. | ||||
|  *  | ||||
|  * Neither the name of the author nor the names of contributors may be used to endorse  | ||||
|  * or promote products derived from this software without specific prior written permission. | ||||
|  *  | ||||
|  * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY  | ||||
|  * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF | ||||
|  * MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE | ||||
|  *  COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, | ||||
|  *  EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE | ||||
|  *  GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED  | ||||
|  * AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING | ||||
|  *  NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED  | ||||
|  * OF THE POSSIBILITY OF SUCH DAMAGE.  | ||||
|  * | ||||
|  */ | ||||
							
								
								
									
										43
									
								
								js/jquery.fancybox-1.3.0.pack.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										43
									
								
								js/jquery.fancybox-1.3.0.pack.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,43 @@ | ||||
| /* | ||||
|  | ||||
|  * FancyBox - jQuery Plugin | ||||
|  | ||||
|  * Simple and fancy lightbox alternative | ||||
|  | ||||
|  * | ||||
|  | ||||
|  * Copyright (c) 20010 Janis Skarnelis | ||||
|  | ||||
|  * Examples and documentation at: http://fancybox.net | ||||
|  | ||||
|  * | ||||
|  | ||||
|  * Version: 1.3.0 (02/02/2010) | ||||
|  | ||||
|  * Requires: jQuery v1.3+ | ||||
|  | ||||
|  * | ||||
|  | ||||
|  * Dual licensed under the MIT and GPL licenses: | ||||
|  | ||||
|  *   http://www.opensource.org/licenses/mit-license.php | ||||
|  | ||||
|  *   http://www.gnu.org/licenses/gpl.html | ||||
|  | ||||
|  */ | ||||
|  | ||||
|  | ||||
|  | ||||
| ;(function(b){function H(){v.hide();r.onerror=r.onload=null;F&&F.abort();l.empty()}function Q(){b.fancybox('<p id="fancybox_error">The requested content cannot be loaded.<br />Please try again later.</p>',{scrolling:"no",padding:20,transitionIn:"none",transitionOut:"none"})}function B(){H();var a=q[s];e=b.extend({},b.fn.fancybox.defaults,typeof b(a).data("fancybox")=="undefined"?e:b(a).data("fancybox"));var d,f,o=a.title||b(a).title||e.title||"";if(a.nodeName&&!e.orig)e.orig=b(a).children("img:first").length? | ||||
|  | ||||
| b(a).children("img:first"):b(a);if(o==""&&e.orig)o=e.orig.attr("alt");d=a.nodeName&&/^(?:javascript|#)/i.test(a.href)?e.href||null:e.href||a.href||null;if(e.type){f=e.type;if(!d)d=e.content}else if(e.content)f="html";else if(d)if(d.match(I))f="image";else if(d.match(T))f="swf";else if(b(a).hasClass("iframe"))f="iframe";else if(d.match(/#/)){a=d.substr(d.indexOf("#"));f=b(a).length>0?"inline":"ajax"}else f="ajax";else f="inline";e.type=f;e.href=d;e.title=o;if(e.autoDimensions&&e.type!=="iframe"&&e.type!== | ||||
|  | ||||
| "swf"){e.width="auto";e.height="auto"}if(e.modal){e.overlayShow=true;e.hideOnOverlayClick=false;e.hideOnContentClick=false;e.enableEscapeButton=false;e.showCloseButton=false}if(b.isFunction(e.onStart))if(e.onStart(q,s,e)===false){h=false;return}l.css("padding",t+e.padding+e.margin);b(".fancybox-inline-tmp").unbind("fancybox-cancel").bind("fancybox-change",function(){b(this).replaceWith(i.children())});switch(f){case "html":l.html(e.content);G();break;case "inline":b('<div class="fancybox-inline-tmp" />').hide().insertBefore(b(a)).bind("fancybox-cleanup", | ||||
|  | ||||
| function(){b(this).replaceWith(i.children())}).bind("fancybox-cancel",function(){b(this).replaceWith(l.children())});b(a).appendTo(l);G();break;case "image":h=false;b.fancybox.showActivity();r=new Image;r.onerror=function(){Q()};r.onload=function(){r.onerror=null;r.onload=null;U()};r.src=d;break;case "swf":var u="",w="";u+='<object classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" width="'+e.width+'" height="'+e.height+'"><param name="movie" value="'+d+'"></param>';b.each(e.swf,function(p,R){u+= | ||||
|  | ||||
| '<param name="'+p+'" value="'+R+'"></param>';w+=" "+p+'="'+R+'"'});u+='<embed src="'+d+'" type="application/x-shockwave-flash" width="'+e.width+'" height="'+e.height+'"'+w+"></embed></object>";l.html(u);G();break;case "ajax":a=d.split("#",2);f=e.ajax.data||{};if(a.length>1){d=a[0];typeof f=="string"?(f+="&selector="+a[1]):(f.selector=a[1])}h=false;b.fancybox.showActivity();F=b.ajax(b.extend(e.ajax,{url:d,data:f,error:Q,success:function(p){if(F.status==200){l.html(p);G()}}}));break;case "iframe":b('<iframe id="fancybox-frame" name="fancybox-frame'+ | ||||
|  | ||||
| (new Date).getTime()+'" frameborder="0" hspace="0" scrolling="'+e.scrolling+'" src="'+e.href+'"></iframe>').appendTo(l);J();break}}function U(){h=true;e.width=r.width;e.height=r.height;b("<img />").attr({id:"fancybox-img",src:r.src,alt:e.title}).appendTo(l);J()}function G(){l.width(e.width);l.height(e.height);if(e.width=="auto")e.width=l.width();if(e.height=="auto")e.height=l.height();J()}function J(){v.hide();if(g.is(":visible")&&b.isFunction(c.onCleanup))if(c.onCleanup(j,n,c)===false){b.event.trigger("fancybox-cancel"); | ||||
|  | ||||
| h=false;return}j=q;n=s;c=e;i.get(0).scrollTop=0;i.get(0).scrollLeft=0;if(c.overlayShow){K&&b("select:not(#fancybox-tmp select)").filter(function(){return this.style.visibility!=="hidden"}).css({visibility:"hidden"}).one("fancybox-cleanup",function(){this.style.visibility="inherit"});y.css({"background-color":c.overlayColor,opacity:c.overlayOpacity}).unbind().show()}m=V();W();if(g.is(":visible")){b(z.add(C).add(D)).hide();var a=g.position();k={top:a.top,left:a.left,width:g.width(),height:g.height()}; | ||||
							
								
								
									
										1077
									
								
								js/jquery.fancybox-1.3.1.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										1077
									
								
								js/jquery.fancybox-1.3.1.js
									
									
									
									
									
										Normal file
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										44
									
								
								js/jquery.fancybox-1.3.1.pack.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										44
									
								
								js/jquery.fancybox-1.3.1.pack.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,44 @@ | ||||
| /* | ||||
|  * FancyBox - jQuery Plugin | ||||
|  * Simple and fancy lightbox alternative | ||||
|  * | ||||
|  * Examples and documentation at: http://fancybox.net | ||||
|  *  | ||||
|  * Copyright (c) 2008 - 2010 Janis Skarnelis | ||||
|  * | ||||
|  * Version: 1.3.1 (05/03/2010) | ||||
|  * Requires: jQuery v1.3+ | ||||
|  * | ||||
|  * Dual licensed under the MIT and GPL licenses: | ||||
|  *   http://www.opensource.org/licenses/mit-license.php | ||||
|  *   http://www.gnu.org/licenses/gpl.html | ||||
|  */ | ||||
|  | ||||
| (function(b){var m,u,x,g,D,i,z,A,B,p=0,e={},q=[],n=0,c={},j=[],E=null,s=new Image,G=/\.(jpg|gif|png|bmp|jpeg)(.*)?$/i,S=/[^\.]\.(swf)\s*$/i,H,I=1,k,l,h=false,y=b.extend(b("<div/>")[0],{prop:0}),v=0,O=!b.support.opacity&&!window.XMLHttpRequest,J=function(){u.hide();s.onerror=s.onload=null;E&&E.abort();m.empty()},P=function(){b.fancybox('<p id="fancybox_error">The requested content cannot be loaded.<br />Please try again later.</p>',{scrolling:"no",padding:20,transitionIn:"none",transitionOut:"none"})}, | ||||
| K=function(){return[b(window).width(),b(window).height(),b(document).scrollLeft(),b(document).scrollTop()]},T=function(){var a=K(),d={},f=c.margin,o=c.autoScale,t=(20+f)*2,w=(20+f)*2,r=c.padding*2;if(c.width.toString().indexOf("%")>-1){d.width=a[0]*parseFloat(c.width)/100-40;o=false}else d.width=c.width+r;if(c.height.toString().indexOf("%")>-1){d.height=a[1]*parseFloat(c.height)/100-40;o=false}else d.height=c.height+r;if(o&&(d.width>a[0]-t||d.height>a[1]-w))if(e.type=="image"||e.type=="swf"){t+=r; | ||||
| w+=r;o=Math.min(Math.min(a[0]-t,c.width)/c.width,Math.min(a[1]-w,c.height)/c.height);d.width=Math.round(o*(d.width-r))+r;d.height=Math.round(o*(d.height-r))+r}else{d.width=Math.min(d.width,a[0]-t);d.height=Math.min(d.height,a[1]-w)}d.top=a[3]+(a[1]-(d.height+40))*0.5;d.left=a[2]+(a[0]-(d.width+40))*0.5;if(c.autoScale===false){d.top=Math.max(a[3]+f,d.top);d.left=Math.max(a[2]+f,d.left)}return d},U=function(a){if(a&&a.length)switch(c.titlePosition){case "inside":return a;case "over":return'<span id="fancybox-title-over">'+ | ||||
| a+"</span>";default:return'<span id="fancybox-title-wrap"><span id="fancybox-title-left"></span><span id="fancybox-title-main">'+a+'</span><span id="fancybox-title-right"></span></span>'}return false},V=function(){var a=c.title,d=l.width-c.padding*2,f="fancybox-title-"+c.titlePosition;b("#fancybox-title").remove();v=0;if(c.titleShow!==false){a=b.isFunction(c.titleFormat)?c.titleFormat(a,j,n,c):U(a);if(!(!a||a==="")){b('<div id="fancybox-title" class="'+f+'" />').css({width:d,paddingLeft:c.padding, | ||||
| paddingRight:c.padding}).html(a).appendTo("body");switch(c.titlePosition){case "inside":v=b("#fancybox-title").outerHeight(true)-c.padding;l.height+=v;break;case "over":b("#fancybox-title").css("bottom",c.padding);break;default:b("#fancybox-title").css("bottom",b("#fancybox-title").outerHeight(true)*-1);break}b("#fancybox-title").appendTo(D).hide()}}},W=function(){b(document).unbind("keydown.fb").bind("keydown.fb",function(a){if(a.keyCode==27&&c.enableEscapeButton){a.preventDefault();b.fancybox.close()}else if(a.keyCode== | ||||
| 37){a.preventDefault();b.fancybox.prev()}else if(a.keyCode==39){a.preventDefault();b.fancybox.next()}});if(b.fn.mousewheel){g.unbind("mousewheel.fb");j.length>1&&g.bind("mousewheel.fb",function(a,d){a.preventDefault();h||d===0||(d>0?b.fancybox.prev():b.fancybox.next())})}if(c.showNavArrows){if(c.cyclic&&j.length>1||n!==0)A.show();if(c.cyclic&&j.length>1||n!=j.length-1)B.show()}},X=function(){var a,d;if(j.length-1>n){a=j[n+1].href;if(typeof a!=="undefined"&&a.match(G)){d=new Image;d.src=a}}if(n>0){a= | ||||
| j[n-1].href;if(typeof a!=="undefined"&&a.match(G)){d=new Image;d.src=a}}},L=function(){i.css("overflow",c.scrolling=="auto"?c.type=="image"||c.type=="iframe"||c.type=="swf"?"hidden":"auto":c.scrolling=="yes"?"auto":"visible");if(!b.support.opacity){i.get(0).style.removeAttribute("filter");g.get(0).style.removeAttribute("filter")}b("#fancybox-title").show();c.hideOnContentClick&&i.one("click",b.fancybox.close);c.hideOnOverlayClick&&x.one("click",b.fancybox.close);c.showCloseButton&&z.show();W();b(window).bind("resize.fb", | ||||
| b.fancybox.center);c.centerOnScroll?b(window).bind("scroll.fb",b.fancybox.center):b(window).unbind("scroll.fb");b.isFunction(c.onComplete)&&c.onComplete(j,n,c);h=false;X()},M=function(a){var d=Math.round(k.width+(l.width-k.width)*a),f=Math.round(k.height+(l.height-k.height)*a),o=Math.round(k.top+(l.top-k.top)*a),t=Math.round(k.left+(l.left-k.left)*a);g.css({width:d+"px",height:f+"px",top:o+"px",left:t+"px"});d=Math.max(d-c.padding*2,0);f=Math.max(f-(c.padding*2+v*a),0);i.css({width:d+"px",height:f+ | ||||
| "px"});if(typeof l.opacity!=="undefined")g.css("opacity",a<0.5?0.5:a)},Y=function(a){var d=a.offset();d.top+=parseFloat(a.css("paddingTop"))||0;d.left+=parseFloat(a.css("paddingLeft"))||0;d.top+=parseFloat(a.css("border-top-width"))||0;d.left+=parseFloat(a.css("border-left-width"))||0;d.width=a.width();d.height=a.height();return d},Q=function(){var a=e.orig?b(e.orig):false,d={};if(a&&a.length){a=Y(a);d={width:a.width+c.padding*2,height:a.height+c.padding*2,top:a.top-c.padding-20,left:a.left-c.padding- | ||||
| 20}}else{a=K();d={width:1,height:1,top:a[3]+a[1]*0.5,left:a[2]+a[0]*0.5}}return d},N=function(){u.hide();if(g.is(":visible")&&b.isFunction(c.onCleanup))if(c.onCleanup(j,n,c)===false){b.event.trigger("fancybox-cancel");h=false;return}j=q;n=p;c=e;i.get(0).scrollTop=0;i.get(0).scrollLeft=0;if(c.overlayShow){O&&b("select:not(#fancybox-tmp select)").filter(function(){return this.style.visibility!=="hidden"}).css({visibility:"hidden"}).one("fancybox-cleanup",function(){this.style.visibility="inherit"}); | ||||
| x.css({"background-color":c.overlayColor,opacity:c.overlayOpacity}).unbind().show()}l=T();V();if(g.is(":visible")){b(z.add(A).add(B)).hide();var a=g.position(),d;k={top:a.top,left:a.left,width:g.width(),height:g.height()};d=k.width==l.width&&k.height==l.height;i.fadeOut(c.changeFade,function(){var f=function(){i.html(m.contents()).fadeIn(c.changeFade,L)};b.event.trigger("fancybox-change");i.empty().css("overflow","hidden");if(d){i.css({top:c.padding,left:c.padding,width:Math.max(l.width-c.padding* | ||||
| 2,1),height:Math.max(l.height-c.padding*2-v,1)});f()}else{i.css({top:c.padding,left:c.padding,width:Math.max(k.width-c.padding*2,1),height:Math.max(k.height-c.padding*2,1)});y.prop=0;b(y).animate({prop:1},{duration:c.changeSpeed,easing:c.easingChange,step:M,complete:f})}})}else{g.css("opacity",1);if(c.transitionIn=="elastic"){k=Q();i.css({top:c.padding,left:c.padding,width:Math.max(k.width-c.padding*2,1),height:Math.max(k.height-c.padding*2,1)}).html(m.contents());g.css(k).show();if(c.opacity)l.opacity= | ||||
| 0;y.prop=0;b(y).animate({prop:1},{duration:c.speedIn,easing:c.easingIn,step:M,complete:L})}else{i.css({top:c.padding,left:c.padding,width:Math.max(l.width-c.padding*2,1),height:Math.max(l.height-c.padding*2-v,1)}).html(m.contents());g.css(l).fadeIn(c.transitionIn=="none"?0:c.speedIn,L)}}},F=function(){m.width(e.width);m.height(e.height);if(e.width=="auto")e.width=m.width();if(e.height=="auto")e.height=m.height();N()},Z=function(){h=true;e.width=s.width;e.height=s.height;b("<img />").attr({id:"fancybox-img", | ||||
| src:s.src,alt:e.title}).appendTo(m);N()},C=function(){J();var a=q[p],d,f,o,t,w;e=b.extend({},b.fn.fancybox.defaults,typeof b(a).data("fancybox")=="undefined"?e:b(a).data("fancybox"));o=a.title||b(a).title||e.title||"";if(a.nodeName&&!e.orig)e.orig=b(a).children("img:first").length?b(a).children("img:first"):b(a);if(o===""&&e.orig)o=e.orig.attr("alt");d=a.nodeName&&/^(?:javascript|#)/i.test(a.href)?e.href||null:e.href||a.href||null;if(e.type){f=e.type;if(!d)d=e.content}else if(e.content)f="html";else if(d)if(d.match(G))f= | ||||
| "image";else if(d.match(S))f="swf";else if(b(a).hasClass("iframe"))f="iframe";else if(d.match(/#/)){a=d.substr(d.indexOf("#"));f=b(a).length>0?"inline":"ajax"}else f="ajax";else f="inline";e.type=f;e.href=d;e.title=o;if(e.autoDimensions&&e.type!=="iframe"&&e.type!=="swf"){e.width="auto";e.height="auto"}if(e.modal){e.overlayShow=true;e.hideOnOverlayClick=false;e.hideOnContentClick=false;e.enableEscapeButton=false;e.showCloseButton=false}if(b.isFunction(e.onStart))if(e.onStart(q,p,e)===false){h=false; | ||||
| return}m.css("padding",20+e.padding+e.margin);b(".fancybox-inline-tmp").unbind("fancybox-cancel").bind("fancybox-change",function(){b(this).replaceWith(i.children())});switch(f){case "html":m.html(e.content);F();break;case "inline":b('<div class="fancybox-inline-tmp" />').hide().insertBefore(b(a)).bind("fancybox-cleanup",function(){b(this).replaceWith(i.children())}).bind("fancybox-cancel",function(){b(this).replaceWith(m.children())});b(a).appendTo(m);F();break;case "image":h=false;b.fancybox.showActivity(); | ||||
| s=new Image;s.onerror=function(){P()};s.onload=function(){s.onerror=null;s.onload=null;Z()};s.src=d;break;case "swf":t='<object classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" width="'+e.width+'" height="'+e.height+'"><param name="movie" value="'+d+'"></param>';w="";b.each(e.swf,function(r,R){t+='<param name="'+r+'" value="'+R+'"></param>';w+=" "+r+'="'+R+'"'});t+='<embed src="'+d+'" type="application/x-shockwave-flash" width="'+e.width+'" height="'+e.height+'"'+w+"></embed></object>";m.html(t); | ||||
| F();break;case "ajax":a=d.split("#",2);f=e.ajax.data||{};if(a.length>1){d=a[0];if(typeof f=="string")f+="&selector="+a[1];else f.selector=a[1]}h=false;b.fancybox.showActivity();E=b.ajax(b.extend(e.ajax,{url:d,data:f,error:P,success:function(r){if(E.status==200){m.html(r);F()}}}));break;case "iframe":b('<iframe id="fancybox-frame" name="fancybox-frame'+(new Date).getTime()+'" frameborder="0" hspace="0" scrolling="'+e.scrolling+'" src="'+e.href+'"></iframe>').appendTo(m);N();break}},$=function(){if(u.is(":visible")){b("div", | ||||
| u).css("top",I*-40+"px");I=(I+1)%12}else clearInterval(H)},aa=function(){if(!b("#fancybox-wrap").length){b("body").append(m=b('<div id="fancybox-tmp"></div>'),u=b('<div id="fancybox-loading"><div></div></div>'),x=b('<div id="fancybox-overlay"></div>'),g=b('<div id="fancybox-wrap"></div>'));if(!b.support.opacity){g.addClass("fancybox-ie");u.addClass("fancybox-ie")}D=b('<div id="fancybox-outer"></div>').append('<div class="fancy-bg" id="fancy-bg-n"></div><div class="fancy-bg" id="fancy-bg-ne"></div><div class="fancy-bg" id="fancy-bg-e"></div><div class="fancy-bg" id="fancy-bg-se"></div><div class="fancy-bg" id="fancy-bg-s"></div><div class="fancy-bg" id="fancy-bg-sw"></div><div class="fancy-bg" id="fancy-bg-w"></div><div class="fancy-bg" id="fancy-bg-nw"></div>').appendTo(g); | ||||
| D.append(i=b('<div id="fancybox-inner"></div>'),z=b('<a id="fancybox-close"></a>'),A=b('<a href="javascript:;" id="fancybox-left"><span class="fancy-ico" id="fancybox-left-ico"></span></a>'),B=b('<a href="javascript:;" id="fancybox-right"><span class="fancy-ico" id="fancybox-right-ico"></span></a>'));z.click(b.fancybox.close);u.click(b.fancybox.cancel);A.click(function(a){a.preventDefault();b.fancybox.prev()});B.click(function(a){a.preventDefault();b.fancybox.next()});if(O){x.get(0).style.setExpression("height", | ||||
| "document.body.scrollHeight > document.body.offsetHeight ? document.body.scrollHeight : document.body.offsetHeight + 'px'");u.get(0).style.setExpression("top","(-20 + (document.documentElement.clientHeight ? document.documentElement.clientHeight/2 : document.body.clientHeight/2 ) + ( ignoreMe = document.documentElement.scrollTop ? document.documentElement.scrollTop : document.body.scrollTop )) + 'px'");D.prepend('<iframe id="fancybox-hide-sel-frame" src="javascript:\'\';" scrolling="no" frameborder="0" ></iframe>')}}}; | ||||
| b.fn.fancybox=function(a){b(this).data("fancybox",b.extend({},a,b.metadata?b(this).metadata():{})).unbind("click.fb").bind("click.fb",function(d){d.preventDefault();if(!h){h=true;b(this).blur();q=[];p=0;d=b(this).attr("rel")||"";if(!d||d==""||d==="nofollow")q.push(this);else{q=b("a[rel="+d+"], area[rel="+d+"]");p=q.index(this)}C();return false}});return this};b.fancybox=function(a,d){if(!h){h=true;d=typeof d!=="undefined"?d:{};q=[];p=d.index||0;if(b.isArray(a)){for(var f=0,o=a.length;f<o;f++)if(typeof a[f]== | ||||
| "object")b(a[f]).data("fancybox",b.extend({},d,a[f]));else a[f]=b({}).data("fancybox",b.extend({content:a[f]},d));q=jQuery.merge(q,a)}else{if(typeof a=="object")b(a).data("fancybox",b.extend({},d,a));else a=b({}).data("fancybox",b.extend({content:a},d));q.push(a)}if(p>q.length||p<0)p=0;C()}};b.fancybox.showActivity=function(){clearInterval(H);u.show();H=setInterval($,66)};b.fancybox.hideActivity=function(){u.hide()};b.fancybox.next=function(){return b.fancybox.pos(n+1)};b.fancybox.prev=function(){return b.fancybox.pos(n- | ||||
| 1)};b.fancybox.pos=function(a){if(!h){a=parseInt(a,10);if(a>-1&&j.length>a){p=a;C()}if(c.cyclic&&j.length>1&&a<0){p=j.length-1;C()}if(c.cyclic&&j.length>1&&a>=j.length){p=0;C()}}};b.fancybox.cancel=function(){if(!h){h=true;b.event.trigger("fancybox-cancel");J();e&&b.isFunction(e.onCancel)&&e.onCancel(q,p,e);h=false}};b.fancybox.close=function(){function a(){x.fadeOut("fast");g.hide();b.event.trigger("fancybox-cleanup");i.empty();b.isFunction(c.onClosed)&&c.onClosed(j,n,c);j=e=[];n=p=0;c=e={};h=false} | ||||
| if(!(h||g.is(":hidden"))){h=true;if(c&&b.isFunction(c.onCleanup))if(c.onCleanup(j,n,c)===false){h=false;return}J();b(z.add(A).add(B)).hide();b("#fancybox-title").remove();g.add(i).add(x).unbind();b(window).unbind("resize.fb scroll.fb");b(document).unbind("keydown.fb");i.css("overflow","hidden");if(c.transitionOut=="elastic"){k=Q();var d=g.position();l={top:d.top,left:d.left,width:g.width(),height:g.height()};if(c.opacity)l.opacity=1;y.prop=1;b(y).animate({prop:0},{duration:c.speedOut,easing:c.easingOut, | ||||
| step:M,complete:a})}else g.fadeOut(c.transitionOut=="none"?0:c.speedOut,a)}};b.fancybox.resize=function(){var a,d;if(!(h||g.is(":hidden"))){h=true;a=i.wrapInner("<div style='overflow:auto'></div>").children();d=a.height();g.css({height:d+c.padding*2+v});i.css({height:d});a.replaceWith(a.children());b.fancybox.center()}};b.fancybox.center=function(){h=true;var a=K(),d=c.margin,f={};f.top=a[3]+(a[1]-(g.height()-v+40))*0.5;f.left=a[2]+(a[0]-(g.width()+40))*0.5;f.top=Math.max(a[3]+d,f.top);f.left=Math.max(a[2]+ | ||||
| d,f.left);g.css(f);h=false};b.fn.fancybox.defaults={padding:10,margin:20,opacity:false,modal:false,cyclic:false,scrolling:"auto",width:560,height:340,autoScale:true,autoDimensions:true,centerOnScroll:false,ajax:{},swf:{wmode:"transparent"},hideOnOverlayClick:true,hideOnContentClick:false,overlayShow:true,overlayOpacity:0.3,overlayColor:"#666",titleShow:true,titlePosition:"outside",titleFormat:null,transitionIn:"fade",transitionOut:"fade",speedIn:300,speedOut:300,changeSpeed:300,changeFade:"fast", | ||||
| easingIn:"swing",easingOut:"swing",showCloseButton:true,showNavArrows:true,enableEscapeButton:true,onStart:null,onCancel:null,onComplete:null,onCleanup:null,onClosed:null};b(document).ready(function(){aa()})})(jQuery); | ||||
							
								
								
									
										237
									
								
								js/jquery.jclock.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										237
									
								
								js/jquery.jclock.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,237 @@ | ||||
| /* | ||||
| * jQuery jclock - Clock plugin - v 2.3.0 | ||||
| * http://plugins.jquery.com/project/jclock | ||||
| * | ||||
| * Copyright (c) 2007-2009 Doug Sparling <http://www.dougsparling.com> | ||||
| * Licensed under the MIT License: | ||||
| * http://www.opensource.org/licenses/mit-license.php | ||||
| */ | ||||
| (function($) { | ||||
|   | ||||
|   $.fn.jclock = function(options) { | ||||
|     var version = '2.3.0'; | ||||
|   | ||||
|     // options | ||||
|     var opts = $.extend({}, $.fn.jclock.defaults, options); | ||||
|           | ||||
|     return this.each(function() { | ||||
|       $this = $(this); | ||||
|       $this.timerID = null; | ||||
|       $this.running = false; | ||||
|   | ||||
|       // Record keeping for seeded clock | ||||
|       $this.increment = 0; | ||||
|       $this.lastCalled = new Date().getTime(); | ||||
|   | ||||
|       var o = $.meta ? $.extend({}, opts, $this.data()) : opts; | ||||
|   | ||||
|       $this.format = o.format; | ||||
|       $this.utc = o.utc; | ||||
|       // deprecate utc_offset (v 2.2.0) | ||||
|       $this.utcOffset = (o.utc_offset != null) ? o.utc_offset : o.utcOffset; | ||||
|       $this.seedTime = o.seedTime; | ||||
|       $this.timeout = o.timeout; | ||||
|   | ||||
|       $this.css({ | ||||
|         fontFamily: o.fontFamily, | ||||
|         fontSize: o.fontSize, | ||||
|         backgroundColor: o.background, | ||||
|         color: o.foreground | ||||
|       }); | ||||
|   | ||||
|       // %a | ||||
|       $this.daysAbbrvNames = new Array(7); | ||||
|       $this.daysAbbrvNames[0] = "Sun"; | ||||
|       $this.daysAbbrvNames[1] = "Mon"; | ||||
|       $this.daysAbbrvNames[2] = "Tue"; | ||||
|       $this.daysAbbrvNames[3] = "Wed"; | ||||
|       $this.daysAbbrvNames[4] = "Thu"; | ||||
|       $this.daysAbbrvNames[5] = "Fri"; | ||||
|       $this.daysAbbrvNames[6] = "Sat"; | ||||
|   | ||||
|       // %A | ||||
|       $this.daysFullNames = new Array(7); | ||||
|       $this.daysFullNames[0] = "Sunday"; | ||||
|       $this.daysFullNames[1] = "Monday"; | ||||
|       $this.daysFullNames[2] = "Tuesday"; | ||||
|       $this.daysFullNames[3] = "Wednesday"; | ||||
|       $this.daysFullNames[4] = "Thursday"; | ||||
|       $this.daysFullNames[5] = "Friday"; | ||||
|       $this.daysFullNames[6] = "Saturday"; | ||||
|   | ||||
|       // %b | ||||
|       $this.monthsAbbrvNames = new Array(12); | ||||
|       $this.monthsAbbrvNames[0] = "Jan"; | ||||
|       $this.monthsAbbrvNames[1] = "Feb"; | ||||
|       $this.monthsAbbrvNames[2] = "Mar"; | ||||
|       $this.monthsAbbrvNames[3] = "Apr"; | ||||
|       $this.monthsAbbrvNames[4] = "May"; | ||||
|       $this.monthsAbbrvNames[5] = "Jun"; | ||||
|       $this.monthsAbbrvNames[6] = "Jul"; | ||||
|       $this.monthsAbbrvNames[7] = "Aug"; | ||||
|       $this.monthsAbbrvNames[8] = "Sep"; | ||||
|       $this.monthsAbbrvNames[9] = "Oct"; | ||||
|       $this.monthsAbbrvNames[10] = "Nov"; | ||||
|       $this.monthsAbbrvNames[11] = "Dec"; | ||||
|   | ||||
|       // %B | ||||
|       $this.monthsFullNames = new Array(12); | ||||
|       $this.monthsFullNames[0] = "January"; | ||||
|       $this.monthsFullNames[1] = "February"; | ||||
|       $this.monthsFullNames[2] = "March"; | ||||
|       $this.monthsFullNames[3] = "April"; | ||||
|       $this.monthsFullNames[4] = "May"; | ||||
|       $this.monthsFullNames[5] = "June"; | ||||
|       $this.monthsFullNames[6] = "July"; | ||||
|       $this.monthsFullNames[7] = "August"; | ||||
|       $this.monthsFullNames[8] = "September"; | ||||
|       $this.monthsFullNames[9] = "October"; | ||||
|       $this.monthsFullNames[10] = "November"; | ||||
|       $this.monthsFullNames[11] = "December"; | ||||
|   | ||||
|       $.fn.jclock.startClock($this); | ||||
|   | ||||
|     }); | ||||
|   }; | ||||
|         | ||||
|   $.fn.jclock.startClock = function(el) { | ||||
|     $.fn.jclock.stopClock(el); | ||||
|     $.fn.jclock.displayTime(el); | ||||
|   } | ||||
|   | ||||
|   $.fn.jclock.stopClock = function(el) { | ||||
|     if(el.running) { | ||||
|       clearTimeout(el.timerID); | ||||
|     } | ||||
|     el.running = false; | ||||
|   } | ||||
|   | ||||
|   $.fn.jclock.displayTime = function(el) { | ||||
|     var time = $.fn.jclock.getTime(el); | ||||
|     el.html(time); | ||||
|     el.timerID = setTimeout(function(){$.fn.jclock.displayTime(el)},el.timeout); | ||||
|   } | ||||
|   | ||||
|   $.fn.jclock.getTime = function(el) { | ||||
|     if(typeof(el.seedTime) == 'undefined') { | ||||
|       // Seed time not being used, use current time | ||||
|       var now = new Date(); | ||||
|     } else { | ||||
|       // Otherwise, use seed time with increment | ||||
|       el.increment += new Date().getTime() - el.lastCalled; | ||||
|       var now = new Date(el.seedTime + el.increment); | ||||
|       el.lastCalled = new Date().getTime(); | ||||
|     } | ||||
|   | ||||
|     if(el.utc == true) { | ||||
|       var localTime = now.getTime(); | ||||
|       var localOffset = now.getTimezoneOffset() * 60000; | ||||
|       var utc = localTime + localOffset; | ||||
|       var utcTime = utc + (3600000 * el.utcOffset); | ||||
|       now = new Date(utcTime); | ||||
|     } | ||||
|   | ||||
|     var timeNow = ""; | ||||
|     var i = 0; | ||||
|     var index = 0; | ||||
|     while ((index = el.format.indexOf("%", i)) != -1) { | ||||
|       timeNow += el.format.substring(i, index); | ||||
|       index++; | ||||
|   | ||||
|       // modifier flag | ||||
|       //switch (el.format.charAt(index++)) { | ||||
|       //} | ||||
|        | ||||
|       var property = $.fn.jclock.getProperty(now, el, el.format.charAt(index)); | ||||
|       index++; | ||||
|        | ||||
|       //switch (switchCase) { | ||||
|       //} | ||||
|   | ||||
|       timeNow += property; | ||||
|       i = index | ||||
|     } | ||||
|   | ||||
|     timeNow += el.format.substring(i); | ||||
|     return timeNow; | ||||
|   }; | ||||
|   | ||||
|   $.fn.jclock.getProperty = function(dateObject, el, property) { | ||||
|   | ||||
|     switch (property) { | ||||
|       case "a": // abbrv day names | ||||
|           return (el.daysAbbrvNames[dateObject.getDay()]); | ||||
|       case "A": // full day names | ||||
|           return (el.daysFullNames[dateObject.getDay()]); | ||||
|       case "b": // abbrv month names | ||||
|           return (el.monthsAbbrvNames[dateObject.getMonth()]); | ||||
|       case "B": // full month names | ||||
|           return (el.monthsFullNames[dateObject.getMonth()]); | ||||
|       case "d": // day 01-31 | ||||
|           return ((dateObject.getDate() < 10) ? "0" : "") + dateObject.getDate(); | ||||
|       case "H": // hour as a decimal number using a 24-hour clock (range 00 to 23) | ||||
|           return ((dateObject.getHours() < 10) ? "0" : "") + dateObject.getHours(); | ||||
|       case "I": // hour as a decimal number using a 12-hour clock (range 01 to 12) | ||||
|           var hours = (dateObject.getHours() % 12 || 12); | ||||
|           return ((hours < 10) ? "0" : "") + hours; | ||||
|       case "m": // month number | ||||
|           return (((dateObject.getMonth() + 1) < 10) ? "0" : "") + (dateObject.getMonth() + 1); | ||||
|       case "M": // minute as a decimal number | ||||
|           return ((dateObject.getMinutes() < 10) ? "0" : "") + dateObject.getMinutes(); | ||||
|       case "p": // either `am' or `pm' according to the given time value, | ||||
|           // or the corresponding strings for the current locale | ||||
|           return (dateObject.getHours() < 12 ? "am" : "pm"); | ||||
|       case "P": // either `AM' or `PM' according to the given time value, | ||||
|           return (dateObject.getHours() < 12 ? "AM" : "PM"); | ||||
|       case "S": // second as a decimal number | ||||
|           return ((dateObject.getSeconds() < 10) ? "0" : "") + dateObject.getSeconds(); | ||||
|       case "y": // two-digit year | ||||
|           return dateObject.getFullYear().toString().substring(2); | ||||
|       case "Y": // full year | ||||
|           return (dateObject.getFullYear()); | ||||
|       case "%": | ||||
|           return "%"; | ||||
|     } | ||||
|   | ||||
|   } | ||||
|         | ||||
|   // plugin defaults (24-hour) | ||||
|   $.fn.jclock.defaults = { | ||||
|     format: '%H:%M:%S', | ||||
|     utcOffset: 0, | ||||
|     utc: false, | ||||
|     fontFamily: '', | ||||
|     fontSize: '', | ||||
|     foreground: '', | ||||
|     background: '', | ||||
|     seedTime: undefined, | ||||
|     timeout: 1000 // 1000 = one second, 60000 = one minute | ||||
|   }; | ||||
|   | ||||
| })(jQuery); | ||||
| $(document).ready(function(){ | ||||
| 	$('.jclock').jclock(); //l'horloge | ||||
| 		var tmp; | ||||
|  | ||||
| 	/* A helper function for converting a set of elements to draggables: */ | ||||
| 	make_draggable($('.jclock')); | ||||
|  | ||||
| var zIndex = 0; | ||||
|  | ||||
| function make_draggable(elements) | ||||
| { | ||||
| 	/* Elements is a jquery object: */ | ||||
| 	elements.draggable({ | ||||
| 		containment:'parent', | ||||
| 		start:function(e,ui){ ui.helper.css('z-index',++zIndex); }, | ||||
| 		stop:function(e,ui){ | ||||
|  | ||||
| 			/* Sending the z-index and positon of the note to update_position.php via AJAX GET: */ | ||||
| 			$.get('update_position_config.php',{ | ||||
| 				x		: ui.position.left, | ||||
| 				y		: ui.position.top, | ||||
| 				id		: ui.helper.attr('id') | ||||
| 			}); | ||||
| 		} | ||||
| 	});} | ||||
| }); | ||||
							
								
								
									
										13
									
								
								js/jquery.mousewheel-3.0.2.pack.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										13
									
								
								js/jquery.mousewheel-3.0.2.pack.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,13 @@ | ||||
| /*! Copyright (c) 2009 Brandon Aaron (http://brandonaaron.net) | ||||
|  * Dual licensed under the MIT (http://www.opensource.org/licenses/mit-license.php) | ||||
|  * and GPL (http://www.opensource.org/licenses/gpl-license.php) licenses. | ||||
|  * Thanks to: http://adomas.org/javascript-mouse-wheel/ for some pointers. | ||||
|  * Thanks to: Mathias Bank(http://www.mathias-bank.de) for a scope bug fix. | ||||
|  * | ||||
|  * Version: 3.0.2 | ||||
|  *  | ||||
|  * Requires: 1.2.2+ | ||||
|  */ | ||||
|  | ||||
| (function(b){function d(a){var f=[].slice.call(arguments,1),e=0;a=b.event.fix(a||window.event);a.type="mousewheel";if(a.wheelDelta)e=a.wheelDelta/120;if(a.detail)e=-a.detail/3;f.unshift(a,e);return b.event.handle.apply(this,f)}var c=["DOMMouseScroll","mousewheel"];b.event.special.mousewheel={setup:function(){if(this.addEventListener)for(var a=c.length;a;)this.addEventListener(c[--a],d,false);else this.onmousewheel=d},teardown:function(){if(this.removeEventListener)for(var a=c.length;a;)this.removeEventListener(c[--a], | ||||
| d,false);else this.onmousewheel=null}};b.fn.extend({mousewheel:function(a){return a?this.bind("mousewheel",a):this.trigger("mousewheel")},unmousewheel:function(a){return this.unbind("mousewheel",a)}})})(jQuery); | ||||
							
								
								
									
										130
									
								
								js/jquery.notes.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										130
									
								
								js/jquery.notes.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,130 @@ | ||||
| $(document).ready(function(){ | ||||
| 	$('.delete').css({"display":"none"});//initialisation des delete | ||||
|  | ||||
| //passage au dessus des notes | ||||
| 	$('.note').hover(function () { | ||||
|     		$(this).find('.delete').css({"display":"block"}); | ||||
|   	}, | ||||
|   	function () { | ||||
|     		$(this).find('.delete').css({"display":"none"}); | ||||
|  	}); | ||||
|  | ||||
| //click sur delete | ||||
| 	$('.delete').click(function(){ | ||||
| 		var data2 = {'id' : $(this).attr("id")}; | ||||
| 		$(this).replaceWith('<img src="images/ajax_load.gif" style="display:block" />'); | ||||
| 		/* Sending an AJAX POST request: */ | ||||
| 		$.post('ajax/delete-notes.php',data2,function(msg2){ | ||||
| 			if(parseInt(msg2)) | ||||
| 			{ | ||||
| 			msg2--; | ||||
| 			//alert(msg2); | ||||
| 			$(".note:eq("+msg2+")").fadeOut(); | ||||
| 			}	 | ||||
| 			 | ||||
| 			//$(this).parent('.note').hide(); | ||||
| 		}); | ||||
| 		}); | ||||
| 		 | ||||
| 	var tmp; | ||||
|  | ||||
| 	$('.note').each(function(){ | ||||
| 		/* Finding the biggest z-index value of the notes */ | ||||
|  | ||||
| 		tmp = $(this).css('z-index'); | ||||
| 		if(tmp>zIndex) zIndex = tmp; | ||||
| 	}) | ||||
|  | ||||
| 	/* A helper function for converting a set of elements to draggables: */ | ||||
| 	make_draggable($('.note')); | ||||
|  | ||||
| 	/* Configuring the fancybox plugin for the "Add a note" button: */ | ||||
| 	$("#addButton").fancybox({ | ||||
| 		'zoomSpeedIn'		: 600, | ||||
| 		'zoomSpeedOut'		: 500, | ||||
| 		'easingIn'			: 'easeOutBack', | ||||
| 		'easingOut'			: 'easeInBack', | ||||
| 		'hideOnContentClick': false, | ||||
| 		'padding'			: 15 | ||||
| 	}); | ||||
|  | ||||
| 	/* Listening for keyup events on fields of the "Add a note" form: */ | ||||
| 	$('.pr-body,.pr-author').live('keyup',function(e){ | ||||
|  | ||||
| 		if(!this.preview) | ||||
| 			this.preview=$('#previewNote'); | ||||
|  | ||||
| 		/* Setting the text of the preview to the contents of the input field, and stripping all the HTML tags: */ | ||||
| 		this.preview.find($(this).attr('class').replace('pr-','.')).html($(this).val().replace(/<[^>]+>/ig,'')); | ||||
| 	}); | ||||
|  | ||||
| 	/* Changing the color of the preview note: */ | ||||
| 	$('.color').live('click',function(){ | ||||
|  | ||||
| 		$('#previewNote').removeClass('yellow green blue').addClass($(this).attr('class').replace('color','')); | ||||
| 	}); | ||||
| 	/* The submit button: */ | ||||
| 	$('#note-submit').live('click',function(e){ | ||||
|  | ||||
| 		if($('.pr-body').val().length<4) | ||||
| 		{ | ||||
| 			alert("The note text is too short!") | ||||
| 			return false; | ||||
| 		} | ||||
|  | ||||
| 		/*if($('.pr-author').val().length<1) | ||||
| 		{ | ||||
| 			alert("You haven't entered your name!") | ||||
| 			return false; | ||||
| 		}*/ | ||||
|  | ||||
| 		$(this).replaceWith('<img src="images/ajax_load.gif" style="margin:30px auto;display:block" />'); | ||||
|  | ||||
| 		var data = { | ||||
| 			'zindex'	: ++zIndex, | ||||
| 			'body'		: $('.pr-body').val(), | ||||
| 			/*'author'		: $('.pr-author').val(),*/ | ||||
| 			'color'		: $.trim($('#previewNote').attr('class').replace('note','')) | ||||
| 		}; | ||||
|  | ||||
| 		/* Sending an AJAX POST request: */ | ||||
| 		$.post('ajax/post-notes.php',data,function(msg){ | ||||
|  | ||||
| 			if(parseInt(msg)) | ||||
| 			{ | ||||
| 				/* msg contains the ID of the note, assigned by MySQL's auto increment: */ | ||||
| 				var tmp = $('#previewNote').clone(); | ||||
| 				//tmp.find('.delete').attr('id',msg); | ||||
| 				tmp.find('span.data').text(msg).end().css({'z-index':zIndex,top:0,left:0}); | ||||
| 				tmp.appendTo('body'); | ||||
|  | ||||
| 				make_draggable(tmp) | ||||
| 			} | ||||
|  | ||||
| 			//$.fn.fancybox.close; | ||||
| 			$.fancybox.close(); | ||||
| 		}); | ||||
|  | ||||
| 		e.preventDefault(); | ||||
| 	}); | ||||
|  | ||||
| var zIndex = 0; | ||||
|  | ||||
| function make_draggable(elements) | ||||
| { | ||||
| 	/* Elements is a jquery object: */ | ||||
| 	elements.draggable({ | ||||
| 		containment:'parent', | ||||
| 		start:function(e,ui){ ui.helper.css('z-index',++zIndex); }, | ||||
| 		stop:function(e,ui){ | ||||
|  | ||||
| 			/* Sending the z-index and positon of the note to update_position.php via AJAX GET: */ | ||||
| 			$.get('ajax/update_position.php',{ | ||||
| 				x		: ui.position.left, | ||||
| 				y		: ui.position.top, | ||||
| 				z		: zIndex, | ||||
| 				id		: parseInt(ui.helper.find('span.data').html()) | ||||
| 			}); | ||||
| 		} | ||||
| 	});} | ||||
| }); | ||||
							
								
								
									
										25
									
								
								js/jquery.weather.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										25
									
								
								js/jquery.weather.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,25 @@ | ||||
| $(document).ready(function(){ | ||||
| 	var tmp; | ||||
|  | ||||
| 	/* A helper function for converting a set of elements to draggables: */ | ||||
| 	make_draggable($('#weather')); | ||||
|  | ||||
| var zIndex = 0; | ||||
|  | ||||
| function make_draggable(elements) | ||||
| { | ||||
| 	/* Elements is a jquery object: */ | ||||
| 	elements.draggable({ | ||||
| 		containment:'parent', | ||||
| 		start:function(e,ui){ ui.helper.css('z-index',++zIndex); }, | ||||
| 		stop:function(e,ui){ | ||||
|  | ||||
| 			/* Sending the z-index and positon of the note to update_position.php via AJAX GET: */ | ||||
| 			$.get('ajax/update_position_config.php',{ | ||||
| 				x		: ui.position.left, | ||||
| 				y		: ui.position.top, | ||||
| 				id		: ui.helper.attr('id') | ||||
| 			}); | ||||
| 		} | ||||
| 	});} | ||||
| }); | ||||
							
								
								
									
										75
									
								
								js/jquery.xdomainajax.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										75
									
								
								js/jquery.xdomainajax.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,75 @@ | ||||
| /** | ||||
|  | ||||
|  * jQuery.ajax mid - CROSS DOMAIN AJAX  | ||||
|  | ||||
|  * --- | ||||
|  | ||||
|  * @author James Padolsey (http://james.padolsey.com) | ||||
|  | ||||
|  * @version 0.11 | ||||
|  | ||||
|  * @updated 12-JAN-10 | ||||
|  | ||||
|  * --- | ||||
|  | ||||
|  * Note: Read the README! | ||||
|  | ||||
|  * --- | ||||
|  | ||||
|  * @info http://james.padolsey.com/javascript/cross-domain-requests-with-jquery/ | ||||
|  | ||||
|  */ | ||||
|  | ||||
|  | ||||
|  | ||||
| jQuery.ajax = (function(_ajax){ | ||||
|  | ||||
|      | ||||
|  | ||||
|     var protocol = location.protocol, | ||||
|  | ||||
|         hostname = location.hostname, | ||||
|  | ||||
|         exRegex = RegExp(protocol + '//' + hostname), | ||||
|  | ||||
|         YQL = 'http' + (/^https/.test(protocol)?'s':'') + '://query.yahooapis.com/v1/public/yql?callback=?', | ||||
|  | ||||
|         query = 'select * from html where url="{URL}" and xpath="*"'; | ||||
|  | ||||
|      | ||||
|  | ||||
|     function isExternal(url) { | ||||
|  | ||||
|         return !exRegex.test(url) && /:\/\//.test(url); | ||||
|  | ||||
|     } | ||||
|  | ||||
|      | ||||
|  | ||||
|     return function(o) { | ||||
|  | ||||
|          | ||||
|  | ||||
|         var url = o.url; | ||||
|  | ||||
|          | ||||
|  | ||||
|         if ( /get/i.test(o.type) && !/json/i.test(o.dataType) && isExternal(url) ) { | ||||
|  | ||||
|              | ||||
|  | ||||
|             // Manipulate options so that JSONP-x request is made to YQL | ||||
|  | ||||
|              | ||||
|  | ||||
|             o.url = YQL; | ||||
|  | ||||
|             o.dataType = 'json'; | ||||
|  | ||||
|              | ||||
|  | ||||
|             o.data = { | ||||
|  | ||||
|                 q: query.replace( | ||||
|  | ||||
|                     '{URL}', | ||||
							
								
								
									
										78
									
								
								js/main.js
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										78
									
								
								js/main.js
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,78 @@ | ||||
| 	function spawnLink(link) { | ||||
| 		var url = link.href; | ||||
| 		return spawnURL(url); | ||||
| 	} | ||||
|   | ||||
| 	function spawnURL(url) { | ||||
| 		var w = window.open(); | ||||
| 		w.opener = null; | ||||
| 		w.document.write('<meta http-equiv="refresh" content="0;'  + url + '">'); | ||||
| 		w.document.close(); | ||||
| 		return false; | ||||
| 	} | ||||
|   | ||||
| 	function openContactList() | ||||
| 	{ | ||||
| 		window.open("https://hostedtalkgadget.google.com/talkgadget/popout?nav=true#", "Buddy List", "menubar=0,resizable=0,width=320,height=360") | ||||
| 	} | ||||
|   | ||||
| 	function openTodo() | ||||
| 	{ | ||||
| 		window.open("http://www.rememberthemilk.com", "ToDo List", "menubar=0,resizable=0,width=870,height=450") | ||||
| 	} | ||||
|   | ||||
| 	function openCalendar() | ||||
| 	{ | ||||
| 		window.open("https://www.google.com/calendar/gp?hl=en", "Calendar", "menubar=0,resizable=0,width=320,height=360") | ||||
| 	} | ||||
| 	 | ||||
| 	function openNotepad() | ||||
| 	{ | ||||
| 		window.open("notepad.html", "Notepad", "menubar=0,resizable=0,width=320,height=360") | ||||
| 	} | ||||
| 	 | ||||
| 	function openCalculator() | ||||
| 	{ | ||||
| 		window.open("calculator.html", "Calc", "menubar=0,resizable=0,width=320,height=360") | ||||
| 	}  | ||||
| $(document).ready(function(){ | ||||
| 	$("#q").focus(); //focus sur la recherche | ||||
| 	//$('.iconlist').sortable(); | ||||
| 	$('#config-menu').fancybox({ | ||||
| 		'zoomSpeedIn'		: 600, | ||||
| 		'zoomSpeedOut'		: 500, | ||||
| 		'easingIn'			: 'easeOutBack', | ||||
| 		'easingOut'			: 'easeInBack', | ||||
| 		'hideOnContentClick': false, | ||||
| 		'padding'			: 15 | ||||
| 	}); | ||||
| 	$('#blog-links-manager').fancybox({ | ||||
| 		'zoomSpeedIn'		: 600, | ||||
| 		'zoomSpeedOut'		: 500, | ||||
| 		'easingIn'			: 'easeOutBack', | ||||
| 		'easingOut'			: 'easeInBack', | ||||
| 		'hideOnContentClick': false, | ||||
| 		'padding'			: 15 | ||||
| 	}); | ||||
| 	$('#config-submit').live('click',function(e){ | ||||
| 		$(this).replaceWith('<img src="images/ajax_load.gif" style="margin:30px auto;display:block" />'); | ||||
| 		var data3 = { | ||||
| 			'clock' 	: $('input[type=radio][name=clock_group]:checked').attr('value'), | ||||
| 			'meteo'		: $('input[type=radio][name=meteo_group]:checked').attr('value'), | ||||
| 			'notes'		: $('input[type=radio][name=notes_group]:checked').attr('value'), | ||||
| 			'search' 	: $('input[type=radio][name=search_group]:checked').attr('value'), | ||||
| 			'links'		: $('input[type=radio][name=links_group]:checked').attr('value'), | ||||
| 			'blogs'		: $('input[type=radio][name=blogs_group]:checked').attr('value') | ||||
| 		}; | ||||
| 		/* Sending an AJAX POST request: */ | ||||
| 		$.post('ajax/post-config.php',data3,function(msg3){ | ||||
| 			if(msg3=="1"){ | ||||
| 				location.reload(); | ||||
| 			}			 | ||||
| 		}); | ||||
| 		e.preventDefault(); | ||||
| 	}); | ||||
| 	 | ||||
| 	 | ||||
| 	 | ||||
| }); | ||||
		Reference in New Issue
	
	Block a user
	 Chouchen
					Chouchen