Subversion Repositories eFlore/Applications.cel

Rev

Rev 1639 | Rev 1644 | Go to most recent revision | Details | Compare with Previous | Last modification | View Log | RSS feed

Rev Author Line No. Line
1630 raphael 1
<?php
2
 
3
/**
4
* @category  PHP
5
* @package   jrest
6
* @author    Raphaël Droz <raphael@tela-botania.org>
7
* @copyright 2013 Tela-Botanica
8
* @license   http://www.cecill.info/licences/Licence_CeCILL_V2-fr.txt Licence CECILL
9
* @license GPL v3 <http://www.gnu.org/licenses/gpl.txt>
10
*/
11
 
12
/**
13
 * Service d'export de données d'observation du CEL au format XLS
14
 *
15
 * Format du service :
16
 * POST /ExportXLS
17
 * POST /ExportXLS/<Utilisateur>
18
 * TODO: GET /ExportXLS/<Utilisateur> [ sans "range" ? ]
19
 *
20
 * Les données POST acceptées sont:
21
 * range (obligatoire): un range d'id_observation sous la forme d'entier ou d'intervalles d'entiers
22
 *						séparés par des virgules ou bien '*' (pour toutes)
23
 * TODO: limit
24
 * TODO: départ
25
 * TODO: sets (ou colonnes, ou extended)
26
 * TODO: + les critères supportés par fabriquerSousRequeteRecherche()
27
 *
28
 * Si <Utilisateur> est fourni, celui-ci doit être authentifié
29
 * TODO: export des données public et non-sensible d'un utilisateur
30
 *
31
 * Si <Utilisateur> est fourni, le observations seront le résultat de l'intersection des 2 contraintes
32
 *
33
 */
34
set_include_path(get_include_path() . PATH_SEPARATOR . dirname(dirname(realpath(__FILE__))) . '/lib');
1634 raphael 35
// TERM
36
ini_set('html_errors', 0);
37
ini_set('xdebug.cli_color', 2);
38
require_once('lib/PHPExcel/Classes/PHPExcel.php');
1630 raphael 39
 
1639 raphael 40
define('SEPARATEUR_IMAGES', ",");
41
 
1633 raphael 42
// si getNomCommun_v2 ou getNomCommun_v3 sont utilisés
43
/*require_once('/home/raphael/eflore/framework/framework/Framework.php');
44
Framework::setCheminAppli("/home/raphael/eflore/projets/services/index.php");
45
Framework::setInfoAppli(Config::get('info'));
46
require_once('/home/raphael/eflore/projets/services/modules/0.1/Projets.php');*/
47
 
