Creation of the world

This commit is contained in:
Chouchen 2010-09-14 21:38:29 +00:00
parent 5a50cdb2e4
commit 08469447cb
108 changed files with 4685 additions and 0 deletions

1
.htaccess Normal file
View File

@ -0,0 +1 @@
php 1

251
CURL.php Normal file
View File

@ -0,0 +1,251 @@
<?php
/**
* OO cURL Class
* Object oriented wrapper for the cURL library.
* @author David Hopkins (semlabs.co.uk)
* @version 0.3
*/
class CURL
{
public $sessions = array();
public $retry = 0;
/**
* Adds a cURL session to stack
* @param $url string, session's URL
* @param $opts array, optional array of cURL options and values
*/
public function addSession( $url, $opts = false )
{
$this->sessions[] = curl_init( $url );
if( $opts != false )
{
$key = count( $this->sessions ) - 1;
$this->setOpts( $opts, $key );
}
}
/**
* Sets an option to a cURL session
* @param $option constant, cURL option
* @param $value mixed, value of option
* @param $key int, session key to set option for
*/
public function setOpt( $option, $value, $key = 0 )
{
curl_setopt( $this->sessions[$key], $option, $value );
}
/**
* Sets an array of options to a cURL session
* @param $options array, array of cURL options and values
* @param $key int, session key to set option for
*/
public function setOpts( $options, $key = 0 )
{
curl_setopt_array( $this->sessions[$key], $options );
}
/**
* Executes as cURL session
* @param $key int, optional argument if you only want to execute one session
*/
public function exec( $key = false )
{
$no = count( $this->sessions );
if( $no == 1 )
$res = $this->execSingle();
elseif( $no > 1 ) {
if( $key === false )
$res = $this->execMulti();
else
$res = $this->execSingle( $key );
}
if( $res )
return $res;
}
/**
* Executes a single cURL session
* @param $key int, id of session to execute
* @return array of content if CURLOPT_RETURNTRANSFER is set
*/
public function execSingle( $key = 0 )
{
if( $this->retry > 0 )
{
$retry = $this->retry;
$code = 0;
while( $retry >= 0 && ( $code[0] == 0 || $code[0] >= 400 ) )
{
$res = curl_exec( $this->sessions[$key] );
$code = $this->info( $key, CURLINFO_HTTP_CODE );
$retry--;
}
}
else
$res = curl_exec( $this->sessions[$key] );
return $res;
}
/**
* Executes a stack of sessions
* @return array of content if CURLOPT_RETURNTRANSFER is set
*/
public function execMulti()
{
$mh = curl_multi_init();
#Add all sessions to multi handle
foreach ( $this->sessions as $i => $url )
curl_multi_add_handle( $mh, $this->sessions[$i] );
do
$mrc = curl_multi_exec( $mh, $active );
while ( $mrc == CURLM_CALL_MULTI_PERFORM );
while ( $active && $mrc == CURLM_OK )
{
if ( curl_multi_select( $mh ) != -1 )
{
do
$mrc = curl_multi_exec( $mh, $active );
while ( $mrc == CURLM_CALL_MULTI_PERFORM );
}
}
if ( $mrc != CURLM_OK )
echo "Curl multi read error $mrc\n";
#Get content foreach session, retry if applied
foreach ( $this->sessions as $i => $url )
{
$code = $this->info( $i, CURLINFO_HTTP_CODE );
if( $code[0] > 0 && $code[0] < 400 )
$res[] = curl_multi_getcontent( $this->sessions[$i] );
else
{
if( $this->retry > 0 )
{
$retry = $this->retry;
$this->retry -= 1;
$eRes = $this->execSingle( $i );
if( $eRes )
$res[] = $eRes;
else
$res[] = false;
$this->retry = $retry;
echo '1';
}
else
$res[] = false;
}
curl_multi_remove_handle( $mh, $this->sessions[$i] );
}
curl_multi_close( $mh );
return $res;
}
/**
* Closes cURL sessions
* @param $key int, optional session to close
*/
public function close( $key = false )
{
if( $key === false )
{
foreach( $this->sessions as $session )
curl_close( $session );
}
else
curl_close( $this->sessions[$key] );
}
/**
* Remove all cURL sessions
*/
public function clear()
{
foreach( $this->sessions as $session )
curl_close( $session );
unset( $this->sessions );
}
/**
* Returns an array of session information
* @param $key int, optional session key to return info on
* @param $opt constant, optional option to return
*/
public function info( $key = false, $opt = false )
{
if( $key === false )
{
foreach( $this->sessions as $key => $session )
{
if( $opt )
$info[] = curl_getinfo( $this->sessions[$key], $opt );
else
$info[] = curl_getinfo( $this->sessions[$key] );
}
}
else
{
if( $opt )
$info[] = curl_getinfo( $this->sessions[$key], $opt );
else
$info[] = curl_getinfo( $this->sessions[$key] );
}
return $info;
}
/**
* Returns an array of errors
* @param $key int, optional session key to retun error on
* @return array of error messages
*/
public function error( $key = false )
{
if( $key === false )
{
foreach( $this->sessions as $session )
$errors[] = curl_error( $session );
}
else
$errors[] = curl_error( $this->sessions[$key] );
return $errors;
}
/**
* Returns an array of session error numbers
* @param $key int, optional session key to retun error on
* @return array of error codes
*/
public function errorNo( $key = false )
{
if( $key === false )
{
foreach( $this->sessions as $session )
$errors[] = curl_errno( $session );
}
else
$errors[] = curl_errno( $this->sessions[$key] );
return $errors;
}
}
?>

41
addSite.php Normal file
View File

