Subversion Repositories eFlore/Applications.cel

Rev

Rev 1342 | Details | Compare with Previous | Last modification | View Log | RSS feed

Rev Author Line No. Line
1096 aurelien 1
/*+--------------------------------------------------------------------------------------------------------+*/
2
// PARAMÊTRES et CONSTANTES
3
// Mettre à true pour afficher les messages de débogage
4
var DEBUG = false;
5
var pointImageUrl = 'http://chart.apis.google.com/chart?cht=mm&chs=24x32&chco=FFFFFF,008CFF,000000&ext=.png';
6
var pointsOrigine = null;
7
var boundsOrigine = null;
8
var markerClusterer = null;
9
var map = null;
10
var infoBulle = new google.maps.InfoWindow();
11
var pointClique = null;
12
var carteCentre = new google.maps.LatLng(46.4, 3.10);
13
var carteOptions = {
14
	zoom: 6,
15
	mapTypeId: google.maps.MapTypeId.ROADMAP,
16
	mapTypeControlOptions: {
17
		mapTypeIds: ['OSM',
18
		             google.maps.MapTypeId.ROADMAP,
19
		             google.maps.MapTypeId.HYBRID,
20
		             google.maps.MapTypeId.SATELLITE,
21
		             google.maps.MapTypeId.TERRAIN]
22
	}
23
};
24
var ctaLayer = null;
25
var osmMapType = new google.maps.ImageMapType({
26
	getTileUrl: function(coord, zoom) {
27
		return "http://tile.openstreetmap.org/" +
28
		zoom + "/" + coord.x + "/" + coord.y + ".png";
29
	},
30
	tileSize: new google.maps.Size(256, 256),
31
	isPng: true,
32
	alt: "OpenStreetMap",
33
	name: "OSM",
34
	maxZoom: 19
35
});
36
var pagineur = {'limite':50, 'start':0, 'total':0, 'stationId':null, 'format':'tableau'};
37
var station = {'commune':'', 'obsNbre':0};
38
var obsStation = new Array();
39
var obsPage = new Array();
40
var taxonsCarte = new Array();
41
/*+--------------------------------------------------------------------------------------------------------+*/
42
// INITIALISATION DU CODE
43
 
44
//Déclenchement d'actions quand JQuery et le document HTML sont OK
45
$(document).ready(function() {
46
	initialiserWidget();
47
});
48
 
49
function initialiserWidget() {
50
	afficherStats();
51
	definirTailleTitre();
52
	initialiserAffichageCarte();
53
	initialiserAffichagePanneauLateral();
54
 
55
	initialiserCarte();
56
	initialiserInfoBulle();
57
	initialiserFormulaireContact();
58
	chargerLimitesCommunales();
59
	rafraichirCarte();
60
}
61
 
62
/*+--------------------------------------------------------------------------------------------------------+*/
63
// AFFICHAGE GÉNÉRAL
64
 
65
function afficherStats() {
66
	// Ajout du nombre de communes où des observations ont eu lieu
67
	$('#commune-nbre').text(stations.stats.communes.formaterNombre());
68
	// Ajout du nombre d'observations
69
	$('#obs-nbre').text(stations.stats.observations.formaterNombre());
70
}
71
 
72
function definirTailleTitre() {
73
	var largeurViewPort = $(window).width();
74
	var taille = null;
75
	if (largeurViewPort < 400) {
76
		taille = '0.8';
77
	} else if (largeurViewPort >= 400 && largeurViewPort < 800) {
78
		taille = '1.0';
79
	} else if (largeurViewPort >= 800) {
80
		taille = '1.6';
81
	}
82
	$("#carte-titre").css('font-size', taille+'em');
83
}
84
 
85
/*+--------------------------------------------------------------------------------------------------------+*/
86
// CARTE
87
 
88
function initialiserAffichageCarte() {
89
	$('#carte').height($(window).height() - 35);
90
	$('#carte').width($(window).width() - 24);
91
 
92
	if (nt != '*') {
93
		$('#carte').css('left', 0);
94
	}
95
}
96
 
97
function initialiserCarte() {
98
	map = new google.maps.Map(document.getElementById('carte'), carteOptions);
99
	// Ajout de la couche OSM à la carte
100
	map.mapTypes.set('OSM', osmMapType);
101
}
102
 
