Subversion Repositories eFlore/Applications.cel

Rev

Go to most recent revision | Details | Last modification | View Log | RSS feed

Rev Author Line No. Line
1537 jpm 1
//+---------------------------------------------------------------------------------------------------------+
2
// GÉNÉRAL
3
$(document).ready(function() {
4
	if (DEBUG == false) {
5
		$(window).on('beforeunload', function(event) {
6
			return 'Êtes vous sûr de vouloir quiter la page?\nLes observations saisies mais non transmises seront perdues.';
7
		});
8
	}
9
});
10
//+----------------------------------------------------------------------------------------------------------+
11
// FONCTIONS GÉNÉRIQUES
12
/**
13
 * Stope l'évènement courrant quand on clique sur un lien.
14
 * Utile pour Chrome, Safari...
15
 * @param evenement
16
 * @return
17
 */
18
function arreter(evenement) {
19
	if (evenement.stopPropagation) {
20
		evenement.stopPropagation();
21
	}
22
	if (evenement.preventDefault) {
23
		evenement.preventDefault();
24
	}
25
	return false;
26
}
27
 
28
function extraireEnteteDebug(jqXHR) {
29
	var msgDebug = '';
30
	if (jqXHR.getResponseHeader('X-DebugJrest-Data') != '') {
31
		var debugInfos = jQuery.parseJSON(jqXHR.getResponseHeader('X-DebugJrest-Data'));
32
		if (debugInfos != null) {
33
			$.each(debugInfos, function (cle, valeur) {
34
				msgDebug += valeur + "\n";
35
			});
36
		}
37
	}
38
	return msgDebug;
39
}
40
 
41
function afficherPanneau(selecteur) {
42
	$(selecteur).fadeIn('slow').delay(DUREE_MESSAGE).fadeOut('slow');
43
}
44
 
45
//+----------------------------------------------------------------------------------------------------------+
46
//UPLOAD PHOTO : Traitement de l'image
47
$(document).ready(function() {
48
	$('.effacer-miniature').click(function () {
49
		supprimerMiniatures($(this));
50
	});
51
 
52
	$('#photo-placeholder').click(function(event) {
53
		$("#fichier").click();
54
	});
55
 
56
	$('#fichier').bind('change', function (e) {
57
		arreter(e);
58
		var options = {
59
			success: afficherMiniature, // post-submit callback
60
			dataType: 'xml', // 'xml', 'script', or 'json' (expected server response type)
61
			resetForm: true // reset the form after successful submit
62
		};
63
		$('#miniature').append('<img id="miniature-chargement" class="miniature" alt="chargement" src="'+CHARGEMENT_IMAGE_URL+'"/>');
64
		$('#ajouter-obs').attr('disabled', 'disabled');
65
		if(verifierFormat($('#fichier').val())) {
66
			$('#form-upload').ajaxSubmit(options);
67
		} else {
68
			window.alert("Le format de fichier n'est pas supporté, les formats acceptés sont "+	$("#fichier").attr("accept"));
69
		}
70
		return false;
71
	});
72
 
73
	$('.effacer-miniature').on('click', function() {
74
		$(this).parent().remove();
75
	});
76
});
77
 
78
function verifierFormat(nom) {
79
	var parts = nom.split('.');
80
	extension = parts[parts.length - 1];
81
	return (extension.toLowerCase() == 'jpeg' || extension.toLowerCase() == 'jpg');
82
}
83
 
84
function afficherMiniature(reponse) {
85
	if (DEBUG) {
86
		var debogage = $('debogage', reponse).text();
87
		console.log('Débogage upload : ' + debogage);
88
	}
89
	var message = $('message', reponse).text();
90
	if (message != '') {
91
		$('#miniature-msg').append(message);
92
	} else {
93
		$('#miniatures').append(creerWidgetMiniature(reponse));
94
	}
95
	$('#ajouter-obs').removeAttr('disabled');
96
}
97
 
98
function creerWidgetMiniature(reponse) {
99
	var miniatureUrl = $('miniature-url', reponse).text(),
100
		imgNom = $('image-nom', reponse).text(),
101
		html =
102
			'<div class="miniature">'+
103
				'<img class="miniature-img" class="miniature" alt="'+imgNom+'" src="'+miniatureUrl+'"/>'+
104
				'<button class="effacer-miniature" type="button">Effacer</button>'+
105
			'</div>'
106
	return html;
107
}
108
 
109
function supprimerMiniatures() {
110
	$('#miniatures').empty();
111
	$('#miniature-msg').empty();
112
}
113
 
114
//+----------------------------------------------------------------------------------------------------------+
115
// GOOGLE MAP
116
var map;
117
var marker;
118
var latLng;
119
var geocoder;
120
 