@ -0,0 +1,41 @@
<?
$url = $_POST['newLink'];
if($url == '' || !isset($_POST['newLink']))
header('Location: index.php');
?>
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
<link rel="SHORTCUT ICON" href="../favicon.ico"/>
<link rel="stylesheet" type="text/css" href="css/main.css">
<link rel="stylesheet" type="text/css" href="css/jquery.fancybox-1.3.0.css">
<script type="text/javascript" src="js/jquery-1.3.1.min.js"></script>
<script type="text/javascript" src="http://ajax.googleapis.com/ajax/libs/jqueryui/1.7.2/jquery-ui.min.js"></script>
<title>Ma Page d'accueil</title>
<style>img{max-width:100px;max-height:100px;padding:5px;} img:hover{border:5px solid #00AAFF;padding:0;}</style>
<script>
$(document).ready(function(){
$('.choose').click(function(){
var id = $(this).attr('id');
var url = "<?=$url?>";
var name = 'test';
$.post('addSiteXML.php', {number: id, url: url, name: name}, function(data){
document.location.href="index.php"
});
});
});
</script>
</head>
<body>
<?
echo 'URL : '.$url.'<br/>';
require('blogs_last_post.php');
$opts = array(CURLOPT_RETURNTRANSFER => true, CURLOPT_FOLLOWLOCATION => true, CURLOPT_TIMEOUT => 10);
$blogs = new Blogs_last_post();
$blogs->addSession($url, $opts);
$result = $blogs->exec();
echo $blogs->getAllImagesToChoose($result);
$blogs->clear();

26
add_note.html Normal file
View File

@ -0,0 +1,26 @@
<h3 class="popupTitle">Add a new note</h3>
<!-- The preview: -->
<div id="previewNote" class="note yellow" style="left:0;top:65px;z-index:1">
<div class="delete"></div>
<div class="body"></div>
<div class="author"></div>
<span class="data"></span>
</div>
<div id="noteData"> <!-- Holds the form -->
<form action="" method="post" class="note-form">
<label for="note-body">Texte de la note</label>
<textarea name="note-body" id="note-body" class="pr-body" cols="30" rows="6"></textarea>
<label>Couleur</label> <!-- Clicking one of the divs changes the color of the preview -->
<div class="color yellow"></div>
<div class="color blue"></div>
<div class="color green"></div>
<!-- The green submit button: -->
<a id="note-submit" href="" class="green-button">Enregistrer</a>
</form>
</div>

25
ajax/addSiteXML.php Normal file
View File

@ -0,0 +1,25 @@
<?
$number = $_POST['number'];
$url = $_POST['url'];
$name = $_POST['name'];
$nb = 1;
$xmla = simplexml_load_file('../db/blog_links.xml');
$test = $xmla->note;
$field_count = count($test);
for($i=0;$i<$field_count;$i++){
if($nb <= $test[$i]['id']) $nb = $test[$i]['id']+1;
}
$newnote = $xmla->addChild('link');
$newnote->addChild('name', $name);
$newnote->addChild('number', $number);
$newnote->addChild('url', $url);
$xmla->asXML('../db/blog_links.xml');
echo $nb;
?>

25
ajax/delete-notes.php Normal file
View File

@ -0,0 +1,25 @@
<?// Escaping the input data:
$rid = $_POST['id'];
$explodeid = explode("-",$rid);
$id = intval($explodeid[1]);
$xmla = simplexml_load_file('../db/notes.xml');
$target = false;
$i = 0;
foreach ($xmla->note as $s) {
if ($s['id']==$id) { $target = $i; break; }
$i++;
}
if ($target !== false) {
unset($xmla->note[$target]);
}
$xmla->asXML('../db/notes.xml');
$target++;
echo $target;
?>

21
ajax/post-config.php Normal file
View File

@ -0,0 +1,21 @@
<?// Escaping the input data:
$clock = $_POST['clock'];
$meteo = $_POST['meteo'];
$notes = $_POST['notes'];
$search = $_POST['search'];
$links = $_POST['links'];
$blogs = $_POST['blogs'];
$xmla = simplexml_load_file('../db/config.xml');
$config_xml = $xmla->item;
$config_xml[0]->visibility = $clock;
$config_xml[1]->visibility = $meteo;
$config_xml[2]->visibility = $notes;
$config_xml[3]->visibility = $search;
$config_xml[4]->visibility = $links;
$config_xml[5]->visibility = $blogs;
$xmla->asXML('../db/config.xml');
echo "1";
?>

29
ajax/post-notes.php Normal file
View File

@ -0,0 +1,29 @@
<?// Escaping the input data:
$body = $_POST['body'];
$color = $_POST['color'];
$zindex = $_POST['zindex'];
$nb = 1;
$xmla = simplexml_load_file('../db/notes.xml');
$field_count = count($xmla->note);
/*foreach($xmla->note as $test){
if($nb < $test['id']){$nb=$test['id'];}
}*/
$test = $xmla->note;
for($i=0;$i<$field_count;$i++){
if($nb <= $test[$i]['id']) $nb = $test[$i]['id']+1;
}
$newnote = $xmla->addChild('note');
$newnote->addAttribute("id", $nb);
$newnote->addChild('text', $body);
$newnote->addChild('color', $color);
$newnote->addChild('zindex', $zindex);
$newnote->addChild('top', '0');
$newnote->addChild('left', '0');
$xmla->asXML('../db/notes.xml');
echo $nb;
?>

21
ajax/saveTodoist.php Normal file
View File

@ -0,0 +1,21 @@
<?
$xmla = simplexml_load_file('../db/todoist.xml');
if(isset($_GET['token'])){
$token = trim($_GET['token']);
$xmla->addChild("token", $token);
$xmla->asXML('../db/todoist.xml');
echo $token;
}else if(isset($_GET['name']) && isset($_GET['id'])){
$name = trim($_GET['name']);
$id = trim($_GET['id']);
$xmla->addChild("name", $name);
$xmla->addChild("id", $id);
$xmla->asXML('../db/todoist.xml');
echo $id;
}

22
ajax/update_position.php Normal file
View File

@ -0,0 +1,22 @@
<?php // Error reporting error_reporting(E_ALL^E_NOTICE);
// Validating the input data: if(!is_numeric($_GET['id']) || !is_numeric($_GET['x']) || !is_numeric($_GET['y']) || !is_numeric($_GET['z'])) die("0");
// Escaping: $id = (int)$_GET['id']; $x = (int)$_GET['x']; $y = (int)$_GET['y']; $z = (int)$_GET['z'];
// Saving the position and z-index of the note: $xmla = simplexml_load_file('../db/notes.xml');
$target = -1;
$i = 0;
foreach ($xmla->note as $s) {
if ($s['id']==$id) { $target = $i; break; }
$i++;
}
$xmla->note[$target]->top = $y;
$xmla->note[$target]->left = $x;
$xmla->note[$target]->zindex = $z;
$xmla->asXML('../db/notes.xml');
echo $target; ?>

View File

@ -0,0 +1,27 @@
<?php // Error reporting error_reporting(E_ALL^E_NOTICE);
// Validating the input data: if(!is_numeric($_GET['x']) || !is_numeric($_GET['y'])) die("0");
// Escaping: $id = $_GET['id']; $x = (int)$_GET['x']; $y = (int)$_GET['y'];
// Saving the position and z-index of the note: $xmla = simplexml_load_file('../db/config.xml');
/*if($id == "weather"){
$xmla->item[1]->y = $y;
$xmla->item[1]->x = $x;
$target = 1;
echo $id;
}*/
$target = -1;
$i = 0;
foreach ($xmla->item as $s) {
if ($s['id']==$id) { $target = $i; break; }
$i++;
}
$xmla->item[$target]->y = $y;
$xmla->item[$target]->x = $x;
$xmla->asXML('../db/config.xml');
echo $target; ?>

11
blogs.php Normal file
View File

@ -0,0 +1,11 @@
<?
require('blogs_last_post.php');
$opts = array(CURLOPT_RETURNTRANSFER => true, CURLOPT_FOLLOWLOCATION => true, CURLOPT_TIMEOUT => 10);
$blogs = new Blogs_last_post();
foreach($blogs->getLinks() as $link)
{
$blogs->addSession($link['url'], $opts);
}
echo $blogs->getEverything();
$blogs->clear();

177
blogs_last_post.php Normal file
View File

@ -0,0 +1,177 @@
<?
require('CURL.php');
class Blogs_last_post extends CURL{
private $_result;
/*private $listeImages = array(
0 => 0, // penelope
1 => 12, //explosm
2 => 0, // margaux
);
private $nomImages = array(
0 => 'PenelopeBagieu',
1 => 'CyanideAndHapiness',
2 => 'MargauxMotin',
);
public $link = array(
0 => 'http://www.penelope-jolicoeur.com/',
1 => 'http://www.explosm.net/comics/',
2 => 'http://margauxmotin.typepad.fr/',
);*/
private $link = array();
function getResult()
{
return $this->_result;
}
public function getLinks(){
if($linksXML = simplexml_load_file('db/blog_links.xml')){
foreach($linksXML->link as $individualLink){
$this->link[] = array('name'=>$individualLink->name, 'url'=>$individualLink->url, 'number'=>$individualLink->number);
}
return $this->link;
}
else
return;
}
function getTitles()
{
$xhtml = "";
try{
foreach($this->exec() as $result)
{
$xhtml .= $this->getTitle($result);
$xhtml .= '<br/>';
}
}catch(Exception $e)
{
$xhtml .= $this->error();
}
return $xhtml;
}
function getTitle($result = null, $url = null)
{
if(isset($result))
{
preg_match( "/<h3 class=\"entry-header\">(.*)<\/h3>/i", $result, $match );
if(isset($match[1]))
return utf8_decode(strip_tags($match[1]));
else{
preg_match( "/<title>(.*)<\/title>/i", $result, $title );
if(isset($title[1]))
return $title[1];
else
return 'Erreur : pas de titre de blog trouvé.';
}
}
//TODO en fonction de l'url et non du resultat du cURL
}
function getPost()
{
}
function createThumbnail($result, $title = 0)
{
if(isset($result))
{
preg_match_all( "#<img[^>]+src=['|\"](.*?)['|\"][^>]*>#i", $result, $match );
/*$ret = file_put_contents('match.txt', var_export($match,true), FILE_APPEND);
if ($ret === false)
{
echo 'erreur';
}*/
$number = $this->link[$title]['number'];
$title = $this->link[$title]['name'];
if(isset($match[1][(int)$number]))
{
$source = @imagecreatefromjpeg($match[1][(int)$number]);
if($source == false)
$source = @imagecreatefrompng($match[1][(int)$number]);
$wSource = @imagesx($source);
$hSource = @imagesy($source);
$destination = imagecreatetruecolor(50, 50);
@imagecopyresampled($destination, $source, 0, 0, 0, 0, 50, 50, $wSource, $hSource);
@imagepng($destination, 'images/blogs/'.$title.'.png');
return 'images/blogs/'.$title.'.png';
}
}
}
function getImages($notFromGetImage = false)
{
if($notFromGetImage){
//TODO stuff
}else{
$xhtml = "";
$i = 0;
try{
foreach($this->exec() as $result)
{
$xhtml .= '<img src="'.$this->createThumbnail($result, $i).'" />';
$xhtml .= '<br/>';
$i++;
}
}catch(Exception $e)
{
$xhtml .= $this->error();
}
return $xhtml;
}
}
function getAllImagesToChoose($result,$notFromGetImage = false)
{
if($notFromGetImage){
//TODO stuff
}else{
preg_match_all( "#<img[^>]+src=['|\"](.*?)['|\"][^>]*>#i", $result, $match );
$nbImages = count($match[1]);
$xhtml = 'Liste d\'images : <br/>';
for($i = 0; $i<$nbImages; $i++){
$xhtml .= '<img src="'.$match[1][$i].'" id="n-'.$i.'" class="choose"/><br/>';
}
return $xhtml;
}
}
function getEverything()
{
$temps_debut = microtime(true);
$xhtml = "";
$i = 0;
try{
foreach($this->exec() as $result)
{
$xhtml .= '<a href="'.$this->link[$i]['url'].'" target="_blank" class="blogLinks"><img src="'.$this->createThumbnail($result, $i).'" />&nbsp;&nbsp;'.utf8_encode($this->getTitle($result))."</a>";
$xhtml .= '<br/>';
$i++;
}
}catch(Exception $e)
{
$xhtml .= $this->error();
}
$temps_fin = microtime(true);
$xhtml .= 'Temps d\'execution : '.round($temps_fin - $temps_debut, 4).'s';
return $xhtml;
}
}

62
calculator.html Normal file
View File

@ -0,0 +1,62 @@
<html>
<head>
<title>Calculator</title>
<link rel="stylesheet" type="text/css" href="css/calculator.css"/>
</head>
<body>
<div id="calculator">
<div id="display">
<div id="display_cell">
<div id="display_scroll">
<table id="display_grid">
<col id="display_gutter"/>
<col id="display_main"/>
<col id="display_other"/>
<!-- the display lines go into this empty tbody -->
<tbody id="display_grid_body"/>
</table>
</div>
</div>
</div>
<div id="divide">
<div><button>+</button></div>
</div>
<div id="button_pad">
<table>
<tbody>
<tr>
<td><button id="kp_7" class="pad_button">7</button></td>
<td><button id="kp_8" class="pad_button">8</button></td>
<td><button id="kp_9" class="pad_button">9</button></td>
<td><button id="kp_div" class="pad_button round_pad_button">&divide;</button></td>
</tr>
<tr>
<td><button id="kp_4" class="pad_button">4</button></td>
<td><button id="kp_5" class="pad_button">5</button></td>
<td><button id="kp_6" class="pad_button">6</button></td>
<td><button id="kp_mul" class="pad_button round_pad_button">&times;</button></td>
</tr>
<tr>
<td><button id="kp_1" class="pad_button">1</button></td>
<td><button id="kp_2" class="pad_button">2</button></td>
<td><button id="kp_3" class="pad_button">3</button></td>
<td><button id="kp_sub" class="pad_button round_pad_button">&minus;</button></td>
</tr>
<tr>
<td><button id="kp_0" class="pad_button">0</button></td>
<td><button id="kp_dot" class="pad_button round_pad_button">.</button></td>
<td><button id="kp_eq" class="pad_button round_pad_button">=</button></td>
<td><button id="kp_add" class="pad_button round_pad_button">+</button></td>
</tr>
</tbody>
</table>
</div>
</div>
<script type="text/javascript" src="js/calculator.js"></script>
<script type="text/javascript">
var calculator = new Calculator();
window.addEventListener('load', calculator.init.bind(calculator), false);
</script>
</body>
</html>

12
config.php Normal file
View File

@ -0,0 +1,12 @@
<div id="config">
<form id="config_form" action="" method="post">
<h3>Modules configuration</h3><br/>
Clock module : <input type="radio" name="clock_group" value="true"<?if ($config_xml[0]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="clock_group" value="false"<?if ($config_xml[0]->visibility == "false"){echo " checked";}?> />false<br/><br/>
Meteo module : <input type="radio" name="meteo_group" value="true"<?if ($config_xml[1]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="meteo_group" value="false"<?if ($config_xml[1]->visibility == "false"){echo " checked";}?> />false<br/><br/>
Notes module : <input type="radio" name="notes_group" value="true"<?if ($config_xml[2]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="notes_group" value="false"<?if ($config_xml[2]->visibility == "false"){echo " checked";}?> />false<br/><br/>
Search module : <input type="radio" name="search_group" value="true"<?if ($config_xml[3]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="search_group" value="false"<?if ($config_xml[3]->visibility == "false"){echo " checked";}?> />false<br/><br/>
Links module : <input type="radio" name="links_group" value="true"<?if ($config_xml[4]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="links_group" value="false"<?if ($config_xml[4]->visibility == "false"){echo " checked";}?> />false<br/><br/>
Blogs module : <input type="radio" name="blogs_group" value="true"<?if ($config_xml[5]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="blogs_group" value="false"<?if ($config_xml[5]->visibility == "false"){echo " checked";}?> />false<br/><br/>
<a id="config-submit" href="" class="green-button">Enregistrer</a>
</form>
</div>

198
css/calculator.css Normal file
View File

@ -0,0 +1,198 @@
html, body {
margin: 0px;
padding: 0px;
}
body {
width: 100%;
height: 100%;
overflow: hidden;
}
#calculator {
height: 100%;
width: 100%;
display: table;
border-collapse: collapse;
background-color: #f8f8f8;
}
#display {
font-family: Courier;
display: table-row;
background-color: white;
}
#display_cell {
display: table-cell;
vertical-align: bottom;
background-image: -webkit-gradient(linear, left top, 15 top, from(#f3f3f3), color-stop(0.9, #f3f3f3), color-stop(0.9, white), to(white));
}
#display_scroll {
overflow: auto;
}
#display_grid {
font-size: 14px;
width: 100%;
}
#display_gutter {
width: 15px;
}
#display_grid .line_number {
font-size: 10px;
vertical-align: top;
font-family: arial;
font-weight:bold;
padding: 10px 0px;
}
#display_grid .expression_editor {
outline-style: none;
font-weight:bold;
font-size: 20px;
word-break: break-all;
}
#display_grid .expression_cell {
padding: 10px 0px;
}
#display_grid .result_cell {
padding: 10px 0px;
text-align: right;
vertical-align: bottom;
}
.result_display {
border-radius: 6px;
-moz-border-radius: 6px;
-webkit-border-radius: 6px;
padding: 0px 7px;
color: #4993d2;
background-color: #e6eef9;
font-family: arial;
font-weight:bold;
font-size: 16px;
}
#divide {
display: table-row;
height: 0.5em;
}
#divide > div {
border-top: 1px solid #d0d0d0;
border-bottom: 1px solid #d0d0d0;
}
#divide button {
border: 1px solid #f8f8f8;
display: block;
margin-right: auto;
margin-left: auto;
text-align: center;
font-size: xx-small;
background-color: #f8f8f8;
color: #909090;
cursor: hand;
}
#divide button:hover {
border: 1px solid #acacac;
border-radius: 6px;
-moz-border-radius: 6px;
-webkit-border-radius: 6px;
background: -webkit-gradient(linear, left top, left bottom, from(#fafafa), to(#d0d0d0));
}
#divide button:active {
background: -webkit-gradient(linear, left top, left bottom, from(#d0d0d0), to(#fafafa));
}
#button_pad {
display: table-row;
height: 130px;
}
#button_pad table {
border-collapse: collapse;
border-spacing: 0px;
margin: 5px auto;
border-style: none;
}
#button_pad table td {
padding: 0px;
}
.pad_button {
border-top: 1px solid #acacac;
border-left: 1px solid #acacac;
border-right: none;
border-bottom: none;
width: 45px;
height: 30px;
background: -webkit-gradient(linear, left top, left bottom, from(#fafafa), to(#d0d0d0));
font-weight: bold;
text-align: center;
cursor: hand;
font-size: small;
}
.round_pad_button {
border-radius: 20px;
-moz-border-radius: 20px;
-webkit-border-radius: 20px;
border: 1px solid #acacac;
width: 30px;
height: 28px;
margin: 1px 3px;
}
#kp_7 {
border-top-left-radius: 10px;
-moz-border-top-left-radius: 10px;
-webkit-border-top-left-radius: 10px;
}
#kp_9 {
border-top-right-radius: 10px;
-moz-border-top-right-radius: 10px;
-webkit-border-top-right-radius: 10px;
}
#kp_3 {
border-bottom-right-radius: 10px;
-moz-border-bottom-right-radius: 10px;
-webkit-border-bottom-right-radius: 10px;
}
#kp_0 {
border-bottom-right-radius: 10px;
border-bottom-left-radius: 10px;
-moz-border-bottom-right-radius: 10px;
-moz-border-bottom-left-radius: 10px;
-webkit-border-bottom-right-radius: 10px;
-webkit-border-bottom-left-radius: 10px;
}
#kp_9, #kp_6, #kp_3, #kp_0 {
border-right: 1px solid #acacac;
}
#kp_0, #kp_2, #kp_3 {
border-bottom: 1px solid #acacac;
}
#kp_eq {
border-bottom: 1px solid #acacac;
width: 40px;
}
.pad_button:active {
background: -webkit-gradient(linear, left top, left bottom, from(#d0d0d0), to(#fafafa));
}

152
css/clock.css Normal file
View File

@ -0,0 +1,152 @@
#fancyClock{
margin:40px auto;
height:100px;
/*border:1px solid #111111;*/
width:300px;
float:left;
}
#fancyClock:after{content: div;clear:both;}
.clock{
/* The .clock div. Created dynamically by jQuery */
background:url(../images/clock.png) top left no-repeat;
background-color:#FFF;
height:100px;
width:100px;
position:relative;
overflow:hidden;
float:left;
}
.clock .rotate{
/* There are two .rotate divs - one for each half of the background */
position:absolute;
width:100px;
height:100px;
top:0;
left:0;
}
.rotate.right{
display:none;
z-index:11;
}
.clock .bg, .clock .front{
width:50px;
height:100px;
background-color:#FFF;
position:absolute;
top:0;
}
.clock .display{
/* Holds the number of seconds, minutes or hours respectfully */
position:absolute;
width:100px;
font-family:"Lucida Sans Unicode", "Lucida Grande", sans-serif;
z-index:20;
color:#F5F5F5;
font-size:30px;
text-align:center;
top:33px;
left:0;
/* CSS3 text shadow: */
text-shadow:4px 4px 5px #333333;
}
/* The left part of the background: */
.clock .bg.left{ left:0; }
/* Individual styles for each color: */
.orange .bg.left{ background:url(../images/bg_orange.png) no-repeat left top; }
.green .bg.left{ background:url(../images/bg_green.png) no-repeat left top; }
.blue .bg.left{ background:url(../images/bg_blue.png) no-repeat left top; }
/* The right part of the background: */
.clock .bg.right{ left:100px; }
.orange .bg.right{ background:url(../images/bg_orange.png) no-repeat right top; }
.green .bg.right{ background:url(../images/bg_green.png) no-repeat right top; }
.blue .bg.right{ background:url(../images/bg_blue.png) no-repeat right top; }
.clock .front.left{
left:0;
z-index:10;
}

View File

@ -0,0 +1,333 @@
/*
* 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
*/
#fancybox-loading {
position: fixed;
top: 50%;
left: 50%;
height: 40px;
width: 40px;
margin-top: -20px;
margin-left: -20px;
cursor: pointer;
overflow: hidden;
background: transparent;
z-index: 1104;
display: none;
}
* html #fancybox-loading { /* IE6 */
position: absolute;
margin-top: 0;
}
#fancybox-loading div {
position: absolute;
top: 0;
left: 0;
width: 40px;
height: 480px;
background: transparent url('../images/fancy_loading.png') no-repeat;
}
#fancybox-overlay {
position: fixed;
top: 0;
left: 0;
bottom: 0;
right: 0;
background: #000;
z-index: 1100;
display: none;
}
* html #fancybox-overlay { /* IE6 */
position: absolute;
width: 100%;
}
#fancybox-tmp {
padding: 0;
margin: 0;
border: 0;
overflow: auto;
display: none;
}
#fancybox-wrap {
position: absolute;
top: 0;
left: 0;
margin: 0;
padding: 20px;
z-index: 1101;
display: none;
}
#fancybox-outer {
position: relative;
width: 100%;
height: 100%;
background: #FFF;
}
#fancybox-inner {
position: absolute;
top: 0;
left: 0;
width: 1px;
height: 1px;
padding: 0;
margin: 0;
outline: none;
overflow: hidden;
}
#fancybox-hide-sel-frame {
position: absolute;
top: 0;
left: 0;
width: 100%;
height: 100%;
background: transparent;
}
#fancybox-close {
position: absolute;
top: -15px;
right: -15px;
width: 32px;
height: 32px;
background: url('../images/fancy_close.png') top left no-repeat;
cursor: pointer;
z-index: 1103;
display: none;
}
#fancybox_error {
color: #444;
font: normal 12px/20px Arial;
}
#fancybox-content {
height: auto;
width: auto;
padding: 0;
margin: 0;
}
#fancybox-img {
width: 100%;
height: 100%;
padding: 0;
margin: 0;
border: none;
outline: none;
line-height: 0;
vertical-align: top;
-ms-interpolation-mode: bicubic;
}
#fancybox-frame {
position: relative;
width: 100%;
height: 100%;
border: none;
display: block;
}
#fancybox-title {
position: absolute;
bottom: 0;
left: 0;
font-family: Arial;
font-size: 12px;
z-index: 1102;
}
.fancybox-title-inside {
padding: 10px 0;
text-align: center;
color: #333;
}
.fancybox-title-outside {
padding-top: 5px;
color: #FFF;
text-align: center;
font-weight: bold;
}
.fancybox-title-over {
color: #FFF;
text-align: left;
}
#fancybox-title-over {
padding: 10px;
background: url('../images/fancy_title_over.png');
display: block;
}
#fancybox-title-wrap {
display: inline-block;
}
#fancybox-title-wrap span {
height: 32px;
float: left;
}
#fancybox-title-left {
padding-left: 15px;
background: transparent url('../images/fancy_title_left.png') repeat-x;
}
#fancybox-title-main {
font-weight: bold;
line-height: 29px;
background: transparent url('../images/fancy_title_main.png') repeat-x;
color: #FFF;
}
#fancybox-title-right {
padding-left: 15px;
background: transparent url('../images/fancy_title_right.png') repeat-x;
}
#fancybox-left, #fancybox-right {
position: absolute;
bottom: 0px;
height: 100%;
width: 35%;
cursor: pointer;
outline: none;
background-image: url('../images/blank.gif');
z-index: 1102;
display: none;
}
#fancybox-left {
left: 0px;
}
#fancybox-right {
right: 0px;
}
#fancybox-left-ico, #fancybox-right-ico {
position: absolute;
top: 50%;
left: -9999px;
width: 30px;
height: 30px;
margin-top: -15px;
cursor: pointer;
z-index: 1102;
display: block;
}
#fancybox-left-ico {
background: transparent url('../images/fancy_nav_left.png') no-repeat;
}
#fancybox-right-ico {
background: transparent url('../images/fancy_nav_right.png') no-repeat;
}
#fancybox-left:hover, #fancybox-right:hover {
visibility: visible; /* IE6 */
}
#fancybox-left:hover span {
left: 20px;
}
#fancybox-right:hover span {
left: auto;
right: 20px;
}
div.fancy-bg {
position: absolute;
padding: 0;
margin: 0;
border: 0;
z-index: 1001;
}
div#fancy-bg-n {
top: -20px;
left: 0;
width: 100%;
height: 20px;
background: transparent url('../images/fancy_shadow_n.png') repeat-x;
}
div#fancy-bg-ne {
top: -20px;
right: -20px;
width: 20px;
height: 20px;
background: transparent url('../images/fancy_shadow_ne.png') no-repeat;
}
div#fancy-bg-e {
top: 0;
right: -20px;
height: 100%;
width: 20px;
background: transparent url('../images/fancy_shadow_e.png') repeat-y;
}
div#fancy-bg-se {
bottom: -20px;
right: -20px;
width: 20px;
height: 20px;
background: transparent url('../images/fancy_shadow_se.png') no-repeat;
}
div#fancy-bg-s {
bottom: -20px;
left: 0;
width: 100%;
height: 20px;
background: transparent url('../fancy_shadow_s.png') repeat-x;
}
div#fancy-bg-sw {
bottom: -20px;
left: -20px;
width: 20px;
height: 20px;
background: transparent url('../images/fancy_shadow_sw.png') no-repeat;
}
div#fancy-bg-w {
top: 0;
left: -20px;
height: 100%;
width: 20px;
background: transparent url('../images/fancy_shadow_w.png') repeat-y;
}
div#fancy-bg-nw {
top: -20px;
left: -20px;
width: 20px;
height: 20px;
background: transparent url('../images/fancy_shadow_nw.png') no-repeat;
}