1630 raphael 48
class ExportXLS extends Cel  {
49
 
1633 raphael 50
	private $cache = Array();
1639 raphael 51
	private $id_utilisateur = NULL;
1633 raphael 52
 
1630 raphael 53
	function ExportXLS($config) {
54
		parent::__construct($config);
55
	}
56
 
57
	/*
58
	 * Process $_POST et $_GET
59
	 * TODO: changer JRest pour pouvoir disposer d'un nom de méthode plus représentatif que "updateXXX"
60
	 * en POST
61
	 */
62
	function updateElement($uid, $pairs) {
1632 raphael 63
		$params = Array('uid' => $uid[0]);
1630 raphael 64
		// TODO: pas de range mais un utilisateur: possible
65
		if(!isset($_POST['range'])) {
66
			header('HTTP/1.0 204 No Content');
67
			exit;
68
		}
1632 raphael 69
		// trim() car: `POST http://url<<<"range=*"`
70
		elseif(trim($_POST['range']) == '*') {
1638 raphael 71
			$obs_ids = Array('*');
1630 raphael 72
		}
73
		else {
1638 raphael 74
			$obs_ids = self::rangeToList(trim($_POST['range']));
1630 raphael 75
		}
1642 raphael 76
 
77
		$params['format'] = 'CSV';
78
		if($_POST['format'] == 'xls') $params['format'] = 'Excel5';
79
		if($_POST['format'] == 'xlsx') $params['format'] = 'Excel2007';
80
 
1638 raphael 81
		$this->export($obs_ids, NULL, $params);
1630 raphael 82
		exit;
83
	}
84
 
85
	/*
86
	 * $param: Tableau associatif, indexes supportés:
87
	 * 		   - widget: le nom du widget d'origine (utilisé pour les méta-données du tableur)
88
	 *
89
	 */
1638 raphael 90
	function export(Array $obs_ids, String $fieldSets = NULL, Array $params = Array()) {
91
		$colonnes = self::nom_d_ensemble_vers_liste_de_colonnes($fieldSets);
92
		// $colonne_abbrev = array_keys($colonnes);
1630 raphael 93
		$chercheur_observations = new RechercheObservation($this->config);
94
 
95
		$objPHPExcel = new PHPExcel();
96
 
97
		// TODO: $params['part'] pour le multi-part
98
		$params['widget'] = isset($params['widget']) ? $params['widget'] : 'CEL';
99
		// TODO: controleUtilisateur()
1632 raphael 100
		if(! $params['uid']) { // || ! $this->controleUtilisateur($params['uid'])) {
1630 raphael 101
			$params['uid'] = NULL;
102
		}
1639 raphael 103
		if($params['uid']) $this->id_utilisateur = intval($params['uid']);
1630 raphael 104
 
105
		$criteres = Array();
1638 raphael 106
		if(! $obs_ids || count($obs_ids) == 1 && $obs_ids[0] == '*') {
1630 raphael 107
			unset($criteres['raw']);
108
		}
109
		else {
110
			$criteres = Array('raw' =>
1638 raphael 111
							  sprintf('id_observation IN (%s)', implode(',', $obs_ids)));
1630 raphael 112
		}
113
 
114
		$criteres['debut'] = isset($_GET['debut']) ? intval($_GET['debut']) : 0;
115
		$criteres['limite'] = isset($_GET['limite']) ? intval($_GET['limite']) : 0;
1632 raphael 116
		$observations = $chercheur_observations
1634 raphael 117
			->rechercherObservations($params['uid'], $criteres, $criteres['debut'], $criteres['limite'], TRUE)
1632 raphael 118
			->get();
119
 
120
		// debug //echo ($chercheur_observations->requete_selection_observations);
1630 raphael 121
		// XXX: malheureusement l'instance de JRest n'est pas accessible ici
122
		if(!$observations) {
123
			header('HTTP/1.0 204 No Content');
124
			exit;
125
		}
126
 
127
		$objPHPExcel->getProperties()->setCreator($params['widget']) // ou $uid ?
128
			->setLastModifiedBy("XX") // TODO: $uid
129
			->setTitle("YY") // TODO
130
			->setSubject("ZZ") // TODO
131
			->setDescription("Export blah");
132
			//->setKeywords("office PHPExcel php")
133
			//->setCategory("Test result file")
134
 
135
		$objPHPExcel->getActiveSheet()->setTitle("Observations");
1638 raphael 136
		$feuille = $objPHPExcel->setActiveSheetIndex(0);
1630 raphael 137
		$colid = 0;
138
		foreach($colonnes as $colonne) {
1639 raphael 139
			if($colonne['extra'] == 2) continue;
140
 
1638 raphael 141
			$feuille->setCellValueByColumnAndRow($colid, 1, $colonne['nom']);
1639 raphael 142
			if($colonne['extra'] == 1) {
1638 raphael 143
				$feuille->getStyleByColumnAndRow($colid, 1)->getBorders()->applyFromArray(
1630 raphael 144
					array(
145
						'allborders' => array(
146
							'style' => PHPExcel_Style_Border::BORDER_DASHDOT,
147
							'color' => array('rgb' => PHPExcel_Style_Color::COLOR_BLUE)
148
						)
149
					)
150
				);
151
			}
1642 raphael 152
			if(! $colonne['importable']) {
153
				$feuille->getStyleByColumnAndRow($colid, 1)->getFill()->applyFromArray(
154
					array(
155
						'type' => PHPExcel_Style_Fill::FILL_SOLID,
156
						'color' => array('rgb' => PHPExcel_Style_Color::COLOR_YELLOW)
157
					)
158
				);
159
			}
160
 
1630 raphael 161
			$colid++;
162
		}
163
 
164
		$objPHPExcel->getActiveSheet()->getDefaultColumnDimension()->setWidth(12);
165
 
1638 raphael 166
		$ligne = 2;
1630 raphael 167
		foreach ($observations as $obs) {
168
			$colid = 0;
1638 raphael 169
			foreach($colonnes as $abbrev => $colonne) {
1639 raphael 170
				if($colonne['extra'] == 2) continue;
171
 
1632 raphael 172
				// valeur direct depuis cel_obs ?
1638 raphael 173
				if(isset($obs[$abbrev])) $valeur = $obs[$abbrev];
1630 raphael 174
 
1632 raphael 175
				// pré-processeur de la champs
176
				if(function_exists($colonne['fonction'])) {
177
					$valeur = $colonne['fonction']($valeur);
178
				} elseif(method_exists(__CLASS__, $colonne['fonction'])) {
179
					$valeur = call_user_func(array(__CLASS__, $colonne['fonction']), $valeur);
180
				} elseif($colonne['fonction']) {
181
					die("méthode {$colonne['fonction']} introuvable");
1630 raphael 182
				}
1632 raphael 183
				// fonction pour obtenir des champs (étendus)
184
				elseif(function_exists($colonne['fonction_data'])) {
185
					$valeur = $colonne['fonction_data']($obs);
186
				}
187
				elseif(method_exists(__CLASS__, $colonne['fonction_data'])) {
188
					$valeur = call_user_func(array(__CLASS__, $colonne['fonction_data']), $obs);
189
				}
1630 raphael 190
 
1632 raphael 191
 
1630 raphael 192
				// // cette section devrait être vide:
193
				// // cas particuliers ingérable avec l'architecture actuelle:
1638 raphael 194
				if(false && $abbrev == 'date_observation' && $valeur == "0000-00-00") { /* blah */ }
1630 raphael 195
				// // fin de section "cas particuliers"
196
 
1638 raphael 197
				$feuille->setCellValueByColumnAndRow($colid, $ligne, $valeur);
1630 raphael 198
				$colid++;
199
			}
1638 raphael 200
			$ligne++;
1630 raphael 201
		}
202
 
203
		header("Content-Type: application/vnd.ms-excel");
204
		header("Content-Disposition: attachment; filename=\"liste.xls\"; charset=utf-8");
205
		header("Cache-Control: max-age=0");
1642 raphael 206
 
207
		// csv|xls|xlsx => CSV|Excel5|Excel2007
208
		// Note: le format Excel2007 utilise un fichier temporaire
209
		$generateur = PHPExcel_IOFactory::createWriter($objPHPExcel, $params['format']);
1638 raphael 210
		$generateur->save('php://output');
1630 raphael 211
		exit;
212
	}
213
 
214
	/*
215
	 * @param $fieldSets: un range, eg: 1-5,8,32,58-101
216
	 * @return un tableau trié, eg: 1,2,3,4,5,8,32,58,...,101
1638 raphael 217
	 * http://stackoverflow.com/questions/7698664/converting-a-range-or-partial-array-in-the-form-3-6-or-3-6-12-into-an-arra
1630 raphael 218
	 */
219
	static function rangeToList($in = '') {
220
		$inSets = explode(',', $in);
221
		$outSets = array();
1632 raphael 222
 
1630 raphael 223
		foreach($inSets as $inSet) {
224
			list($start,$end) = explode('-', $inSet . '-' . $inSet);
1634 raphael 225
			// ignore les ranges trop importants
226
			if($start > 10000000 || $end > 10000000 || abs($start-$end) > 10000) continue;
1630 raphael 227
			$outSets = array_merge($outSets,range($start,$end));
228
		}
229
		$outSets = array_unique($outSets);
230
		$outSets = array_filter($outSets, 'is_numeric');
231
		sort($outSets);
232
		return $outSets;
233
	}
234
 
235
	/*
236
	 * @param $fieldSets: un liste de noms de colonnes ou de sets de colonnes
237
	 *		séparés par des virgules
238
	 * 		eg: "espece" ou "champs-etendus", ...
239
	 *
240
	 * @return: un tableau associatif déjà ordonné
1638 raphael 241
	 * 		clé: abbrev [machine-name] de la colonne (eg: "espece" ou "mot-clef")
1630 raphael 242
	 * 		valeur: des données relative à cette colonne, cf GenColInfo
243
	 *
244
	 * @TODO: fonction commune à la génération en CSV
1638 raphael 245
	 *
1630 raphael 246
	 */
1638 raphael 247
	static function nom_d_ensemble_vers_liste_de_colonnes($groupe_de_champs = 'standard') {
248
		if(! $groupe_de_champs) $groupe_de_champs = 'standard';
249
		$groupe_de_champs = array_flip(explode(',', $groupe_de_champs));
1630 raphael 250
		$colonnes = Array();
251
 
1638 raphael 252
		if(isset($groupe_de_champs['standard'])) {
1630 raphael 253
		   $colonnes += Array(
254
			   'nom_sel'			=> self::GenColInfo('nom_sel', 'Espèce'),
1642 raphael 255
			   'nom_sel_nn'			=> self::GenColInfo('nom_sel_nn', 'Numéro nomenclatural', 0, NULL, NULL, FALSE),
256
			   'nom_ret'			=> self::GenColInfo('nom_ret', 'Nom retenu', 0, NULL, NULL, FALSE),
257
			   'nom_ret_nn'			=> self::GenColInfo('nom_ret_nn', 'Numéro nomenclatural nom retenu', 0, NULL, NULL, FALSE),
258
			   'nt'					=> self::GenColInfo('nt', 'Numéro taxonomique', 0, NULL, NULL, FALSE),
259
			   'famille'			=> self::GenColInfo('famille', 'Famille', 0, NULL, NULL, FALSE),
1630 raphael 260
			   'nom_referentiel'	=> self::GenColInfo('nom_referentiel', 'Referentiel taxonomique'),
261
			   'zone_geo'			=> self::GenColInfo('zone_geo', 'Commune'),
262
			   'ce_zone_geo'		=> self::GenColInfo('ce_zone_geo', 'Identifiant Commune', 0, 'convertirCodeZoneGeoVersDepartement'),
263
			   'date_observation'	=> self::GenColInfo('date_observation', 'Date', 0, 'formaterDate'),
264
			   'lieudit'			=> self::GenColInfo('lieudit', 'Lieu-dit'),
265
			   'station'			=> self::GenColInfo('station', 'Station'),
266
			   'milieu'				=> self::GenColInfo('milieu', 'Milieu'),
267
			   'commentaire'		=> self::GenColInfo('commentaire', 'Notes'),
268
			   'latitude'			=> self::GenColInfo('latitude', 'Latitude', 1),
269
			   'longitude'			=> self::GenColInfo('longitude', 'Longitude', 1),
1642 raphael 270
			   'geodatum'			=> self::GenColInfo('geodatum', 'Référentiel Géographique', 1, NULL, NULL, FALSE),
1630 raphael 271
 
1635 raphael 272
			   // TODO: importable = FALSE car pas de merge de données importées
273
			   'ordre'				=> self::GenColInfo('ordre', 'Ordre', 1, NULL, NULL, FALSE),
274
			   'id_observation'		=> self::GenColInfo('id_observation', 'Identifiant', 1, NULL, NULL, FALSE),
1630 raphael 275
 
276
			   'mots_cles_texte'	=> self::GenColInfo('mots_cles_texte', 'Mots Clés', 1),
277
			   'commentaire'		=> self::GenColInfo('commentaire', 'Commentaires', 1),
1642 raphael 278
			   'date_creation'		=> self::GenColInfo('date_creation', 'Date Création', 1, NULL, NULL, FALSE),
279
			   'date_modification'	=> self::GenColInfo('date_modification', 'Date Modification', 1, NULL, NULL, FALSE),
1639 raphael 280
 
281
			   // rappel transmission = 1, signifie simplement "public"
282
			   // des données importées peuvent être d'emblée "publiques"
283
			   // "importable" = TRUE
284
			   'transmission'		=> self::GenColInfo('transmission', 'Transmis', 1),
1642 raphael 285
			   'date_transmission'	=> self::GenColInfo('date_transmission', 'Date Transmission', 1, NULL, NULL, FALSE),
286
			   'abondance'			=> self::GenColInfo('abondance', 'Abondance', 1),
287
			   'certitude'			=> self::GenColInfo('certitude', 'Certitude', 1),
288
			   'phenologie'			=> self::GenColInfo('phenologie', 'Phénologie', 1),
1632 raphael 289
 
1639 raphael 290
			   'nom_commun'			=> self::GenColInfo('nom_commun', 'Nom Commun', 1, NULL, 'getNomCommun', FALSE),
291
			   //'nom-commun'			=> self::GenColInfo('nom-commun', 'Nom Commun', 1, NULL, 'getNomCommun_v2'),
292
			   //'nom-commun'			=> self::GenColInfo('nom-commun', 'Nom Commun', 1, NULL, 'getNomCommun_v3'),
293
 
1642 raphael 294
			   'images'				=> self::GenColInfo('images', 'Image(s)', 1, NULL, 'getImages', TRUE),
1630 raphael 295
		   );
296
		}
297
 
298
		return $colonnes;
299
	}
300
 
301
	/*
302
	 * Wrapper générant un tableau associatif:
1639 raphael 303
 
304
	 * @param $abbrev (obligatoire): nom court de colonne, largement utilisé lors de l'import.
305
	 *		  En effet chaque ligne importée est accessible à l'aide du `define` de $abbrev en majuscule, préfixé de "C_"
306
	 *		  Exemple: $ligne[C_LONGITUDE] pour "longitude".
307
	 *		  cf: ImportXLS::detectionEntete()
308
 
309
	 * @param $nom (obligatoire): nom complet de colonne (utilisé pour la ligne d'en-tête)
310
 
311
	 * @param $is_extra:
312
	 * Si 0, la colonne est une colonne standard
313
	 * Si 1, la colonne est extra [le plus souvent générée automatiquement]
314
	 *		 (auquel cas une bordure bleue entoure son nom dans la ligne d'entête)
315
	 * Si 2, la colonne n'est pas traité à l'export, mais une définition peut lui être donnée
316
	 *		 qui pourra être utilisée à l'import, exemple: "image"
317
 
1632 raphael 318
	 * @param $fonction (optionnel): un nom d'un fonction de préprocessing
319
	 * 		  $fonction doit prendre comme seul argument la valeur d'origine et retourner la valeur transformée
1639 raphael 320
 
1632 raphael 321
	 * @param $fonction_data (optionnel): une *méthode* d'obtention de donnée
1639 raphael 322
	 * 		  $fonction_data doit prendre comme premier argument le tableau des champs de l'enregistrement existant
1632 raphael 323
	 *		  $fonction_data doit retourner une valeur
324
 
1639 raphael 325
	 * @param $importable (optionnel): défini si la colonne est traitée (ou absolument ignorée par PHPExcel) lors de
326
	 *		  l'import.
327
 
1630 raphael 328
	 */
1638 raphael 329
	static function GenColInfo($abbrev, $nom, $is_extra = 0, $fonction = NULL, $fonction_data = NULL, $importable = TRUE) {
330
		return Array('abbrev' => $abbrev,
1630 raphael 331
					 'nom' => $nom,
332
					 'extra' => $is_extra ? 1 : 0,
1632 raphael 333
					 'fonction' => $fonction,
1635 raphael 334
					 'fonction_data' => $fonction_data,
335
					 'importable' => $importable
1630 raphael 336
		);
337
	}
338
 
339
	protected function formaterDate($date_heure_mysql, $format = NULL) {
340
		if (!$date_heure_mysql || $date_heure_mysql == "0000-00-00 00:00:00") return "00/00/0000";
1632 raphael 341
		$timestamp = DateTime::createFromFormat("Y-m-d H:i:s", $date_heure_mysql)->getTimestamp();
1630 raphael 342
		if(!$timestamp) return "00/00/0000";
343
		// TODO: les widget ne font malheureusement pas usage de l'heure dans le CEL
1639 raphael 344
		// TODO: si modification, ne pas oublier de modifier le format d'import correspondant
345
		//		 dans ImportXLS (actuellement: "d/m/Y")
346
		$date_formatee = strftime('%d/%m/%Y', $timestamp);
1630 raphael 347
		if(!$date_formatee) return "00/00/0000";
348
		return $date_formatee;
349
	}
1633 raphael 350
 
351
 
1639 raphael 352
	// TODO: mettre en static + param "id_utilisateur"
353
	function getImages($obs) {
354
		if(! $this->id_utilisateur) return NULL;
355
 
356
		$rec = $this->requeter(
357
			sprintf("SELECT GROUP_CONCAT(nom_original SEPARATOR '%s') FROM cel_images i"
358
					. " LEFT JOIN cel_obs_images oi ON (i.id_image = oi.id_image)"
359
					. " LEFT JOIN cel_obs o ON (oi.id_observation = o.id_observation)"
360
					. " WHERE ce_utilisateur = %d",
361
 
362
					SEPARATEUR_IMAGES,
363
					$this->id_utilisateur));
364
		return $rec ? array_pop($rec) : NULL;
365
 
366
	}
367
 
368
 
1633 raphael 369
	// TODO: référentiel ne devrait pas être généré au moment d'un Config::get,
370
	// comme dans Config::get('nomsVernaRechercheLimiteeTpl')
371
	// Par exemple, la variable pour "nva" ?
372
	function getNomCommun($obs) {
373
		$langue = 'fra';
374
		list($referentiel) = explode(':', strtolower($obs['nom_referentiel']));
375
		if($referentiel == 'bdtfx') $referentiel = 'nvjfl';
376
		else return '';
377
 
378
		$cache_id = $referentiel . '-' . $obs['nt'] . '-' . $langue;
379
		if(isset($this->cache['getNomCommun'][$cache_id])) {
380
			//debug: error_log("require url_service_nom_attribution: OK ! (pour \"{$obs['nom_ret']}\")");
381
			return $this->cache['getNomCommun'][$cache_id];
382
		}
383
		// pas de cache:
384
		//debug: error_log("require url_service_nom_attribution pour \"{$obs['nom_ret']}\"");
385
 
386
		// pour bdtfx:
387
		// /service:eflore:0.1/nvjfl/noms-vernaculaires/attributions?masque.nt=X&masque.lg=fra&retour.champs=num_statut
388
		// /projet/services/modules/0.1/nvjfl/NomsVernaculaires.php
389
		$url = str_replace(Array('{referentiel}', '{valeur}', '{langue}'),
390
						   Array($referentiel, $obs['nt'], $langue),
391
						   $this->config['eflore']['url_service_nom_attribution']) .
392
			"&retour.champs=num_statut";
393
		$noms = @json_decode(file_get_contents($url));
394
		if(! $noms) return '';
395
		$noms = array_filter((array)($noms->resultat), function($item) { return ($item->num_statut == 1); });
396
		$nom = array_pop($noms)->nom_vernaculaire;
397
 
398
		// cache
399
		$this->cache['getNomCommun'][$cache_id] = $nom;
400
		return $nom;
401
	}
402
 
403
 
404
	/* Tente de bootstraper le framework au plus court et d'initialiser une instance de
405
	   NomsVernaculaires pour obtenir le nom commun */
406
	function getNomCommun_v2($obs) {
407
		static $service;
408
		$service = new Projets();
409
 
410
		$langue = 'fra';
411
		list($referentiel) = explode(':', strtolower($obs['nom_referentiel']));
412
		if($referentiel == 'bdtfx') $referentiel = 'nvjfl';
413
		else return '';
414
 
415
		$cache_id = $referentiel . '-' . $obs['nt'] . '-' . $langue;
416
		if(isset($this->cache['getNomCommun'][$cache_id])) {
417
			error_log("require NomsVernaculaires.php: OK ! (pour \"{$obs['nom_ret']}\")");
418
			return $this->cache['getNomCommun'][$cache_id];
419
		}
420
		// pas de cache:
421
		error_log("require NomsVernaculaires.php pour \"{$obs['nom_ret']}\"");
422
 
1638 raphael 423
		$donnees = Array('masque.nt' => $obs['nt'],
1633 raphael 424
							 'masque.lg' => $langue,
425
							 'retour.champs' => 'num_statut');
1638 raphael 426
		$noms = $service->consulter(Array('nvjfl', 'noms-vernaculaires'), $donnees);
1633 raphael 427
 
428
		if(! $noms) return '';
429
		$noms = array_filter((array)($noms->resultat), function($item) { return ($item->num_statut == 1); });
430
		$nom = array_pop($noms)->nom_vernaculaire;
431
 
432
		// cache
433
		$this->cache['getNomCommun'][$cache_id] = $nom;
434
		return $nom;
435
	}
436
 
437
 
438
	/* Effectue un bootstraping plus sage que ci-dessus, mais le gain d'efficacité
439
	   n'est pas aussi retentissant qu'espéré */
440
	static $service;
441
	function getNomCommun_v3($obs) {
442
		if(! $this->service) $this->service = new Projets();
443
 
444
		$langue = 'fra';
445
		list($referentiel) = explode(':', strtolower($obs['nom_referentiel']));
446
		if($referentiel == 'bdtfx') $referentiel = 'nvjfl';
447
		else return '';
448
 
449
		$cache_id = $referentiel . '-' . $obs['nt'] . '-' . $langue;
450
		if(isset($this->cache['getNomCommun'][$cache_id])) {
451
			error_log("require NomsVernaculaires.php: OK ! (pour \"{$obs['nom_ret']}\")");
452
			return $this->cache['getNomCommun'][$cache_id];
453
		}
454
		// pas de cache:
455
		error_log("require NomsVernaculaires.php pour \"{$obs['nom_ret']}\"");
456
 
1638 raphael 457
		$donnees = Array('masque.nt' => $obs['nt'],
1633 raphael 458
					  'masque.lg' => $langue,
459
					  'retour.champs' => 'conseil_emploi');
1638 raphael 460
		$this->service->initialiserRessourcesEtParametres(Array('nvjfl', 'noms-vernaculaires', 'attributions'), $donnees);
1633 raphael 461
		try {
462
			$noms = $this->service->traiterRessources();
463
		} catch(Exception $e) { return ''; }
464
		if(! $noms) return '';
465
		$noms = array_filter($noms['resultat'], function($item) { return ($item['num_statut'] == 1); });
466
		$nom = array_pop($noms)['nom_vernaculaire'];
467
 
468
		// cache
469
		$this->cache['getNomCommun'][$cache_id] = $nom;
470
		return $nom;
471
	}
472
 
473
}