121
$(document).ready(function() {
122
	initialiserGoogleMap();
123
 
124
	// Autocompletion du champ adresse
125
	$("#carte-recherche").on('focus', function() {
126
		$(this).select();
127
	});
128
	$("#carte-recherche").on('mouseup', function(event) {// Pour Safari...
129
		event.preventDefault();
130
	});
131
 
132
	$("#carte-recherche").keypress(function(e) {
133
		if (e.which == 13) {
134
			e.preventDefault();
135
		}
136
	});
137
 
138
	$("#carte-recherche").autocomplete({
139
		//Cette partie utilise geocoder pour extraire des valeurs d'adresse
140
		source: function(request, response) {
141
 
142
			geocoder.geocode( {'address': request.term+', France', 'region' : 'fr' }, function(results, status) {
143
				if (status == google.maps.GeocoderStatus.OK) {
144
					response($.map(results, function(item) {
145
						var retour = {
146
							label: item.formatted_address,
147
							value: item.formatted_address,
148
							latitude: item.geometry.location.lat(),
149
							longitude: item.geometry.location.lng()
150
						};
151
						return retour;
152
					}));
153
				} else {
154
					afficherErreurGoogleMap(status);
155
				}
156
			});
157
		},
158
		// Cette partie est executee a la selection d'une adresse
159
		select: function(event, ui) {
160
			var latLng = new google.maps.LatLng(ui.item.latitude, ui.item.longitude);
161
			deplacerMarker(latLng);
162
		}
163
	});
164
 
165
	$("#geolocaliser").on('click', geolocaliser);
166
 
167
	google.maps.event.addListener(marker, 'dragend', surDeplacementMarker);
168
 
169
	google.maps.event.addListener(map, 'click', surClickDansCarte);
170
});
171
 
172
function initialiserGoogleMap(){
173
	// Carte
174
	var latLng = new google.maps.LatLng(46.30871, 2.54395);// Centre de la France
175
	var zoomDefaut = 5;
176
 
177
	var options = {
178
		zoom: zoomDefaut,
179
		center: latLng,
180
		mapTypeId: google.maps.MapTypeId.HYBRID,
181
		mapTypeControlOptions: {
182
			mapTypeIds: ['OSM', google.maps.MapTypeId.ROADMAP, google.maps.MapTypeId.HYBRID, google.maps.MapTypeId.SATELLITE, google.maps.MapTypeId.TERRAIN]}
183
	};
184
 
185
	// Ajout de la couche OSM à la carte
186
	osmMapType = new google.maps.ImageMapType({
187
		getTileUrl: function(coord, zoom) {
188
			return "http://tile.openstreetmap.org/" +
189
			zoom + "/" + coord.x + "/" + coord.y + ".png";
190
		},
191
		tileSize: new google.maps.Size(256, 256),
192
		isPng: true,
193
		alt: 'OpenStreetMap',
194
		name: 'OSM',
195
		maxZoom: 19
196
	});
197
 
198
	// Création de la carte Google
199
	map = new google.maps.Map(document.getElementById('map-canvas'), options); //affiche la google map dans la div map_canvas
200
	map.mapTypes.set('OSM', osmMapType);
201
 
202
	// Création du Geocoder
203
	geocoder = new google.maps.Geocoder();
204
 
205
	// Marqueur google draggable
206
	marker = new google.maps.Marker({
207
		map: map,
208
		draggable: true,
209
		title: 'Ma station',
210
		icon: GOOGLE_MAP_MARQUEUR_URL,
211
		position: latLng
212
	});
213
 
214
	initialiserMarker(latLng);
215
 
216
	// Tentative de geocalisation
217
	if (navigator.geolocation) {
218
		navigator.geolocation.getCurrentPosition(function(position) {
219
			var latitude = position.coords.latitude;
220
			var longitude = position.coords.longitude;
221
			latLng = new google.maps.LatLng(latitude, longitude);
222
			deplacerMarker(latLng);
223
		});
224
	}
225
}
226
 
227
function surDeplacementMarker() {
228
	trouverCommune(marker.getPosition());
229
	mettreAJourMarkerPosition(marker.getPosition());
230
}
231
 
232
function surClickDansCarte(event) {
233
	deplacerMarker(event.latLng);
234
}
235
 
236
function geolocaliser() {
237
	var latitude = $('#latitude').val();
238
	var longitude = $('#longitude').val();
239
	latLng = new google.maps.LatLng(latitude, longitude);
240
	deplacerMarker(latLng);
241
}
242
 
243
function initialiserMarker(latLng) {
244
	if (marker != undefined) {
245
		marker.setPosition(latLng);
246
		map.setCenter(latLng);
247
	}
248
}
249
 
250
function deplacerMarker(latLng) {
251
	if (marker != undefined) {
252
		marker.setPosition(latLng);
253
		map.setCenter(latLng);
254
		mettreAJourMarkerPosition(latLng);
255
		trouverCommune(latLng);
256
	}
257
}
258
 
259
function mettreAJourMarkerPosition(latLng) {
260
	var lat = latLng.lat().toFixed(5);
261
	var lng = latLng.lng().toFixed(5);
262
	remplirChampLatitude(lat);
263
	remplirChampLongitude(lng);
264
}
265
 
266
function remplirChampLatitude(latDecimale) {
267
	var lat = Math.round(latDecimale * 100000) / 100000;
268
	$('#latitude').val(lat);
269
}
270
 
271
function remplirChampLongitude(lngDecimale) {
272
	var lng = Math.round(lngDecimale * 100000) / 100000;
273
	$('#longitude').val(lng);
274
}
275
 