316
css/main.css Normal file
View File

@ -0,0 +1,316 @@
/* Google Menu StyleSheet*/
* {
margin: 0;
padding: 0;
}
body {
background: #FFFFFF;
font-family: "Droid Sans", Arial, Helvetica, sans-serif;
font-size: 12px;
color: #6B6B6B;
background:-webkit-gradient(linear, left top, left bottom, from(#fff), to(#ebeff9));
}
li a {
text-decoration: none;
}
a:link {color:#2D406D}
a:visited {color:#2D406D}
li.disabled {opacity:0.5;}
span.accelerator {
float:right;
color:#CCC;
padding-right:8px;
display:none;
}
li img {
width:16px;
height:16px;
border:none;
vertical-align:top;
}
.divider {
display:block;
font-size:1px;
border-width:0px;
border-style:solid;
border-top-width:1px;
margin:9px 0px 4px -2px;
border-color:#BFBFBF;
}
#googlemenu {
width: 100%;
padding: 0 0 0 0;
margin-left: 0px;
margin-top: 5px;
overflow:auto;
height:395px;
}
#googlemenu ul {
margin: 0;
padding: 0;
list-style: none;
}
#googlemenu li.item {
margin-top: 0px;
margin-bottom: 0px;
padding-left: 4px;
padding-top: 2px;
padding-bottom: 2px;
height:18px;
border-color:white;
border-width:1px;
line-height:20px;
border-left:none;
border-right:none;
background-color:rgba(235,239,249,0.0);
-webkit-transition: background-color 0.3s ease-out ;
}
#googlemenu li.item:hover {
background-color:#ebeff9;
border-color:#BFCDF6;
-webkit-transition: background-color 0s ease-out ;
}
#googlemenu li.disabled {
background-color:#fff;
}
#googlemenu li img {
margin-top: 2px;
margin-right:4px;
}
#googlemenu li.empty {
margin-top: 0px;
margin-bottom: 0px;
padding-left: 4px;
padding-top: 2px;
padding-bottom: 2px;
}
#googlemenu li.empty a:hover{
text-decoration:underline;
}
ul.iconlist li{
display:inline-block;
text-align:center;
font-weight:bold;
color:#2D406D;
}
ul.iconlist li a {
display:block;
padding:6px;
margin:0px;
text-align:center;
font-weight:bold;
/*background-color:rgba(235,239,249,0.0);*/
background-color:#FFFFFF;
cursor:pointer;
-webkit-border-radius: 10px;
width:96px;
/*height:86px;*/
height:66px;
-webkit-transition: background-color 0.3s ease-out ;
}
ul.iconlist li a:hover {
background-color:#ebeff9;
-webkit-transition: background-color 0s ease-out ;
}
ul.iconlist li.disabled a:hover {
background-color:white;
opacity:0.5;
}
ul.iconlist li.disabled a {
background-color:white;
opacity:0.5;
cursor:default;
}
ul.iconlist li a img{
x-webkit-transition: -webkit-transform 0.3s ease-out ;
}
ul.iconlist li a:hover img{
x-webkit-transform: scale(1.1);
x-webkit-transition: -webkit-transform 0.0s ease-out ;
}
ul.iconlist {
padding:5px;
}
ul.iconlist img{
width:64px;
height:64px;
margin-bottom:1px;
}
div.sidemenu{
xbackground:rgba(255,255,255,0.8);
x-webkit-border-radius: 5px;
xborder: 1px solid rgba(0,0,0,0.3);
x-webkit-box-shadow: 0px 3px 3px rgba(0, 0, 0, 0.15);
width:150px;
margin-left: 0px;
height:90%;
display:none;
float:left;
border-right:1px solid red;
}
div.appscontainer {
width:750px;
margin:20px auto;
padding:0px;
/*background:red;*/
-webkit-border-radius: 5px;
-moz-border-radius: 5px;
xmargin-left:160px;
background:rgba(255,255,255,0.8);
overflow:auto;
border: 1px solid rgba(0,0,0,0.3);
-webkit-box-shadow: 0px 3px 3px rgba(0, 0, 0, 0.15);
-moz-box-shadow: 0px 3px 3px rgba(0, 0, 0, 0.15);
}
hr {
border:none;
height:0px;
border-bottom:1px solid #eee;
}
.label {
float:Right;
padding-top:6px;
padding-right:6px;
color:#fff;
}
.fakelocation {
background:white;
height:38px;
background:-webkit-gradient(linear, left top, left bottom, from(#fff), to(#ebeff9));
border-bottom:1px solid #eee;
padding:0;
display:none;
}
a.getmore {
display:block;
text-align:right;
padding:10px;
}
div.url {
font-weight:normal;
opacity:0;
position:absolute;
text-align:center;
}
ul.iconlist li:hover div.url {
opacity:.5;
}
li.selected {
background-color:#D6DEF7 !important;
}
li.vseparator {
width:1px;
height:86px;
background-color:red;
}
.searchfield, #q {
padding:2px 2px 2px 5px;
font-size:19px;
background:-webkit-gradient(linear, left top, left bottom, from(#eee), to(#fff), color-stop(0.15, #fff));
margin:0px;
border:1px solid #ccc;
height:32px;
-webkit-border-bottom-left-radius:3px;
-webkit-border-top-left-radius:3px;
-moz-border-bottom-left-radius:3px;
-moz-border-top-left-radius:3px;
}
.searchbutton {
padding:2px 8px;
font-size:14px;
background:-webkit-gradient(linear, left top, left bottom, from(#fff), to(#eee));
margin:0 0 -1px 0;
-webkit-border-bottom-right-radius:3px;
-webkit-border-top-right-radius:3px;
-moz-border-bottom-right-radius:3px;
-moz-border-top-right-radius:3px;
border:1px solid #ccc;
height:32px;
}
#recherche{margin-top:70px;}
#config {width:300px;}
#config-menu, #blog-links-manager {width:100px; margin:0 auto; text-align:center;display:block;}
/* Green button class: */
a.green-button,a.green-button:visited{
color:black;
display:block;
font-size:10px;
font-weight:bold;
height:15px;
padding:6px 5px 4px;
text-align:center;
width:60px;
text-decoration:none;
text-shadow:1px 1px 1px #DDDDDD;
background:url(../images/button_green.png) no-repeat left top;
}
a.green-button:hover{
text-decoration:none;
background-position:left bottom;
}
.jclock {position:absolute; top:10px; right:10px;z-index:500; width:200px;background:#fff url(../images/clock.png) top left no-repeat; padding:5px 0 0 5px; width:59px; height:21px;}
#blogs {/*position:absolute; bottom:10px; left: 100px;*/padding:5px;width:350px;-webkit-border-radius: 5px;
-moz-border-radius: 5px;border: 1px solid rgba(0,0,0,0.3);
-webkit-box-shadow: 0px 3px 3px rgba(0, 0, 0, 0.15);
-moz-box-shadow: 0px 3px 3px rgba(0, 0, 0, 0.15);}
.blogLinks{
color:#2D406D;
font-weight:bold;
}
.blogLinks img{
vertical-align:middle;
}

1
css/neige.css Normal file
View File

@ -0,0 +1 @@
#weather .weatherpic{float:left; background:url(../images/pluie.png) top left no-repeat; width:53px; height:53px; margin-right:10px;}

118
css/note.css Normal file
View File

@ -0,0 +1,118 @@
.note{
height:150px;
padding:10px;
width:150px;
position:absolute;
overflow:hidden;
cursor:move;
font-family:Trebuchet MS,Tahoma,Myriad Pro,Arial,Verdana,sans-serif;
font-size:22px;
/* Adding a CSS3 shadow below the note, in the browsers which support it: */
-moz-box-shadow:2px 2px 0 #DDDDDD;
-webkit-box-shadow:2px 2px 0 #DDDDDD;
box-shadow:2px 2px 0 #DDDDDD;
}
#fancy_ajax .note{ cursor:default; }
/* Three styles for the notes: */
.yellow{
background-color:#FDFB8C;
border:1px solid #DEDC65;
}
.blue{
background-color:#A6E3FC;
border:1px solid #75C5E7;
}
.green{
background-color:#A5F88B;
border:1px solid #98E775;
}
/* Each note has a data span, which holds its ID */
span.data{ display:none; }
/* The "Add a note" button: */
#addButton{
position:absolute;
top:10px;
left:10;
}
.author{
/* The author name on the note: */
bottom:10px;
color:#666666;
font-family:Arial,Verdana,sans-serif;
font-size:12px;
position:absolute;
right:10px;
}
#main{
/* Contains all the notes and limits their movement: */
margin:0 auto;
position:relative;
width:980px;
height:500px;
z-index:10;
background:url(../images/add_a_note_help.gif) no-repeat left top;
}
h3.popupTitle{
border-bottom:1px solid #DDDDDD;
color:#666666;
font-size:24px;
font-weight:normal;
padding:0 0 5px;
}
#noteData{
/* The input form in the pop-up: */
height:200px;
margin:30px 0 0 200px;
width:350px;
}
.note-form label{
display:block;
font-size:10px;
font-weight:bold;
letter-spacing:1px;
text-transform:uppercase;
padding-bottom:3px;
}
.note-form textarea, .note-form input[type=text]{
background-color:#FCFCFC;
border:1px solid #AAAAAA;
font-family:Arial,Verdana,sans-serif;
font-size:16px;
height:60px;
padding:5px;
width:300px;
margin-bottom:10px;
}
.note-form input[type=text]{ height:auto; }
.color{
/* The color swatches in the form: */
cursor:pointer;
float:left;
height:10px;
margin:0 5px 0 0;
width:10px;
}
#note-submit{ margin:20px auto; }
.delete {display:none; height:16px; width:16px; background:url(../images/delete.png) top left no-repeat; position:absolute; top:5px; right:5px; z-index:9999;}
.delete:hover{cursor:pointer !important;}

1
css/nuage.css Normal file
View File

@ -0,0 +1 @@
#weather .weatherpic{float:left; background:url(../images/nuage.png) top left no-repeat; width:53px; height:53px; margin-right:10px;}

1
css/peunuage.css Normal file
View File

@ -0,0 +1 @@
#weather .weatherpic{float:left; background:url(../images/peu-nuageux.png) top left no-repeat; width:53px; height:53px; margin-right:10px;}

1
css/pluie.css Normal file
View File

@ -0,0 +1 @@
#weather .weatherpic{float:left; background:url(../images/pluie.png) top left no-repeat; width:53px; height:53px; margin-right:10px;}

1
css/soleil.css Normal file
View File

@ -0,0 +1 @@
#weather .weatherpic{float:left; background:url(../images/soleil.png) top left no-repeat; width:53px; height:53px; margin-right:10px;}

4
css/todo.css Normal file
View File

@ -0,0 +1,4 @@
#todoList {/*position:absolute; bottom:10px; left: 100px;*/padding:5px;width:350px;-webkit-border-radius: 5px;
-moz-border-radius: 5px;border: 1px solid rgba(0,0,0,0.3);
-webkit-box-shadow: 0px 3px 3px rgba(0, 0, 0, 0.15);
-moz-box-shadow: 0px 3px 3px rgba(0, 0, 0, 0.15);}

4
css/weather.css Normal file
View File

@ -0,0 +1,4 @@
#weather {position:absolute; top:10px; left: 100px;padding:5px;-webkit-border-radius: 5px;
-moz-border-radius: 5px;border: 1px solid rgba(0,0,0,0.3);
-webkit-box-shadow: 0px 3px 3px rgba(0, 0, 0, 0.15);
-moz-box-shadow: 0px 3px 3px rgba(0, 0, 0, 0.15);}