103
 
104
function chargerLimitesCommunales() {
105
	if (urlsLimitesCommunales != null) {
106
		for (urlId in urlsLimitesCommunales) {
107
			var url = urlsLimitesCommunales[urlId];
108
			ctaLayer = new google.maps.KmlLayer(url, {preserveViewport: true});
109
			ctaLayer.setMap(map);
110
		}
111
	}
112
}
113
 
1444 aurelien 114
var pointCentreAvantAffichageInfoBulle = null;
1096 aurelien 115
function rafraichirCarte() {
116
	var points = [];
117
	var bounds = new google.maps.LatLngBounds();
118
	for (var i = 0; i < stations.stats.communes; ++i) {
1342 aurelien 119
		var maLatLng = new google.maps.LatLng(stations.points[i].latitude, stations.points[i].longitude);
1096 aurelien 120
		var pointImage = new google.maps.MarkerImage(pointImageUrl, new google.maps.Size(24, 32));
121
		var point = new google.maps.Marker({
122
			position: maLatLng,
123
			map: map,
124
			icon: pointImage,
125
			stationId: stations.points[i].id
126
		});
127
 
128
		bounds.extend(maLatLng);
129
 
130
		google.maps.event.addListener(point, 'click', function() {
1444 aurelien 131
			pointCentreAvantAffichageInfoBulle = map.getCenter();
1096 aurelien 132
			pointClique =  this;
133
			infoBulle.open(map, this);
134
 
135
			var limites = map.getBounds();
136
			var centre = limites.getCenter();
137
			var nordEst = limites.getNorthEast();
138
			var centreSudLatLng = new google.maps.LatLng(nordEst.lat(), centre.lng());
139
			map.panTo(centreSudLatLng);
140
 
141
			afficherInfoBulle();
142
			chargerObs(0, 0);
143
		});
144
 
145
		points.push(point);
146
	}
147
 
148
	if (pointsOrigine == null && boundsOrigine == null) {
149
		pointsOrigine = points;
150
		boundsOrigine = bounds;
151
	}
152
 
153
	executerMarkerClusterer(points, bounds);
154
}
155
 
156
function deplacerCartePointClique() {
1444 aurelien 157
	map.panTo(pointCentreAvantAffichageInfoBulle);
1096 aurelien 158
}
159
 
160
function executerMarkerClusterer(points, bounds) {
161
	if (markerClusterer) {
162
		markerClusterer.clearMarkers();
163
	}
164
	markerClusterer = new MarkerClusterer(map, points);
165
	map.fitBounds(bounds);
166
}
167
 
168
/*+--------------------------------------------------------------------------------------------------------+*/
169
// INFO BULLE
170
 
171
function initialiserInfoBulle() {
172
	google.maps.event.addListener(infoBulle, 'domready', initialiserContenuInfoBulle);
173
	google.maps.event.addListener(infoBulle, 'closeclick', deplacerCartePointClique);
174
}
175
 
176
function afficherInfoBulle() {
177
	var obsHtml = $("#tpl-obs").html();
178
	var largeur = definirLargeurInfoBulle();
179
	obsHtml = obsHtml.replace(/\{largeur\}/, largeur);
180
	infoBulle.setContent(obsHtml);
181
}
182
 
183
function definirLargeurInfoBulle() {
184
	var largeurViewPort = $(window).width();
185
	var lageurInfoBulle = null;
186
	if (largeurViewPort < 800) {
187
		largeurInfoBulle = 400;
188
	} else if (largeurViewPort >= 800 && largeurViewPort < 1200) {
189
		largeurInfoBulle = 500;
190
	} else if (largeurViewPort >= 1200) {
191
		largeurInfoBulle = 600;
192
	}
193
	return largeurInfoBulle;
194
}
195
 
196
function afficherMessageChargement(element) {
197
	if ($('#chargement').get() == '') {
198
		$('#tpl-chargement').tmpl().appendTo(element);
199
	}
200
}
201
 
202
function supprimerMessageChargement() {
203
	$('#chargement').remove();
204
}
205
 