276
function trouverCommune(pos) {
277
	$(function() {
278
 
279
		var url_service = SERVICE_NOM_COMMUNE_URL;
280
 
281
		var urlNomCommuneFormatee = url_service.replace('{lat}', pos.lat()).replace('{lon}', pos.lng());
282
		$.ajax({
283
			url : urlNomCommuneFormatee,
284
			type : "GET",
285
			dataType : "jsonp",
286
			beforeSend : function() {
287
				$(".commune-info").empty();
288
				$("#dialogue-erreur .alert-txt").empty();
289
			},
290
			success : function(data, textStatus, jqXHR) {
291
				$(".commune-info").empty();
292
				$("#commune-nom").append(data.nom);
293
				$("#commune-code-insee").append(data.codeINSEE);
294
				$("#marqueur-commune").data('commune', {'nom' : data.nom, 'codeInsee' : data.codeINSEE});
295
			},
296
			statusCode : {
297
			    500 : function(jqXHR, textStatus, errorThrown) {
298
					if (DEBUG) {
299
						$("#dialogue-erreur .alert-txt").append('<p id="msg">Un problème est survenu lors de l\'appel au service fournissante le nom des communes.</p>');
300
						reponse = jQuery.parseJSON(jqXHR.responseText);
301
						var erreurMsg = "";
302
						if (reponse != null) {
303
							$.each(reponse, function (cle, valeur) {
304
								erreurMsg += valeur + "<br />";
305
							});
306
						}
307
 
308
						$("#dialogue-erreur .alert-txt").append('<p class="msg-erreur">Erreur 500 : '+errorThrown+"<br />"+erreurMsg+'</p>');
309
					}
310
			    }
311
			},
312
			error : function(jqXHR, textStatus, errorThrown) {
313
				if (DEBUG) {
314
					$("#dialogue-erreur .alert-txt").append('<p class="msg">Une erreur Ajax est survenue lors de la transmission de vos observations.</p>');
315
					reponse = jQuery.parseJSON(jqXHR.responseText);
316
					var erreurMsg = "";
317
					if (reponse != null) {
318
						$.each(reponse, function (cle, valeur) {
319
							erreurMsg += valeur + "<br />";
320
						});
321
					}
322
 
323
					$("#dialogue-erreur .alert-txt").append('<p class="msg-erreur">Erreur Ajax : '+errorThrown+' (type : '+textStatus+') <br />'+erreurMsg+'</p>');
324
				}
325
			},
326
			complete : function(jqXHR, textStatus) {
327
				var debugMsg = extraireEnteteDebug(jqXHR);
328
				if (debugMsg != '') {
329
					if (DEBUG) {
330
						$("#dialogue-erreur .alert-txt").append('<pre class="msg-debug msg">Débogage : '+debugMsg+'</pre>');
331
					}
332
				}
333
				if ($("#dialogue-erreur .msg").length > 0) {
334
					$("#dialogue-erreur").show();
335
				}
336
			}
337
		});
338
	});
339
}
340
//+---------------------------------------------------------------------------------------------------------+
341
// IDENTITÉ
342
$(document).ready(function() {
343
	$('#courriel').on('blur', requeterIdentite);
344
	$('#courriel').on('keypress', testerLancementRequeteIdentite);
345
});
346
 
347
function testerLancementRequeteIdentite(event) {
348
	if (event.which == 13) {
349
		requeterIdentite();
350
		event.preventDefault();
351
		event.stopPropagation();
352
	}
353
}
354
 
355
function requeterIdentite() {
356
	var courriel = $('#courriel').val();
357
	//TODO: mettre ceci en paramètre de config
358
	var urlAnnuaire = SERVICE_ANNUAIRE_ID_URL + courriel;
359
	$.ajax({
360
		url : urlAnnuaire,
361
		type : 'GET',
362
		success : function(data, textStatus, jqXHR) {
363
			console.log('SUCCESS:'+textStatus);
364
			if (data != undefined && data[courriel] != undefined) {
365
				var infos = data[courriel];
366
				$('#id_utilisateur').val(infos.id);
367
				$('#prenom').val(infos.prenom);
368
				$('#nom').val(infos.nom);
369
				$('#courriel_confirmation').val(courriel);
370
				$('#prenom, #nom, #courriel_confirmation').attr('disabled', 'disabled');
371
				$('#date').focus();
372
			} else {
373
				surErreurCompletionCourriel();
374
			}
375
		},
376
		error : function(jqXHR, textStatus, errorThrown) {
377
			console.log('ERREUR :'+textStatus);
378
			surErreurCompletionCourriel();
379
		},
380
		complete : function(jqXHR, textStatus) {
381
			console.log('COMPLETE :'+textStatus);
382
			$('#zone-prenom-nom').removeClass('hidden');
383
			$('#zone-courriel-confirmation').removeClass('hidden');
384
		}
385
	});
386
}
387
 
388
function surErreurCompletionCourriel() {
389
	$('#prenom, #nom, #courriel_confirmation').val('');
390
	$('#prenom, #nom, #courriel_confirmation').removeAttr('disabled');
391
	afficherPanneau('#dialogue-courriel-introuvable');
392
}
393
//+---------------------------------------------------------------------------------------------------------+
394
// FORMULAIRE
395
var obsNbre = 0;
396
 