18
db/blog_links.xml Normal file
View File

@ -0,0 +1,18 @@
<?xml version="1.0"?>
<links>
<link>
<number>0</number>
<name>PenelopeBagieu</name>
<url>http://www.penelope-jolicoeur.com/</url>
</link>
<link>
<number>12</number>
<name>CyanideAndHapiness</name>
<url>http://www.explosm.net/comics/</url>
</link>
<link>
<number>0</number>
<name>MargauxMotin</name>
<url>http://margauxmotin.typepad.fr/</url>
</link>
<link><name>test</name><number>n-0</number><url>http://blog-de-vincent.blogspot.com/</url></link></links>

32
db/config.xml Normal file
View File

@ -0,0 +1,32 @@
<?xml version="1.0" encoding="utf-8"?>
<Config>
<item id="clock">
<visibility>false</visibility>
<x>950</x>
<y>42</y>
</item>
<item id="weather">
<visibility>true</visibility>
<x>488</x>
<y>658</y>
</item>
<item id="notes">
<visibility>true</visibility>
</item>
<item id="search">
<visibility>false</visibility>
</item>
<item id="links">
<visibility>true</visibility>
</item>
<item id="blogs">
<visibility>true</visibility>
<x>79</x>
<y>137</y>
</item>
<item id="todo">
<visibility>true</visibility>
<x>130</x>
<y>138</y>
</item>
</Config>