206
function chargerObs(depart, total) {
207
	if (depart == 0 || depart < total) {
208
		var limite = 300;
209
		if (depart == 0) {
210
			obsStation = new Array();
211
		}
212
		//console.log("Chargement de "+depart+" à "+(depart+limite));
213
		var urlObs = observationsUrl+'&start={start}&limit='+limite;
214
		urlObs = urlObs.replace(/\{stationId\}/g, pointClique.stationId);
215
		urlObs = urlObs.replace(/\{nt\}/g, nt);
216
		urlObs = urlObs.replace(/\{start\}/g, depart);
217
 
218
		$.getJSON(urlObs, function(observations){
219
			obsStation = obsStation.concat(observations.observations);
220
			if (depart == 0) {
221
				actualiserInfosStation(observations);
222
				actualiserPagineur();
223
				creerTitreInfoBulle();
224
			}
225
			//console.log("Chargement ok");
226
			chargerObs(depart+limite, station.obsNbre);
227
		});
228
	} else {
229
		if (pagineur.limite < total) {
230
			afficherPagination();
231
		} else {
232
			surClicPagePagination(0, null);
233
			selectionnerOnglet("#obs-vue-"+pagineur.format);
234
		}
235
	}
236
}
237
 
238
function actualiserInfosStation(infos) {
239
	station.commune = infos.commune;
240
	station.obsNbre = infos.total;
241
}
242
 
243
function actualiserPagineur() {
244
	pagineur.stationId = pointClique.stationId;
245
	pagineur.total = station.obsNbre;
246
	//console.log("Total pagineur: "+pagineur.total);
247
	if (pagineur.total > 4) {
248
		pagineur.format = 'tableau';
249
	} else {
250
		pagineur.format = 'liste';
251
	}
252
}
253
 
254
function afficherPagination(observations) {
255
	$(".navigation").pagination(pagineur.total, {
256
		items_per_page:pagineur.limite,
257
		callback:surClicPagePagination,
258
		next_text:'Suivant',
259
		prev_text:'Précédent',
260
		prev_show_always:false,
261
		num_edge_entries:1,
262
		num_display_entries:4,
263
		load_first_page:true
264
	});
265
}
266
 
267
function surClicPagePagination(pageIndex, paginationConteneur) {
268
	var index = pageIndex * pagineur.limite;
269
	var indexMax = index + pagineur.limite;
270
	pagineur.depart = index;
271
	obsPage = new Array();
272
    for(index; index < indexMax; index++) {
273
    	obsPage.push(obsStation[index]);
274
    }
275
 
276
    supprimerMessageChargement();
277
    mettreAJourObservations();
278
	return false;
279
}
280
 
281
function mettreAJourObservations() {
282
	$("#obs-"+pagineur.format+"-lignes").empty();
283
   	$("#obs-vue-"+pagineur.format).css('display', 'block');
284
   	$(".obs-conteneur").css('counter-reset', 'item '+pagineur.depart);
285
	$("#tpl-obs-"+pagineur.format).tmpl(obsPage).appendTo("#obs-"+pagineur.format+"-lignes");
286
 
287
	// Actualisation de Fancybox
288
	ajouterFomulaireContact("a.contact");
289
	if (pagineur.format == 'liste') {
290
		ajouterGaleriePhoto("a.cel-img");
291
	}
292
}
293
 
294
function creerTitreInfoBulle() {
295
	$("#obs-total").text(station.obsNbre);
296
	$("#obs-commune").text(station.commune);
297
}
298
 
299
function initialiserContenuInfoBulle() {
300
	afficherOnglets();
301
	afficherMessageChargement('#observations');
302
	ajouterTableauTriable("#obs-tableau");
303
	afficherTextStationId();
304
	corrigerLargeurInfoWindow();
305
}
306
 
307
function afficherOnglets() {
308
	var $tabs = $('#obs').tabs();
309
	$('#obs').bind('tabsselect', function(event, ui) {
310
		if (ui.panel.id == 'obs-vue-tableau') {
311
			surClicAffichageTableau();
312
		} else if (ui.panel.id == 'obs-vue-liste') {
313
			surClicAffichageListe();
314
		}
315
	});
316
	$tabs.tabs('select', "#obs-vue-"+pagineur.format);
317
}
318
 