397
$(document).ready(function() {
398
	// Sliders
399
	transformerEnSlider('#presence-zone-vegetalise');
400
	transformerEnSlider('#hauteur-batiment-avoisinant');
401
	transformerEnSlider('#periodicite-traitement-phyto');
402
	transformerEnSlider('#resistance-traitement-phyto');
403
	transformerEnSlider('#vitesse-croissance');
404
 
405
	$('#periodicite-traitement-phyto').on('change', function() {
406
		if ($(this).val() === 'jamais') {
407
			$('#datp-zone').removeClass('hidden');
408
		} else {
409
			$('#datp-zone').addClass('hidden');
410
		}
411
	});
412
	$('#taxon-liste').on('change', function() {
413
		if ($(this).val() === '?') {
414
			$('#taxon-input-groupe').removeClass('hidden');
415
		} else {
416
			$('#taxon-input-groupe').addClass('hidden');
417
		}
418
	});
419
 
420
	$('.alert .close').on('click', fermerPanneauAlert);
421
 
422
	$('[rel=tooltip]').tooltip('enable');
423
	$('#btn-aide').on('click', basculerAffichageAide);
424
 
425
	$('#prenom').on('change', formaterPrenom);
426
 
427
	$('#nom').on('change', formaterNom);
428
 
429
	configurerDatePicker('#date');
430
	configurerDatePicker('#date-arret-traitement-phyto');
431
	ajouterAutocompletionNoms();
432
	configurerFormValidator();
433
	definirReglesFormValidator();
434
 
435
	$('#courriel_confirmation').on('paste', bloquerCopierCollerCourriel);
436
 
437
	$('a.afficher-coord').on('click', basculerAffichageCoord);
438
 
439
	$('#ajouter-obs').on('click', ajouterObs);
440
 
441
	$('.obs-nbre').on('changement', surChangementNbreObs);
442
 
443
	$('body').on('click', '.supprimer-obs', supprimerObs);
444
 
445
	$('#transmettre-obs').on('click', transmettreObs);
446
 
447
	$('body').on('click', '.defilement-miniatures-gauche', function(event) {
448
		event.preventDefault();
449
		defilerMiniatures($(this));
450
	});
451
 
452
	$('body').on('click', '.defilement-miniatures-droite', function(event) {
453
		event.preventDefault();
454
		defilerMiniatures($(this));
455
	});
456
});
457
 
458
function transformerEnSlider(selector) {
459
	$(selector).each(function(index, el) {
460
		// hide the element
461
		$(el).addClass('slider-on');
462
 
463
		// add the slider to each element
464
		var slider = $( '<div class="slider-holder"><div class="horizontal-slider"></div></div>' ).
465
			insertAfter( el ).find('.horizontal-slider').slider({
466
				min: 1,
467
				max: el.options.length,
468
				range: 'min',
469
				value: el.selectedIndex + 1,
470
				slide: function( event, ui ) {
471
					el.selectedIndex = ui.value - 1;
472
					slider.find('a').text(el.options[el.selectedIndex].text);
473
				},
474
				stop: function() {
475
					$(el).change();
476
				}
477
			});
478
 
479
		slider.find('a').text(el.options[el.selectedIndex].text);
480
 
481
		// Create a legend under the slider so we can see the options
482
		var options = [];
483
		for (var option in $(el).children()) {
484
			if (!isNaN(parseInt(option))) {
485
				options.push(el.options[option].text);
486
			}
487
		}
488
		// the width of each legend/option
489
		var width = (slider.width() / (options.length - 1));
490
 
491
		// Add the legend. Half the width of the first and last options for display consistency.
492
		slider.after('<div class="slider-legend"><p style="width:' + (width / 2) + 'px;text-align:left;">' +
493
			options.join('</p><p style="width:' + width + 'px;">') +'</p></div>')
494
			.parent().find('.slider-legend p:last-child').css('width', width / 2)
495
			.css('text-align', 'right');
496
 
497
		// if there are too many options so that the text is wider than the width, then hide the text
498
		var lastChild = slider.parent().find('.slider-legend p:last-child');
499
		if (lastChild[0].clientWidth < lastChild[0].scrollWidth) {
500
			slider.parent().find('.slider-legend p').css('text-indent', '200%');
501
		}
502
	});
503
}
504
 