6
db/notes.xml Normal file
View File

@ -0,0 +1,6 @@
<?xml version="1.0" encoding="utf-8"?>
<Notes>
<note id="2"><text>Test de post-it.</text><color>green</color><zindex>1</zindex><top>153</top><left>53</left></note><note id="7"><text>/!\ C'est bien fait ? :)</text><color>yellow</color><zindex>1</zindex><top>85</top><left>1038</left></note><note id="10"><text>Des améliorations ?</text><color>yellow</color><zindex>1</zindex><top>264</top><left>1038</left></note><note id="11"><text>Application android pour les horaires et prix des trains à faire</text><color>blue</color><zindex>2</zindex><top>586</top><left>916</left></note></Notes>

4
db/todoist.xml Normal file
View File

@ -0,0 +1,4 @@
<?xml version="1.0"?>
<todo>
</todo>

18
getProjectsList.php Normal file
View File

@ -0,0 +1,18 @@
<?
$xmla = simplexml_load_file('todoist.xml');
if($xmla->token== '' || $xmla->token == null)
header('Location: index.php');
if($xmla->name == '' || $xmla->name == null):?>
<html>
<head>
<title>Todoist : getProjects</title>
<script type="text/javascript" src="http://ajax.googleapis.com/ajax/libs/jquery/1.4.2/jquery.min.js"></script>
<script type="text/javascript" src="js/getProjectsList.php?token=<?=$xmla->token?>"></script>
</head>
<body>
</body>
</html>
<? else:
header('Location: getUncompletedTasks.php');
endif;