319
function selectionnerOnglet(onglet) {
320
	$('#obs').tabs('select', onglet);
321
}
322
 
323
function afficherTextStationId() {
324
	$('#obs-station-id').text(pointClique.stationId);
325
}
326
 
327
function corrigerLargeurInfoWindow() {
328
	$("#info-bulle").width($("#info-bulle").width() - 17);
329
}
330
 
331
function surClicAffichageTableau(event) {
332
	//console.log('tableau');
333
	pagineur.format = 'tableau';
334
	mettreAJourObservations();
335
	mettreAJourTableauTriable("#obs-tableau");
336
}
337
 
338
function surClicAffichageListe(event) {
339
	//console.log('liste');
340
	pagineur.format = 'liste';
341
	mettreAJourObservations();
342
	ajouterGaleriePhoto("a.cel-img");
343
}
344
 
345
function ajouterTableauTriable(element) {
346
	// add parser through the tablesorter addParser method
347
	$.tablesorter.addParser({
348
		// Définition d'un id unique pour ce parsseur
349
		id: 'date_cel',
350
		is: function(s) {
351
			// doit retourner false si le parsseur n'est pas autodétecté
352
			return /^\s*\d{2}[\/-]\d{2}[\/-]\d{4}\s*$/.test(s);
353
		},
354
		format: function(date) {
355
			// Transformation date jj/mm/aaaa en aaaa/mm/jj
356
			date = date.replace(/^\s*(\d{2})[\/-](\d{2})[\/-](\d{4})\s*$/, "$3/$2/$1");
357
			// Remplace la date par un nombre de millisecondes pour trier numériquement
358
			return $.tablesorter.formatFloat(new Date(date).getTime());
359
		},
360
		// set type, either numeric or text
361
		type: 'numeric'
362
	});
363
	$(element).tablesorter({
364
        headers: {
365
			1: {
366
            	sorter:'date_cel'
367
        	}
368
    	}
369
	});
370
}
371
 
372
function mettreAJourTableauTriable(element) {
373
	$(element).trigger('update');
374
}
375
 
376
function ajouterGaleriePhoto(element) {
377
	$(element).fancybox({
378
		transitionIn:'elastic',
379
		transitionOut:'elastic',
380
		speedIn	:600,
381
		speedOut:200,
382
		overlayShow:true,
383
		titleShow:true,
384
		titlePosition:'inside',
385
		titleFormat:function (titre, currentArray, currentIndex, currentOpts) {
386
			var motif = /urn:lsid:tela-botanica[.]org:cel:img([0-9]+)$/;
387
			motif.exec(titre);
388
			var id = RegExp.$1;
389
			var info = $('#cel-info-'+id).clone().html();
390
			var tpl =
391
				'<div class="cel-legende">'+
392
				'<p class="cel-legende-vei">'+'Image n°' + (currentIndex + 1) + ' sur ' + currentArray.length +'<\/p>'+
393
				(titre && titre.length ? '<p>'+info+'<\/p>' : '' )+
394
				'<\/div>';
395
			return tpl;
396
		}
397
		}).live('click', function(e) {
398
			if (e.stopPropagation) {
399
				e.stopPropagation();
400
			}
401
			return false;
402
		});
403
}
404
 
405
function ajouterFomulaireContact(element) {
406
	$(element).fancybox({
407
		transitionIn:'elastic',
408
		transitionOut:'elastic',
409
		speedIn	:600,
410
		speedOut:200,
411
		scrolling: 'no',
412
		titleShow: false,
413
		onStart: function(selectedArray, selectedIndex, selectedOpts) {
414
			var element = selectedArray[selectedIndex];
415
 
416
			var motif = / contributeur-([0-9]+)$/;
417
			motif.exec($(element).attr('class'));
418
			var id = RegExp.$1;
419
			//console.log('Destinataire id : '+id);
420
			$("#fc_destinataire_id").attr('value', id);
421
 
422
			var motif = / obs-([0-9]+) /;
423
			motif.exec($(element).attr('class'));
424
			var id = RegExp.$1;
425
			//console.log('Obs id : '+id);
426
			chargerInfoObsPourMessage(id);
427
		},
428
		onCleanup: function() {
429
			//console.log('Avant fermeture fancybox');
430
			$("#fc_destinataire_id").attr('value', '');
431
			$("#fc_sujet").attr('value', '');
432
			$("#fc_message").text('');
433
		},
434
		onClosed: function(e) {
435
			//console.log('Fermeture fancybox');
436
			if (e.stopPropagation) {
437
				e.stopPropagation();
438
			}
439
			return false;
440
		}
441
	});
442
}
443
 