505
function configurerFormValidator() {
506
	$.validator.addMethod(
507
		'dateCel',
508
		function (value, element) {
509
			return value == '' || (/^[0-9]{2}[-\/][0-9]{2}[-\/][0-9]{4}$/.test(value));
510
		},
511
		'Format : jj/mm/aaaa. Date incomplète, utiliser 0, exemple : 00/12/2011.');
512
 
513
	$.extend($.validator.defaults, {
514
		errorClass: 'control-group error',
515
		validClass: 'control-group success',
516
		errorElement: 'span',
517
		highlight: function(element, errorClass, validClass) {
518
			if (element.type === 'radio') {
519
				this.findByName(element.name).parent('div').parent('div').removeClass(validClass).addClass(errorClass);
520
			} else {
521
				$(element).parent('div').parent('div').removeClass(validClass).addClass(errorClass);
522
			}
523
		},
524
		unhighlight: function(element, errorClass, validClass) {
525
			if (element.type === 'radio') {
526
				this.findByName(element.name).parent('div').parent('div').removeClass(errorClass).addClass(validClass);
527
			} else {
528
				if ($(element).attr('id') == 'taxon') {
529
					if ($('#taxon').val() != '') {
530
						// Si le taxon n'est pas lié au référentiel, on vide le data associé
531
						if($('#taxon').data('value') != $('#taxon').val()) {
532
							$('#taxon').data('numNomSel', '');
533
							$('#taxon').data('nomRet', '');
534
							$('#taxon').data('numNomRet', '');
535
							$('#taxon').data('nt', '');
536
							$('#taxon').data('famille', ');
537
						}
538
						$('#taxon-input-groupe').removeClass(errorClass).addClass(validClass);
539
						$(element).next('span.help-inline').remove();
540
					}
541
				} else {
542
					$(element).parent('div').parent('div').removeClass(errorClass).addClass(validClass);
543
					$(element).next('span.help-inline').remove();
544
				}
545
			}
546
		}
547
	});
548
}
549
 
550
function definirReglesFormValidator() {
551
	$('#form-observateur').validate({
552
		rules: {
553
			courriel: {
554
				required: true,
555
				email: true},
556
			courriel_confirmation: {
557
				required: true,
558
				equalTo: '#courriel'}
559
		}
560
	});
561
	$('#form-station').validate({
562
		rules: {
563
			latitude : {
564
				range: [-90, 90]},
565
			longitude : {
566
				range: [-180, 180]}
567
		}
568
	});
569
	$('#form-obs').validate({
570
		rules: {
571
			date: 'dateCel',
572
			taxon: 'required'
573
		}
574
	});
575
}
576
 
577
function configurerDatePicker(selector) {
578
	$.datepicker.setDefaults($.datepicker.regional['fr']);
579
	$(selector).datepicker({
580
		dateFormat: 'dd/mm/yy',
581
		showOn: 'button',
582
		buttonImageOnly: true,
583
		buttonImage: CALENDRIER_ICONE_URL,
584
		buttonText: 'Afficher le calendrier pour saisir la date.',
585
		showButtonPanel: true
586
	});
587
	$(selector + ' + img.ui-datepicker-trigger').appendTo(selector + '-icone.add-on');
588
}
589
 
590
function fermerPanneauAlert() {
591
	$(this).parentsUntil('.zone-alerte', '.alert').hide();
592
}
593
 
594
function formaterNom() {
595
	$(this).val($(this).val().toUpperCase());
596
}
597
 
598
function formaterPrenom() {
599
	var prenom = new Array();
600
	var mots = $(this).val().split(' ');
601
	for (var i = 0; i < mots.length; i++) {
602
		var mot = mots[i];
603
		if (mot.indexOf('-') >= 0) {
604
			var prenomCompose = new Array();
605
			var motsComposes = mot.split('-');
606
			for (var j = 0; j < motsComposes.length; j++) {
607
				var motSimple = motsComposes[j];
608
				var motMajuscule = motSimple.charAt(0).toUpperCase() + motSimple.slice(1);
609
				prenomCompose.push(motMajuscule);
610
			}
611
			prenom.push(prenomCompose.join('-'));
612
		} else {
613
			var motMajuscule = mot.charAt(0).toUpperCase() + mot.slice(1);
614
			prenom.push(motMajuscule);
615
		}
616
	}
617
	$(this).val(prenom.join(' '));
618
}
619
 
620
function basculerAffichageAide()  {
621
	if ($(this).hasClass('btn-warning')) {
622
		$('[rel=tooltip]').tooltip('enable');
623
		$(this).removeClass('btn-warning').addClass('btn-success');
624
		$('#btn-aide-txt', this).text('Désactiver l'aide');
625
	} else {
626
		$('[rel=tooltip]').tooltip('disable');
627
		$(this).removeClass('btn-success').addClass('btn-warning');
628
		$('#btn-aide-txt', this).text("Activer l'aide");
629
	}
630
}
631
 
632
function bloquerCopierCollerCourriel() {
633
	afficherPanneau('#dialogue-bloquer-copier-coller');
634
	return false;
635
}
636
 
637
function basculerAffichageCoord() {
638
	$('a.afficher-coord').toggle();
639
	$('#coordonnees-geo').toggle('slow');
640
	//valeur false pour que le lien ne soit pas suivi
641
	return false;
642
}
643
 
644
function ajouterObs() {
645
	if (validerFormulaire() == true) {
646
		obsNbre = obsNbre + 1;
647
		$('.obs-nbre').text(obsNbre);
648
		$('.obs-nbre').triggerHandler('changement');
649
		afficherObs();
650
		stockerObsData();
651
		supprimerMiniatures();
652
		$('#taxon').val('');
653
		$('#taxon').data('numNomSel', undefined);
654
	} else {
655
		afficherPanneau('#dialogue-form-invalide');
656
	}
657
}
658
 
659
function afficherObs() {
660
	$('#liste-obs').prepend(
661
		'<div id="obs'+obsNbre+'" class="row-fluid obs obs'+obsNbre+'">'+
662
			'<div class="span12">'+
663
				'<div class="well">'+
664
					'<div class="obs-action pull-right" rel="tooltip" data-placement="bottom" '+
665
						'title="Supprimer cette observation de la liste à transmettre">'+
666
						'<button class="btn btn-danger supprimer-obs" value="'+obsNbre+'" title="'+obsNbre+'">'+
667
							'<i class="icon-trash icon-white"></i>'+
668
						'</button>'+
669
					'</div> '+
670
					'<div class="row-fluid">'+
671
						'<div class="thumbnail span2">'+
672
							ajouterImgMiniatureAuTransfert()+
673
						'</div>'+
674
						'<div class="span9">'+
675
							'<ul class="unstyled">'+
676
								'<li>'+
677
									'<span class="nom-sci">'+$("#taxon").val()+'</span> '+
678
									ajouterNumNomSel()+'<span class="referentiel-obs">'+
679
									($("#taxon").data("numNomSel") == undefined ? '' : '['+NOM_SCI_PROJET+']')+'</span>'+
680
									' observé à '+
681
									'<span class="commune">'+$('#commune-nom').text()+'</span> '+
682
									'('+$('#commune-code-insee').text()+') ['+$("#latitude").val()+' / '+$("#longitude").val()+']'+
683
									' le '+
684
									'<span class="date">'+$("#date").val()+'</span>'+
685
								'</li>'+
686
								'<li>'+
687
									'<span>Lieu-dit :</span> '+$('#lieudit').val()+' '+
688
									'<span>Station :</span> '+$('#station').val()+' '+
689
									'<span>Milieu :</span> '+$('#milieu').val()+' '+
690
								'</li>'+
691
								'<li>'+
692
									'Commentaires : <span class="discretion">'+$("#notes").val()+'</span>'+
693
								'</li>'+
694
							'</ul>'+
695
						'</div>'+
696
					'</div>'+
697
				'</div>'+
698
			'</div>'+
699
		'</div>');
700
}
701
 
702
function stockerObsData() {
703
	$('#liste-obs').data('obsId'+obsNbre, {
704
		'date' : $('#date').val(),
705
		'notes' : $('#notes').val(),
706
 
707
		'nom_sel' : $('#taxon').val(),
708
		'num_nom_sel' : $('#taxon').data('numNomSel'),
709
		'nom_ret' : $('#taxon').data('nomRet'),
710
		'num_nom_ret' : $('#taxon').data('numNomRet'),
711
		'num_taxon' : $('#taxon').data('nt'),
712
		'famille' : $('#taxon').data('famille'),
713
		'referentiel' : ($('#taxon').data('numNomSel') == undefined ? '' : NOM_SCI_REFERENTIEL),
714
 
715
		'latitude' : $('#latitude').val(),
716
		'longitude' : $('#longitude').val(),
717
		'commune_nom' : $('#commune-nom').text(),
718
		'commune_code_insee' : $('#commune-code-insee').text(),
719
		'lieudit' : $('#lieudit').val(),
720
		'station' : $('#station').val(),
721
		'milieu' : $('#milieu').val(),
722
 
723
		//Ajout des champs images
724
		'image_nom' : getNomsImgsOriginales(),
725
		'image_b64' : getB64ImgsOriginales()
726
	});
727
}
728
 
729
function surChangementReferentiel() {
730
	NOM_SCI_PROJET = $('#referentiel').val();
731
	NOM_SCI_REFERENTIEL = NOM_SCI_PROJET+':'+PROJETS_VERSIONS[NOM_SCI_PROJET];
732
	$('#taxon').val('');
733
}
734
 
735
function surChangementNbreObs() {
736
	if (obsNbre == 0) {
737
		$('#transmettre-obs').attr('disabled', 'disabled');
738
		$('#ajouter-obs').removeAttr('disabled');
739
	} else if (obsNbre > 0 && obsNbre < OBS_MAX_NBRE) {
740
		$('#transmettre-obs').removeAttr('disabled');
741
		$('#ajouter-obs').removeAttr('disabled');
742
	} else if (obsNbre >= OBS_MAX_NBRE) {
743
		$('#ajouter-obs').attr('disabled', 'disabled');
744
		afficherPanneau('#dialogue-bloquer-creer-obs');
745
	}
746
}
747
 
748
function transmettreObs() {
749
	var observations = $('#liste-obs').data();
750
	console.log(observations);
751
 
752
	if (observations == undefined || jQuery.isEmptyObject(observations)) {
753
		afficherPanneau('#dialogue-zero-obs');
754
	} else {
755
		observations['projet'] = TAG_PROJET;
756
		observations['tag-obs'] = TAG_OBS;
757
		observations['tag-img'] = TAG_IMG;
758
 
759
		var utilisateur = new Object();
760
		utilisateur.id_utilisateur = $('#id_utilisateur').val();
761
		utilisateur.prenom = $('#prenom').val();
762
		utilisateur.nom = $('#nom').val();
763
		utilisateur.courriel = $('#courriel').val();
764
		observations['utilisateur'] = utilisateur;
765
		envoyerObsAuCel(observations);
766
	}
767
	return false;
768
}
769
 
770
function envoyerObsAuCel(observations) {
771
	var erreurMsg = '';
772
	$.ajax({
773
		url : SERVICE_SAISIE_URL,
774
		type : 'POST',
775
		data : observations,
776
		dataType : 'json',
777
		beforeSend : function() {
778
			$('#dialogue-obs-transaction-ko').hide();
779
			$('#dialogue-obs-transaction-ok').hide();
780
			$('.alert-txt .msg').remove();
781
			$('.alert-txt .msg-erreur').remove();
782
			$('.alert-txt .msg-debug').remove();
783
			$('#chargement').show();
784
		},
785
		success : function(data, textStatus, jqXHR) {
786
			$('#dialogue-obs-transaction-ok .alert-txt').append($('#tpl-transmission-ok').clone().html());
787
			supprimerMiniatures();
788
		},
789
		statusCode : {
790
			500 : function(jqXHR, textStatus, errorThrown) {
791
				erreurMsg += "Erreur 500 :\ntype : " + textStatus + ' ' + errorThrown + "\n";
792
		    }
793
		},
794
		error : function(jqXHR, textStatus, errorThrown) {
795
			erreurMsg += "Erreur Ajax :\ntype : " + textStatus + ' ' + errorThrown + "\n";
796
			try {
797
				reponse = jQuery.parseJSON(jqXHR.responseText);
798
				if (reponse != null) {
799
					$.each(reponse, function (cle, valeur) {
800
						erreurMsg += valeur + "\n";
801
					});
802
				}
803
			} catch(e) {
804
				erreurMsg += "L'erreur n'était pas en JSON.";
805
			}
806
		},
807
		complete : function(jqXHR, textStatus) {
808
			$('#chargement').hide();
809
			var debugMsg = extraireEnteteDebug(jqXHR);
810
 
811
			if (erreurMsg != '') {
812
				if (DEBUG) {
813
					$('#dialogue-obs-transaction-ko .alert-txt').append('<pre class="msg-erreur">' + erreurMsg + '</pre>');
814
					$('#dialogue-obs-transaction-ko .alert-txt').append('<pre class="msg-debug">Débogage : ' + debugMsg + '</pre>');
815
				}
816
				var hrefCourriel = "mailto:cel@tela-botanica.org?" +
817
					"subject=Disfonctionnement du widget de saisie " + TAG_PROJET +
818
					"&body=" + erreurMsg + "\nDébogage :\n" + debugMsg;
819
 
820
				$('#dialogue-obs-transaction-ko .alert-txt').append($('#tpl-transmission-ko').clone()
821
					.find('.courriel-erreur')
822
					.attr('href', hrefCourriel)
823
					.end()
824
					.html());
825
				$('#dialogue-obs-transaction-ko').show();
826
			} else {
827
				if (DEBUG) {
828
					$('#dialogue-obs-transaction-ok .alert-txt').append('<pre class="msg-debug">Débogage : ' + debugMsg + '</pre>');
829
				}
830
				$('#dialogue-obs-transaction-ok').show();
831
			}
832
			initialiserObs();
833
		}
834
	});
835
}
836
 
837
function validerFormulaire() {
838
	$observateur = $('#form-observateur').valid();
839
	$station = $('#form-station').valid();
840
	$obs = $('#form-obs').valid();
841
	return ($observateur == true && $station == true && $obs == true) ? true : false;
842
}
843
 
844
function getNomsImgsOriginales() {
845
	var noms = new Array();
846
	$('.miniature-img').each(function() {
847
		noms.push($(this).attr('alt'));
848
	});
849
	return noms;
850
}
851
 
852
function getB64ImgsOriginales() {
853
	var b64 = new Array();
854
	$('.miniature-img').each(function() {
855
		if ($(this).hasClass('b64')) {
856
			b64.push($(this).attr('src'));
857
		} else if ($(this).hasClass('b64-canvas')) {
858
			b64.push($(this).data('b64'));
859
		}
860
	});
861
	return b64;
862
}
863
 
864
function supprimerObs() {
865
	var obsId = $(this).val();
866
	// Problème avec IE 6 et 7
867
	if (obsId == 'Supprimer') {
868
		obsId = $(this).attr('title');
869
	}
870
	obsNbre = obsNbre - 1;
871
	$('.obs-nbre').text(obsNbre);
872
	$('.obs-nbre').triggerHandler('changement');
873
 
874
	$('.obs'+obsId).remove();
875
	$('#liste-obs').removeData('obsId' + obsId);
876
}
877
 
878
function initialiserObs() {
879
	obsNbre = 0;
880
	$('.obs-nbre').text(obsNbre);
881
	$('.obs-nbre').triggerHandler('changement');
882
	$('#liste-obs').removeData();
883
	$('.obs').remove();
884
	$('#dialogue-bloquer-creer-obs').hide();
885
}
886
 
887
function ajouterImgMiniatureAuTransfert() {
888
	var html = '';
889
	var miniatures = '';
890
	var premiere = true;
891
	if ($("#miniatures img").length >= 1) {
892
		$("#miniatures img").each(function() {
893
			var visible = premiere ? 'miniature-selectionnee' : 'miniature-cachee';
894
			premiere = false;
895
			var css = $(this).hasClass('b64') ? 'miniature b64' : 'miniature';
896
			var src = $(this).attr("src");
897
			var alt = $(this).attr("alt");
898
			miniature = '<img class="'+css+' '+visible+'"  alt="'+alt+'"src="'+src+'" />';
899
			miniatures += miniature;
900
		});
901
		visible = ($("#miniatures img").length > 1) ? '' : 'defilement-miniatures-cache';
902
		var html =
903
			'<div class="defilement-miniatures">'+
904
				'<a href="#" class="defilement-miniatures-gauche '+visible+'">&#60;</a>'+
905
				miniatures+
906
				'<a href="#" class="defilement-miniatures-droite '+visible+'">&#62;</a>'+
907
			'</div>';
908
	} else {
909
		html = '<img class="miniature" alt="Aucune photo"src="'+PAS_DE_PHOTO_ICONE_URL+'" />';
910
	}
911
	return html;
912
}
913
 
914
function defilerMiniatures(element) {
915
 
916
	var miniatureSelectionne = element.siblings("img.miniature-selectionnee");
917
	miniatureSelectionne.removeClass('miniature-selectionnee');
918
	miniatureSelectionne.addClass('miniature-cachee');
919
	var miniatureAffichee = miniatureSelectionne;
920
 
921
	if(element.hasClass('defilement-miniatures-gauche')) {
922
		if(miniatureSelectionne.prev('.miniature').length != 0) {
923
			miniatureAffichee = miniatureSelectionne.prev('.miniature');
924
		} else {
925
			miniatureAffichee = miniatureSelectionne.siblings(".miniature").last();
926
		}
927
	} else {
928
		if(miniatureSelectionne.next('.miniature').length != 0) {
929
			miniatureAffichee = miniatureSelectionne.next('.miniature');
930
		} else {
931
			miniatureAffichee = miniatureSelectionne.siblings(".miniature").first();
932
		}
933
	}
934
	console.log(miniatureAffichee);
935
	miniatureAffichee.addClass('miniature-selectionnee');
936
	miniatureAffichee.removeClass('miniature-cachee');
937
}
938
 
939
function ajouterNumNomSel() {
940
	var nn = '';
941
	if ($("#taxon").data("numNomSel") == undefined) {
942
		nn = '<span class="alert-error">[non lié au référentiel]</span>';
943
	} else {
944
		nn = '<span class="nn">[nn'+$("#taxon").data("numNomSel")+']</span>';
945
	}
946
	return nn;
947
}
948
 
949
//+---------------------------------------------------------------------------------------------------------+
950
// AUTO-COMPLÉTION Noms Scientifiques
951
 
952
function ajouterAutocompletionNoms() {
953
	$('#taxon').autocomplete({
954
		source: function(requete, add){
955
			// la variable de requête doit être vidée car sinon le parametre "term" est ajouté
956
 
957
			var url = getUrlAutocompletionNomsSci();
958
			$.getJSON(url, function(data) {
959
				console.log(data);
960
				var suggestions = traiterRetourNomsSci(data);
961
				add(suggestions);
962
			});
963
		},
964
		html: true
965
	});
966
 
967
	$( "#taxon" ).bind("autocompleteselect", function(event, ui) {
968
		$("#taxon").data(ui.item);
969
		if (ui.item.retenu == true) {
970
			$("#taxon").addClass('ns-retenu');
971
		} else {
972
			$("#taxon").removeClass('ns-retenu');
973
		}
974
	});
975
}
976
 
977
function getUrlAutocompletionNomsSci() {
978
	var mots = $('#taxon').val();
979
	var url = SERVICE_AUTOCOMPLETION_NOM_SCI_URL_TPL.replace('{referentiel}',NOM_SCI_PROJET);
980
	url = url.replace('{masque}', mots);
981
	return url;
982
}
983
 
984
function traiterRetourNomsSci(data) {
985
	var suggestions = [];
986
	if (data.resultat != undefined) {
987
		$.each(data.resultat, function(i, val) {
988
			val.nn = i;
989
			var nom = {label : '', value : '', nt : '', nomSel : '', nomSelComplet : '', numNomSel : '',
990
				nomRet : '', numNomRet : '', famille : '', retenu : false
991
			};
992
			if (suggestions.length >= AUTOCOMPLETION_ELEMENTS_NBRE) {
993
				nom.label = "...";
994
				nom.value = $('#taxon').val();
995
				suggestions.push(nom);
996
				return false;
997
			} else {
998
				nom.label = val.nom_sci_complet;
999
				nom.value = val.nom_sci_complet;
1000
				nom.nt = val.num_taxonomique;
1001
				nom.nomSel = val.nom_sci;
1002
				nom.nomSelComplet = val.nom_sci_complet;
1003
				nom.numNomSel = val.nn;
1004
				nom.nomRet = val.nom_retenu_complet;
1005
				nom.numNomRet = val["nom_retenu.id"];
1006
				nom.famille = val.famille;
1007
				nom.retenu = (val.retenu == 'false') ? false : true;
1008
 
1009
				suggestions.push(nom);
1010
			}
1011
		});
1012
	}
1013
	return suggestions;
1014
}
1015
 
1016
/*
1017
 * jQuery UI Autocomplete HTML Extension
1018
 *
1019
 * Copyright 2010, Scott González (http://scottgonzalez.com)
1020
 * Dual licensed under the MIT or GPL Version 2 licenses.
1021
 *
1022
 * http://github.com/scottgonzalez/jquery-ui-extensions
1023
 *
1024
 * Adaptation par Aurélien Peronnet pour la mise en gras des noms de taxons valides
1025
 */
1026
(function( $ ) {
1027
	var proto = $.ui.autocomplete.prototype,
1028
		initSource = proto._initSource;
1029
 
1030
	function filter( array, term ) {
1031
		var matcher = new RegExp( $.ui.autocomplete.escapeRegex(term), "i" );
1032
		return $.grep( array, function(value) {
1033
			return matcher.test( $( "<div>" ).html( value.label || value.value || value ).text() );
1034
		});
1035
	}
1036
 
1037
	$.extend( proto, {
1038
		_initSource: function() {
1039
			if ( this.options.html && $.isArray(this.options.source) ) {
1040
				this.source = function( request, response ) {
1041
					response( filter( this.options.source, request.term ) );
1042
				};
1043
			} else {
1044
				initSource.call( this );
1045
			}
1046
		},
1047
		_renderItem: function( ul, item) {
1048
			if (item.retenu == true) {
1049
				item.label = "<strong>"+item.label+"</strong>";
1050
			}
1051
 
1052
			return $( "<li></li>" )
1053
				.data( "item.autocomplete", item )
1054
				.append( $( "<a></a>" )[ this.options.html ? "html" : "text" ]( item.label ) )
1055
				.appendTo( ul );
1056
		}
1057
	});
1058
})( jQuery );