12
getUncompletedTasks.php Normal file
View File

@ -0,0 +1,12 @@
<?
$xmla = simplexml_load_file('todoist.xml');
if($xmla->token== '' || $xmla->token == null)
header('Location: index.php');
if($xmla->id != '' || $xmla->id != null):
$token = $xmla->token;
$id = $xmla->id;?>
<script type="text/javascript" src="js/getUncompletedTasks.php?token=<?=$token?>&id=<?=$id?>"></script>
<? else:
header('Location: getProjectsList.php');
endif;

BIN
images/Gmovie.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 9.3 KiB

BIN
images/add.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 733 B

BIN
images/ajax_load.gif Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 673 B

BIN
images/banquepostale.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 13 KiB

BIN
images/blank.gif Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 43 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 4.0 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 4.4 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 3.7 KiB

BIN
images/blogs/test.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 3.7 KiB

BIN
images/button_green.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.5 KiB

BIN
images/calculator.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 12 KiB

BIN
images/calendar_128 (1).png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 9.4 KiB

BIN
images/calendar_128.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 9.4 KiB

BIN
images/clock.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 892 B

BIN
images/complete.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 781 B

BIN
images/contacts.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 11 KiB

BIN
images/delete.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 715 B

BIN
images/deviantART128.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 67 KiB

BIN
images/docs_128.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 10 KiB

BIN
images/facebook.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.0 KiB

BIN
images/fancy_close.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.5 KiB

BIN
images/fancy_loading.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 10 KiB

BIN
images/fancy_nav_left.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.4 KiB

BIN
images/fancy_nav_right.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.4 KiB

BIN
images/fancy_shadow_e.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 107 B

BIN
images/fancy_shadow_n.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 106 B

BIN
images/fancy_shadow_ne.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 347 B

BIN
images/fancy_shadow_nw.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 324 B

BIN
images/fancy_shadow_s.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 111 B

BIN
images/fancy_shadow_se.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 352 B

BIN
images/fancy_shadow_sw.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 340 B

BIN
images/fancy_shadow_w.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 103 B

BIN
images/fancy_title_left.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 503 B

BIN
images/fancy_title_main.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 96 B

BIN
images/fancy_title_over.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 70 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 506 B

BIN
images/getmore.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 454 B

BIN
images/gmail_128.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 8.4 KiB

BIN
images/mail-msn.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 16 KiB

BIN
images/mail-yahoo.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 14 KiB

BIN
images/netvibes.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 6.1 KiB

BIN
images/notepad.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 8.9 KiB

BIN
images/nuage.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.2 KiB

BIN
images/peu-nuageux.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.4 KiB

BIN
images/picasaweb_128.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 11 KiB

BIN
images/pluie.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.5 KiB

BIN
images/reader_128.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 21 KiB

BIN
images/societegenerale.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 6.3 KiB

BIN
images/soleil.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.3 KiB

BIN
images/tasks.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 12 KiB

BIN
images/twitter.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 4.1 KiB

BIN
images/voila.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 6.2 KiB

BIN
images/vp.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 7.2 KiB

BIN
images/vp128.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 3.6 KiB

BIN
images/youtube_128.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 12 KiB

164
index.php Normal file
View File