444
function chargerInfoObsPourMessage(idObs) {
445
	var nomSci = trim($(".cel-obs-"+idObs+" .nom-sci:eq(0)").text());
446
	var date = trim($(".cel-obs-"+idObs+" .date:eq(0)").text());
447
	var lieu = trim($(".cel-obs-"+idObs+" .lieu:eq(0)").text());
448
	var sujet = "Observation #"+idObs+" de "+nomSci;
449
	var message = "\n\n\n\n\n\n\n\n--\nConcerne l'observation de \""+nomSci+'" du "'+date+'" au lieu "'+lieu+'".';
450
	$("#fc_sujet").attr('value', sujet);
451
	$("#fc_message").text(message);
452
}
453
 
454
function initialiserFormulaireContact() {
455
	//console.log('Initialisation du form contact');
456
	$("#form-contact").validate({
457
		rules: {
458
			fc_sujet : "required",
459
			fc_message : "required",
460
			fc_utilisateur_courriel : {
461
				required : true,
462
				email : true}
463
		}
464
	});
465
	$("#form-contact").bind("submit", envoyerCourriel);
466
	$("#fc_annuler").bind("click", function() {$.fancybox.close();});
467
 
468
}
469
 
470
function envoyerCourriel() {
471
	//console.log('Formulaire soumis');
472
	if ($("#form-contact").valid()) {
473
		//console.log('Formulaire valide');
474
		//$.fancybox.showActivity();
475
		var destinataireId = $("#fc_destinataire_id").attr('value');
476
		var urlMessage = "http://www.tela-botanica.org/service:annuaire:Utilisateur/"+destinataireId+"/message"
477
		var erreurMsg = "";
478
		var donnees = new Array();
479
		$.each($(this).serializeArray(), function (index, champ) {
480
			var cle = champ.name;
481
			cle = cle.replace(/^fc_/, '');
482
 
483
			if (cle == 'sujet') {
484
				champ.value += " - Carnet en ligne - Tela Botanica";
485
			}
486
			if (cle == 'message') {
487
				champ.value += "\n--\n"+
488
					"Ce message vous est envoyé par l'intermédiaire du widget Cartographique "+
489
					"du Carnet en Ligne du réseau Tela Botanica.\n"+
490
					"http://www.tela-botanica.org/widget:cel:carto";
491
			}
492
 
493
			donnees[index] = {'name':cle,'value':champ.value};
494
		});
495
		$.ajax({
496
			type : "POST",
497
			cache : false,
498
			url : urlMessage,
499
			data : donnees,
500
			beforeSend : function() {
501
				$(".msg").remove();
502
			},
503
			success : function(data) {
504
				$("#fc-zone-dialogue").append('<pre class="msg info">'+data.message+'</pre>');
505
			},
506
			error : function(jqXHR, textStatus, errorThrown) {
507
				erreurMsg += "Erreur Ajax :\ntype : "+textStatus+' '+errorThrown+"\n";
508
				reponse = jQuery.parseJSON(jqXHR.responseText);
509
				if (reponse != null) {
510
					$.each(reponse, function (cle, valeur) {
511
						erreurMsg += valeur + "\n";
512
					});
513
				}
514
			},
515
			complete : function(jqXHR, textStatus) {
516
				var debugMsg = '';
517
				if (jqXHR.getResponseHeader("X-DebugJrest-Data") != '') {
518
					debugInfos = jQuery.parseJSON(jqXHR.getResponseHeader("X-DebugJrest-Data"));
519
					if (debugInfos != null) {
520
						$.each(debugInfos, function (cle, valeur) {
521
							debugMsg += valeur + "\n";
522
						});
523
					}
524
				}
525
				if (erreurMsg != '') {
526
					$("#fc-zone-dialogue").append('<p class="msg">'+
527
							'Une erreur est survenue lors de la transmission de votre message.'+'<br />'+
528
							'Vous pouvez signaler le disfonctionnement à <a href="'+
529
							'mailto:cel@tela-botanica.org'+'?'+
530
							'subject=Disfonctionnement du widget de Cartographie'+
531
							"&body="+erreurMsg+"\nDébogage :\n"+debugMsg+
532
							'">cel@tela-botanica.org</a>.'+
533
							'</p>');
534
				}
535
				if (DEBUG) {
536
					console.log('Débogage : '+debugMsg);
537
				}
538
				//console.log('Débogage : '+debugMsg);
539
				//console.log('Erreur : '+erreurMsg);
540
			}
541
		});
542
	}
543
	return false;
544
}
545
/*+--------------------------------------------------------------------------------------------------------+*/
546
// PANNEAU LATÉRAL
547
 
548
function initialiserAffichagePanneauLateral() {
549
	$('#panneau-lateral').height($(window).height() - 35);
550
 
551
	if (nt == '*') {
552
		$('#pl-ouverture').bind('click', afficherPanneauLateral);
553
		$('#pl-fermeture').bind('click', cacherPanneauLateral);
554
	}
555
	chargerTaxons(0, 0);
556
}
557
 
558
function chargerTaxons(depart, total) {
559
	if (depart == 0 || depart < total) {
560
		var limite = 7000;
561
		//console.log("Chargement des taxons de "+depart+" à "+(depart+limite));
562
		var urlTax = taxonsUrl+'&start={start}&limit='+limite;
563
		urlTax = urlTax.replace(/\{start\}/g, depart);
564
		$.getJSON(urlTax, function(infos) {
565
			taxonsCarte = taxonsCarte.concat(infos.taxons);
566
			//console.log("Nbre taxons :"+taxonsCarte.length);
567
			chargerTaxons(depart+limite, infos.total);
568
		});
569
	} else {
570
		if (nt == '*') {
571
			afficherTaxons();
572
		} else {
573
			afficherNomPlante();
574
		}
575
	}
576
}
577
 
578
function afficherTaxons() {
579
	// Ajout du nombre de plantes au titre
580
	$('.plantes-nbre').text(taxonsCarte.length.formaterNombre());
581
 
582
	$("#tpl-taxons-liste").tmpl({'taxons':taxonsCarte}).appendTo("#pl-corps");
583
	$('.taxon').live('click', filtrerParTaxon);
584
}
585
 
586
function afficherNomPlante() {
587
	if (nt != '*') {
588
		var taxon = taxonsCarte[0];
589
		$('.plante-titre').text('pour '+taxon.nom);
590
	}
591
}
592
 
593
function afficherPanneauLateral() {
594
	$('#panneau-lateral').width(300);
595
	$('#pl-contenu').css('display', 'block');
596
	$('#pl-ouverture').css('display', 'none');
597
	$('#pl-fermeture').css('display', 'block');
598
	$('#carte').css('left', '300px');
599
 
600
	google.maps.event.trigger(map, 'resize');
601
};
602
 
603
function cacherPanneauLateral() {
604
	$('#panneau-lateral').width(24);
605
	$('#pl-contenu').css('display', 'none');
606
	$('#pl-ouverture').css('display', 'block');
607
	$('#pl-fermeture').css('display', 'none');
608
	$('#carte').css('left', '24px');
609
 
610
	google.maps.event.trigger(map, 'resize');
611
};
612
 
613
function ouvrirPopUp(url, nom) {
614
	window.open(url, nom, 'scrollbars=yes,width=650,height=600,directories=no,location=no,menubar=no,status=no,toolbar=no');
615
};
616
 
617
function filtrerParTaxon() {
618
	var ntAFiltrer = $('.nt', this).text();
619
	infoBulle.close();
620
	$('#taxon-'+nt).removeClass('taxon-actif');
621
	if (nt == ntAFiltrer) {
622
		nt = '*';
623
		executerMarkerClusterer(pointsOrigine, boundsOrigine);
624
	} else {
625
		var url = stationsUrl.replace(/num_taxon=[*0-9]+/, 'num_taxon='+ntAFiltrer)+
626
			'&formatRetour=jsonP'+
627
			'&callback=?';
628
		$.getJSON(url, function (stationsFiltrees) {
629
			stations = stationsFiltrees;
630
			nt = ntAFiltrer;
631
			$('#taxon-'+nt).addClass('taxon-actif');
632
			rafraichirCarte();
633
		});
634
	}
635
};
636
 