@ -0,0 +1,164 @@
<?
if($config = simplexml_load_file('db/config.xml')){
$config_xml = $config->item;
?>
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
<link rel="SHORTCUT ICON" href="favicon.ico"/>
<link rel="stylesheet" type="text/css" href="css/main.css">
<link rel="stylesheet" type="text/css" href="css/jquery.fancybox-1.3.0.css">
<script type="text/javascript" src="http://ajax.googleapis.com/ajax/libs/jquery/1.4.2/jquery.min.js"></script>
<script type="text/javascript" src="http://ajax.googleapis.com/ajax/libs/jqueryui/1.7.2/jquery-ui.min.js"></script>
<script type="text/javascript" src="js/jquery.fancybox-1.3.1.pack.js"></script>
<script type="text/javascript" src="js/main.js"></script>
<?if ($config_xml[0]->visibility == "true"){?>
<script type="text/javascript" src="js/jquery.jclock.js"></script>
<?}
if ($config_xml[2]->visibility == "true"){?>
<script type="text/javascript" src="js/jquery.notes.js"></script>
<link rel="stylesheet" type="text/css" href="css/note.css">
<?}
if ($config_xml[1]->visibility == "true"){
include 'meteo.php';
?><script type="text/javascript" src="js/jquery.weather.js"></script>
<link rel="stylesheet" type="text/css" href="css/weather.css"><?
}
if($config_xml[5]->visibility == "true")
echo '<script type="text/javascript" src="js/jquery.blogs.js"></script>';
if($config_xml[6]->visibility == "true")
echo '<link rel="stylesheet" type="text/css" href="css/todo.css">';
?>
<title>Ma Page d'accueil</title>
</head>
<body>
<?if ($config_xml[0]->visibility == "true"){?><div class="jclock" id="clock" style="left:<?echo $config_xml[0]->x;?>; top:<?echo $config_xml[0]->y;?>;"></div>
<?}?>
<?if ($config_xml[1]->visibility == "true"){?>
<div id="weather" style="left:<?echo $config_xml[1]->x;?>; top:<?echo $config_xml[1]->y;?>;">
<div class="weatherpic"></div>
<strong><?echo $present_weather;?></strong><br/>
<?echo $future_weather1;?><br/>
<?echo $future_weather2;?>
</div>
<?}?>
<?if ($config_xml[2]->visibility == "true"){?>
<a id="addButton" class="green-button" href="add_note.html">Add a note</a><?include 'notes_extract.php';?>
<?}?>
<?if($config_xml[3]->visibility == "true"){?>
<center>
<form method="get" action="http://www.google.fr/custom" target="_top" name="form" id="form">
<table bgcolor="#ffffff" id="recherche">
<tr><td nowrap="nowrap" valign="top" align="left" height="32">
<input type="text" name="q" id="q" size="31" maxlength="255" value=""></input>
<input type="submit" name="sa" value="Rechercher" class="searchbutton"></input>
<input type="hidden" name="client" value="pub-5878090856826866"></input>
<input type="hidden" name="forid" value="1"></input>
<input type="hidden" name="ie" value="ISO-8859-1"></input>
<input type="hidden" name="oe" value="ISO-8859-1"></input>
<input type="hidden" name="cof" value="GALT:#008000;GL:1;DIV:#336699;VLC:663399;AH:center;BGC:FFFFFF;LBGC:336699;ALC:0000FF;LC:0000FF;T:000000;GFNT:0000FF;GIMP:0000FF;FORID:1;"></input>
<input type="hidden" name="hl" value="fr"></input>
</td></tr></table>
</form>
</center>
<? }?>
<?if($config_xml[4]->visibility == "true"){?>
<div class="appscontainer">
<span class="label">Google Apps</span>
<ul class="iconlist">
<li class="item"><a href="http://mail.google.com" onclick="spawnLink(this);return false;"><img src="images/gmail_128.png" /><br>Gmail</a></li>
<li class="item"><a href="http://mail.live.com" onclick="spawnLink(this);return false;"><img src="images/mail-msn.png" /><br>Hotmail</a></li>
<li class="item"><a href="http://mail1.voila.fr/webmail/fr_FR/login.html" onclick="spawnLink(this);return false;"><img src="images/voila.png" /><br>Voila.fr mail</a></li>
<li class="item"><a href="http://calendar.google.com" onclick="spawnLink(this);return false;"><img src="images/calendar_128.png" /><br>Google&nbsp;Calendar</a></li>
<li class="item"><a href="http://reader.google.com" onclick="spawnLink(this);return false;"><img src="images/reader_128.png" /><br>Google Reader</a></li>
<li class="item"><a href="http://docs.google.com" onclick="return spawnLink(this);"><img src="images/docs_128.png" /><br>Google Docs</a></li>
</ul>
<hr>
<span class="label">Media</span>
<ul class="iconlist">
<li class="item"><a href="http://youtube.com" onclick="spawnLink(this);return false;"><img src="images/youtube_128.png" /><br>YouTube</a></li>
<li class="item"><a href="http://picasaweb.com" onclick="spawnLink(this);return false;"><img src="images/picasaweb_128.png" /><br>PicasaWeb</a></li>
<li class="item"><a href="http://www.netvibes.com" onclick="spawnLink(this);return false;"><img src="images/netvibes.png" /><br>Netvibes</a></li>
<li class="item"><a href="http://www.deviantart.com" onclick="spawnLink(this);return false;"><img src="images/deviantART128.png" /><br>DeviantArt</a></li>
<li class="item"><a href="https://www.labanquepostale.fr/index.html" onclick="spawnLink(this);return false;"><img src="images/banquepostale.png" /><br>Banque 1</a></li>
<li class="item"><a href="http://www.societegenerale.fr/" onclick="spawnLink(this);return false;"><img src="images/societegenerale.png" /><br>Banque 2</a></li>
</ul>
<hr>
<span class="label">Desk Accessories</span>
<ul class="iconlist">
<li class="item"><a href="javascript: openContactList()" ><img src="images/contacts.png" /><br>Contacts</a></li>
<li class="item"><a href="javascript: openCalculator();"><img src="images/calculator.png" width="16" height="16" /><br>Calculator</a></li>
<li class="item"><a href="javascript: openTodo();"><img src="images/tasks.png" width="16" height="16" /><br>To-do list</a></li>
<li class="item"><a href="javascript: openCalendar();"><img src="images/calendar_128.png" width="16" height="16" /><br>Calendar Panel</a></li>
<li class="item"><a href="javascript: openNotepad();"><img src="images/notepad.png" width="16" height="16" /><br>NotePad</a></li>
</ul>
<hr>
<span class="label">Entertainment</span>
<ul class="iconlist">
<li class="item"><a href="http://facebook.com" onclick="spawnLink(this);return false;"><img src="images/facebook.png" /><br>Facebook</a></li>
<li class="item"><a href="http://twitter.com" onclick="spawnLink(this);return false;"><img src="images/twitter.png" />Twitter</a></li>
<li class="item"><a href="http://fr.vente-privee.com/" onclick="spawnLink(this);return false;"><img src="images/vp128.png" />Ventes Privées</a></li>
<li class="item"><a href="http://www.google.fr/movies" onclick="spawnLink(this);return false;"><img src="images/Gmovie.png" />Horaires Ciné</a></li>
</ul>
<hr>
</div>
<?}?>
<a href="#config" id="config-menu">Configuration</a>
<div style="display:none;">
<div id="config">
<form id="config_form" action="" method="post">
<h3>Modules configuration</h3><br/>
<?=$config_xml[0]->attributes()?> module : <input type="radio" name="clock_group" value="true"<?if ($config_xml[0]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="clock_group" value="false"<?if ($config_xml[0]->visibility == "false"){echo " checked";}?> />false<br/><br/>
<?=$config_xml[1]->attributes()?> module : <input type="radio" name="meteo_group" value="true"<?if ($config_xml[1]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="meteo_group" value="false"<?if ($config_xml[1]->visibility == "false"){echo " checked";}?> />false<br/><br/>
<?=$config_xml[2]->attributes()?> module : <input type="radio" name="notes_group" value="true"<?if ($config_xml[2]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="notes_group" value="false"<?if ($config_xml[2]->visibility == "false"){echo " checked";}?> />false<br/><br/>
<?=$config_xml[3]->attributes()?> module : <input type="radio" name="search_group" value="true"<?if ($config_xml[3]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="search_group" value="false"<?if ($config_xml[3]->visibility == "false"){echo " checked";}?> />false<br/><br/>
<?=$config_xml[4]->attributes()?> module : <input type="radio" name="links_group" value="true"<?if ($config_xml[4]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="links_group" value="false"<?if ($config_xml[4]->visibility == "false"){echo " checked";}?> />false<br/><br/>
<?=$config_xml[5]->attributes()?> module : <input type="radio" name="blogs_group" value="true"<?if ($config_xml[5]->visibility == "true"){echo " checked";}?> />true&nbsp;&nbsp;<input type="radio" name="blogs_group" value="false"<?if ($config_xml[5]->visibility == "false"){echo " checked";}?> />false<br/><br/>
<a id="config-submit" href="" class="green-button">Enregistrer</a>
</form>
</div>
</div>
<?if($config_xml[5]->visibility == "true"){require('blogs_last_post.php');
echo '<a href="#blogLinksManager" id="blog-links-manager">Manage blog links</a>';?>
<div style="display:none;">
<div id="blogLinksManager">
<h3>Blogs Management</h3><br/>
<h4>Delete Site feed</h4>
<ul>
<?$blogs = new Blogs_last_post();
foreach($blogs->getLinks() as $link)
echo '<li>'.$link['url'].' <img src="images/delete.png" id="link-'.$link['name'].'"/></li>';?>
</ul>
<h4>Insert Site feed</h4>
<form action="addSite.php" method="POST">
<input type="text" id="newLink" name="newLink" value="url" />
<input type="submit" id="link-submit" class="green-button" value="Ajouter"></input>
</form>
</div>
</div>
<?}?>
<?if($config_xml[6]->visibility == "true"){
$xmla = simplexml_load_file('db/todoist.xml');
echo '<div id="todoList"></div>';
if($xmla->token== '' || $xmla->token == null || $xmla->id == '' || $xmla->id == null)
echo 'Impossible de trouver votre configuration. Merci de bien vouloir la recommencer.';
else{
$token = $xmla->token;
$id = $xmla->id;?>
<script type="text/javascript" src="js/getUncompletedTasks.php?token=<?=$token?>&id=<?=$id?>"></script>
<?}}?>
</body>
</html>
<?} else {die('Fichier de configuration non trouvé');}?>

537
js/calculator.js Normal file
View 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
View 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();
});
}
}
$(document).ready(function(){
var token = "<?=$token?>";
var script = document.createElement('script');
script.type = 'text/javascript';
script.src = 'https://todoist.com/API/getProjects?token='+token+'&format=json&callback=cbfunc';
document.getElementsByTagName('head')[0].appendChild(script);
});

View 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(){
var content = $('#newtask').val();
var date_string = $('#date_string').val();
var priority = $('#priority').val();
var script = document.createElement('script');
script.type = 'text/javascript';
script.src = 'https://todoist.com/API/addItem?project_id='+project_id+'&token='+token+'&content='+content+'&date_string='+date_string+'&priority='+priority+'&format=json&callback=cbfunc2';
document.getElementsByTagName('head')[0].appendChild(script);
});
$('.deleteTask').live('click', function(){
var id = $(this).attr('id');
arrayId = id.split('-');
var script = document.createElement('script');
script.type = 'text/javascript';
script.src = 'https://todoist.com/API/deleteItems?ids=["'+arrayId[1]+'"]&token='+token;
document.getElementsByTagName('head')[0].appendChild(script);
$('#'+arrayId[1]).remove();
});
$('.completeTask').live('click', function(){
var id = $(this).attr('id');
arrayId = id.split('-');
var script = document.createElement('script');
script.type = 'text/javascript';
script.src = 'https://todoist.com/API/completeItems?ids=["'+arrayId[1]+'"]&token='+token;
document.getElementsByTagName('head')[0].appendChild(script);
$('#'+arrayId[1]).remove();
});
});

21
js/index.js Normal file
View 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);
});
}
}
$(document).ready(function(){
$('#loginBtn').click(function(){
var email = $('#email').val();
var password = $('#password').val();
var script = document.createElement('script');
script.type = 'text/javascript';
script.src = 'https://todoist.com/API/login?email='+email+'&password='+password+'&format=json&callback=cbfunc';
document.getElementsByTagName('head')[0].appendChild(script);
});
});

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
View 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);
});
});