637
/*+--------------------------------------------------------------------------------------------------------+*/
638
// FONCTIONS UTILITAIRES
639
 
640
function arreter(event) {
641
	if (event.stopPropagation) {
642
		event.stopPropagation();
643
	} else if (window.event) {
644
		window.event.cancelBubble = true;
645
	}
646
	return false;
647
}
648
 
649
/**
650
 * +-------------------------------------+
651
 * Number.prototype.formaterNombre
652
 * +-------------------------------------+
653
 * Params (facultatifs):
654
 * - Int decimales: nombre de decimales (exemple: 2)
655
 * - String signe: le signe precedent les decimales (exemple: "," ou ".")
656
 * - String separateurMilliers: comme son nom l'indique
657
 * Returns:
658
 * - String chaine formatee
659
 * @author	::mastahbenus::
660
 * @author	Jean-Pascal MILCENT <jpm@tela-botanica.org> : ajout détection auto entier/flotant
661
 * @souce	http://www.javascriptfr.com/codes/FORMATER-NOMBRE-FACON-NUMBER-FORMAT-PHP_40060.aspx
662
 */
663
Number.prototype.formaterNombre = function (decimales, signe, separateurMilliers) {
664
	var _sNombre = String(this), i, _sRetour = "", _sDecimales = "";
665
 
666
	function is_int(nbre) {
667
		nbre = nbre.replace(',', '.');
668
		return !(parseFloat(nbre)-parseInt(nbre) > 0);
669
	}
670
 
671
	if (decimales == undefined) {
672
		if (is_int(_sNombre)) {
673
			decimales = 0;
674
		} else {
675
			decimales = 2;
676
		}
677
	}
678
	if (signe == undefined) {
679
		if (is_int(_sNombre)) {
680
			signe = '';
681
		} else {
682
			signe = '.';
683
		}
684
	}
685
	if (separateurMilliers == undefined) {
686
		separateurMilliers = ' ';
687
	}
688
 
689
	function separeMilliers (sNombre) {
690
		var sRetour = "";
691
		while (sNombre.length % 3 != 0) {
692
			sNombre = "0"+sNombre;
693
		}
694
		for (i = 0; i < sNombre.length; i += 3) {
695
			if (i == sNombre.length-1) separateurMilliers = '';
696
			sRetour += sNombre.substr(i, 3) + separateurMilliers;
697
		}
698
		while (sRetour.substr(0, 1) == "0") {
699
			sRetour = sRetour.substr(1);
700
		}
701
		return sRetour.substr(0, sRetour.lastIndexOf(separateurMilliers));
702
	}
703
 
704
	if (_sNombre.indexOf('.') == -1) {
705
		for (i = 0; i < decimales; i++) {
706
			_sDecimales += "0";
707
		}
708
		_sRetour = separeMilliers(_sNombre) + signe + _sDecimales;
709
	} else {
710
		var sDecimalesTmp = (_sNombre.substr(_sNombre.indexOf('.')+1));
711
		if (sDecimalesTmp.length > decimales) {
712
			var nDecimalesManquantes = sDecimalesTmp.length - decimales;
713
			var nDiv = 1;
714
			for (i = 0; i < nDecimalesManquantes; i++) {
715
				nDiv *= 10;
716
			}
717
			_sDecimales = Math.round(Number(sDecimalesTmp) / nDiv);
718
		}
719
		_sRetour = separeMilliers(_sNombre.substr(0, _sNombre.indexOf('.')))+String(signe)+_sDecimales;
720
	}
721
	return _sRetour;
722
}
723
 
724
function debug(objet) {
725
	var msg = '';
726
	if (objet != null) {
727
		$.each(objet, function (cle, valeur) {
728
			msg += cle+":"+valeur + "\n";
729
		});
730
	} else {
731
		msg = "La variable vaut null.";
732
	}
733
	console.log(msg);
734
}
735
 
736
function trim (chaine) {
737
	return chaine.replace(/^\s+/g, '').replace(/\s+$/g, '');
738
}