View 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.
*
*/

View 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()};
var d=k.width==m.width&&k.height==m.height;i.fadeOut(c.changeFade,function(){function f(){i.html(l.contents()).fadeIn(c.changeFade,L)}b.event.trigger("fancybox-change");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)}).empty().css("overflow","hidden");A.prop=0;b(A).animate({prop:1},{duration:d?0:c.changeSpeed,easing:c.easingChange,step:M,complete:f})})}else{g.css("opacity",1);if(c.transitionIn=="elastic"){k=S();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(l.contents());g.css(k).show();if(c.opacity)m.opacity=0;A.prop=0;b(A).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(m.width-c.padding*2,1),height:Math.max(m.height-c.padding*2-x,1)}).html(l.contents());g.css(m).fadeIn(c.transitionIn=="none"?0:c.speedIn,L)}}}function M(a){var d=Math.round(k.width+(m.width-k.width)*a),
f=Math.round(k.height+(m.height-k.height)*a),o=Math.round(k.top+(m.top-k.top)*a),u=Math.round(k.left+(m.left-k.left)*a);g.css({width:d+"px",height:f+"px",top:o+"px",left:u+"px"});d=Math.max(d-c.padding*2,0);f=Math.max(f-(c.padding*2+x*a),0);i.css({width:d+"px",height:f+"px"});if(typeof m.opacity!=="undefined")g.css("opacity",a<0.5?0.5:a)}function L(){i.css("overflow",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&&y.one("click",b.fancybox.close);c.showCloseButton&&z.show();X();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;Y()}function V(){var a=N(),d={},f=
c.margin,o=c.autoScale,u=(t+f)*2,w=(t+f)*2,p=c.padding*2;if(c.width.toString().indexOf("%")>-1){d.width=a[0]*parseFloat(c.width)/100-t*2;o=false}else d.width=c.width+p;if(c.height.toString().indexOf("%")>-1){d.height=a[1]*parseFloat(c.height)/100-t*2;o=false}else d.height=c.height+p;if(o&&(d.width>a[0]-u||d.height>a[1]-w))if(e.type=="image"||e.type=="swf"){u+=p;w+=p;o=Math.min(Math.min(a[0]-u,c.width)/c.width,Math.min(a[1]-w,c.height)/c.height);d.width=Math.round(o*(d.width-p))+p;d.height=Math.round(o*
(d.height-p))+p}else{d.width=Math.min(d.width,a[0]-u);d.height=Math.min(d.height,a[1]-w)}d.top=a[3]+(a[1]-(d.height+t*2))*0.5;d.left=a[2]+(a[0]-(d.width+t*2))*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}function S(){var a=e.orig?b(e.orig):false,d={};if(a&&a.length){a=Z(a);d={width:a.width+c.padding*2,height:a.height+c.padding*2,top:a.top-c.padding-t,left:a.left-c.padding-t}}else{a=N();d={width:1,height:1,top:a[3]+a[1]*0.5,left:a[2]+a[0]*0.5}}return d}
function X(){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)C.show();
if(c.cyclic&&j.length>1||n!=j.length-1)D.show()}}function Y(){if(j.length-1>n){var a=j[n+1].href;if(typeof a!=="undefined"&&a.match(I)){var d=new Image;d.src=a}}if(n>0){a=j[n-1].href;if(typeof a!=="undefined"&&a.match(I)){d=new Image;d.src=a}}}function $(){if(v.is(":visible")){b("div",v).css("top",O*-40+"px");O=(O+1)%12}else clearInterval(P)}function N(){return[b(window).width(),b(window).height(),b(document).scrollLeft(),b(document).scrollTop()]}function Z(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}function W(){b("#fancybox-title").remove();x=0;if(c.titleShow!=false){var a=c.title;a=b.isFunction(c.titleFormat)?c.titleFormat(a,j,n,c):aa(a);if(!(!a||a=="")){var d=m.width-c.padding*2;b('<div id="fancybox-title" class="'+("fancybox-title-"+c.titlePosition)+'" />').css({width:d,paddingLeft:c.padding,paddingRight:c.padding}).html(a).appendTo("body");
switch(c.titlePosition){case "inside":x=b("#fancybox-title").outerHeight(true)-c.padding;m.height+=x;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(E).hide();K&&b("#fancybox-title span").fixPNG()}}}function aa(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}function ba(){if(!b("#fancybox-wrap").length){b("body").append(l=b('<div id="fancybox-tmp"></div>'),v=b('<div id="fancybox-loading"><div></div></div>'),y=b('<div id="fancybox-overlay"></div>'),g=b('<div id="fancybox-wrap"></div>'));E=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);
E.append(i=b('<div id="fancybox-inner"></div>'),z=b('<a id="fancybox-close"></a>'),C=b('<a href="javascript:;" id="fancybox-left"><span class="fancy-ico" id="fancybox-left-ico"></span></a>'),D=b('<a href="javascript:;" id="fancybox-right"><span class="fancy-ico" id="fancybox-right-ico"></span></a>'));z.click(b.fancybox.close);v.click(b.fancybox.cancel);C.click(function(a){a.preventDefault();b.fancybox.prev()});D.click(function(a){a.preventDefault();b.fancybox.next()});b.support.opacity||E.find(".fancy-bg").fixPNG();
if(K){b(z.add(".fancy-ico").add("div",v)).fixPNG();y.get(0).style.setExpression("height","document.body.scrollHeight > document.body.offsetHeight ? document.body.scrollHeight : document.body.offsetHeight + 'px'");v.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'");E.prepend('<iframe id="fancybox-hide-sel-frame" src="javascript:\'\';" scrolling="no" frameborder="0" ></iframe>')}}}
var l,v,y,g,E,i,z,C,D,s=0,e={},q=[],n=0,c={},j=[],F=null,r=new Image,I=/\.(jpg|gif|png|bmp|jpeg)(.*)?$/i,T=/[^\.]\.(swf)\s*$/i,P,O=1,k,m,h=false,t=20,A=b.extend(b("<div/>")[0],{prop:0}),x=0,K=!b.support.opacity&&!window.XMLHttpRequest;b.fn.fixPNG=function(){return this.each(function(){var a=b(this).css("backgroundImage");if(a.match(/^url\(["']?(.*\.png)["']?\)$/i)){a=RegExp.$1;b(this).css({backgroundImage:"none",filter:"progid:DXImageTransform.Microsoft.AlphaImageLoader(enabled=true, sizingMethod="+
(b(this).css("backgroundRepeat")=="no-repeat"?"crop":"scale")+", src='"+a+"')"}).each(function(){var d=b(this).css("position");d!="absolute"&&d!="relative"&&b(this).css("position","relative")}).css("zoom",1)}})};b.fn.fancybox=function(a){b(this).data("fancybox",b.extend({},a));b(this).unbind("click.fb").bind("click.fb",function(d){d.preventDefault();if(!h){h=true;b(this).blur();q=[];s=0;d=b(this).attr("rel")||"";if(!d||d==""||d==="nofollow")q.push(this);else{q=b("a[rel="+d+"], area[rel="+d+"]");s=
q.index(this)}B();return false}});return this};b.fancybox=function(a,d){if(!h){h=true;q=[];s=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)}B()}};b.fancybox.showActivity=function(){clearInterval(P);v.show();P=setInterval($,
66)};b.fancybox.hideActivity=function(){v.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);if(a>-1&&j.length>a){s=a;B()}if(c.cyclic&&j.length>1&&a<0){s=j.length-1;B()}if(c.cyclic&&j.length>1&&a>=j.length){s=0;B()}}};b.fancybox.cancel=function(){if(!h){h=true;b.event.trigger("fancybox-cancel");H();e&&b.isFunction(e.onCancel)&&e.onCancel(q,s,e);h=false}};b.fancybox.close=function(){function a(){y.fadeOut("fast");
g.hide();b.event.trigger("fancybox-cleanup");i.empty();b.isFunction(c.onClosed)&&c.onClosed(j,n,c);j=e=[];n=s=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}H();b(z.add(C).add(D)).hide();b("#fancybox-title").remove();g.add(i).add(y).unbind();b(window).unbind("resize.fb scroll.fb");b(document).unbind("keydown.fb");i.css("overflow","hidden");if(c.transitionOut=="elastic"){k=S();var d=g.position();m={top:d.top,left:d.left,
width:g.width(),height:g.height()};if(c.opacity)m.opacity=1;A.prop=1;b(A).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(){if(!(h||g.is(":hidden"))){h=true;var a=i.wrapInner("<div style='overflow:auto'></div>").children(),d=a.height();g.css({height:d+c.padding*2+x});i.css({height:d});a.replaceWith(a.children());b.fancybox.center()}};b.fancybox.center=function(){h=true;var a=N(),d=c.margin,
f={};f.top=a[3]+(a[1]-(g.height()-x+t*2))*0.5;f.left=a[2]+(a[0]-(g.width()+t*2))*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(){ba()})})(jQuery);

1077
js/jquery.fancybox-1.3.1.js Normal file

File diff suppressed because it is too large Load Diff

View 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
View 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')
});
}
});}
});

Some files were not shown because too many files have changed in this diff Show More