Subversion Repositories eFlore/Applications.cel

Rev

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

Rev Author Line No. Line
3755 killian 1
<?php
2
 
3
/*
4
	PHP 7
5
 
3773 killian 6
	Script used to synchronize PN occ with Flora Data
7
 
8
	Écrit en franglish pour une meilleure compréhension (lol)
3755 killian 9
*/
10
 
11
class PullPlantnet extends Script {
12
 
13
	protected $bdd;
14
 
3773 killian 15
	protected $debug = false;
16
 
3755 killian 17
	protected $allowedPartners = ['tb', 'pn'];
18
 
19
	// Nom du fichier contenant les correspondances d'ID TB/PN
20
	protected $correspondingIdsFilename = '';
21
 
22
	// Cache d'informations utilisateurs provenant de l'annuaire TB
23
	protected $userInfos = [];
24
 
3758 killian 25
	// Cache des obs id PN traitées pendant cette run
26
	protected $processedObsId = [];
27
 
3755 killian 28
	// Paramètre de suivi et de pagination de l'API des obs PN
29
	protected $currentPage = '';
30
	protected $currentProject = '';
31
	protected $hasMore = false;
32
 
33
	// Traduction des organes de PN
34
	protected $tagsImageTraduits = [
35
		'flower' => 'fleur',
36
		'fruit' => 'fruit',
37
		'leaf' => 'feuille',
38
		'bark' => 'écorce',
39
		'branch' => 'branche',
40
		'habit' => 'port',
41
	];
42
 
3768 killian 43
	// Différents types de lifecle possible pour filtrer les obs
44
	// Modified renvoi les obs en fonction de leur date de modif
45
	// Created, en fonction de la date de création
46
	// Deleted, well, you already got it
47
	protected $lifecycles = [
48
		'created',
49
		'modified',
3773 killian 50
		'deleted', // deleted peut être très lent (pas d'index coté PN pour le moment)
3768 killian 51
	];
52
 
3755 killian 53
	/**
54
	 * Paramêtres par défaut disponibles pour la ligne de commande
55
	 * le tableau se construit de la forme suivante :
56
	 * - clé =  nom du paramêtre '-foo'
57
	 * - value = contient un nouveau tableau composé de cette façon :
58
	 *  - booléen: true si le paramêtre est obligatoire
59
	 *  - booléen ou var : true si le paramêtre nécessite un valeur à sa suite ou la valeur par défaut
60
	 *  - string: description du contenu du paramêtre
61
	 * Les paramêtres optionels devraient être déclaré à la fin du tableau.
62
	 * Le dernier parametre du tableau peut avoir la valeur '...',
63
	 * il contiendra alors l'ensemble des paramêtres suivant trouvés sur la ligne de commande.
64
	 * @var array
65
	 */
66
	protected $parametres_autorises = array(
3768 killian 67
		'-startDate' => array(false, true, 'Date de début (parsée par strtotime). Ex: "YYYY:MM:DD HH:II:SS"'),
68
		'-lifecycle' => array(false, true, 'Par défaut : modified ; Au choix parmi : created/modified/deleted (deleted est lent)'),
3755 killian 69
		'-pnObsId' => array(false, true, "ID de l'obs chez PlantNet"),
3763 killian 70
		'-project' => array(false, true, "projectId de l'obs chez PlantNet"),
3755 killian 71
		'-tbObsId' => array(false, true, "ID de l'obs chez Tela"),
3773 killian 72
		'-debug' => array(false, false, "Mode débug (ajoute du log) Au choix parmi : debug/log (log est plus verbeux)"),
3755 killian 73
	);
74
 
75
	public function __construct($script_nom, $parametres_cli) {
76
		parent::__construct($script_nom, $parametres_cli);
77
		$this->bdd = new Bdd();
78
 
79
		$this->correspondingIdsFilename = Config::get('correspondingIdsFilename');
3773 killian 80
 
81
		$this->debug = $this->getParametre('debug');
3755 killian 82
	}
83
 
84
	public function executer() {
85
		$cmd = $this->getParametre('a');
86
 
87
		switch ($cmd) {
88
			case 'updateLatest':
3773 killian 89
				$this->updateLatest($this->getParametre('startDate'), $this->getParametre('lifecycle'));
3755 killian 90
				break;
91
			case 'updateOnePN':
3763 killian 92
				$this->updateOnePN((int)$this->getParametre('pnObsId'), $this->getParametre('project'));
3755 killian 93
				break;
94
			case 'updateOneTB':
3773 killian 95
				$this->updateOneTB((int)$this->getParametre('tbObsId'));
3755 killian 96
				break;
97
			case 'updateCorrespondingIdsTable':
98
				$this->updateCorrespondingIdsTable();
99
				break;
100
			default:
101
				$msg = "Erreur : la commande '$cmd' n'existe pas!\n"
102
						. ', utilisez plutôt :' . "\n"
3768 killian 103
						. 'php cli.php PullPlantnet -a updateLatest -startDate "YYYY:MM:DD HH:II:SS" [[-lifecycle [modified]/created/deleted]]' . "\n"
3773 killian 104
						. 'php cli.php PullPlantnet -a updateOnePN -pnObsId "1234567890" -project "xxxxxx"' . "\n"
105
						. 'php cli.php PullPlantnet -a updateOneTB -tbObsId "1234567890"' . "\n"
3755 killian 106
						. 'php cli.php PullPlantnet -a updateCorrespondingIdsTable' . "\n"
107
						;
108
				throw new Exception($msg);
109
		}
110
	}
111
 
112
	/**
113
	 * Considering all modified pn obs since startDate
114
	 * One pn project after an other
115
	 * Inserting obs in tb db (if new and matching user email)
116
	 */
3768 killian 117
	private function updateLatest(string $startDate = '1917:03:15 00:00:00', string $lifecycle = 'modified') {
118
		$startDate = strtotime($startDate) * 1000; // we need a microtimestamp
3755 killian 119
 
120
		$pnProjects = $this->getProjects(); // refresh projects list
121
		foreach ($pnProjects as $project) {
122
			do {
3768 killian 123
				$observations_PN = $this->getProjectLatest($project, $startDate, $lifecycle);
3755 killian 124
				$this->updateObs($observations_PN);
125
			} while ($this->hasMore);
126
		}
127
	}
128
 
3768 killian 129
	private function getProjectLatest(array $project, int $startDate, string $lifecycle): array {
3755 killian 130
		$this->currentProject = $project;
3779 killian 131
		$this->refreshBddConnexion();
3755 killian 132
 
133
		if (!$this->currentPage) {
134
			echo 'Projet ' . $project['name'] . "\n";
135
 
136
			// hop, on appelle le service de PN
137
			$url_service = str_replace(
3768 killian 138
				['{project}', '{token}', '{startDate}', '{lifecycle}'],
139
				[$project['id'], Config::get('tokenPlantnet'), $startDate, $lifecycle],
3755 killian 140
				Config::get('urlPlantnetBase').Config::get('urlPlantnetLatestChanges')
141
			);
3773 killian 142
 
143
			$this->debug("URL service derniers changements : $url_service");
144
 
3755 killian 145
			$this->currentPage = $url_service;
146
		}
147
 
148
		$ch = curl_init($this->currentPage);
149
		curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
150
		$reponse = curl_exec($ch);
151
		$code = curl_getinfo($ch, CURLINFO_HTTP_CODE);
152
		curl_close($ch);
153
 
154
		// cool, maintenant on va trier ce qu'on a reçu
155
		if (!$reponse) {
156
			throw new Exception("\nPN ne répond rien à l'adresse {$this->currentPage}\n");
157
		} elseif (200 != $code) {
158
			// l'api répond avec une 404 quand y'a une date dans le futur ou simplement pas de nouvelle obs...
159
			if (404 == $code && strpos($reponse, 'No more results')) {
3773 killian 160
				$this->log("Pas d'autres résultats");
3755 killian 161
				$this->hasMore = false;
162
				$this->currentPage = '';
163
				return [];
164
			}
165
			throw new Exception("\nPN répond avec une $code à l'adresse {$this->currentPage} : $reponse\n");
166
		}
167
		$responseJson = json_decode($reponse, true);
168
		$observations_PN = $responseJson['data'] ?? [];
169
 
170
		$this->hasMore = $responseJson['hasMore'];
171
		if ($this->hasMore) {
3763 killian 172
			$this->currentPage = Config::get('urlPlantnetBase').$responseJson['next'];
3773 killian 173
			$this->debug("URL service derniers changements, page suivante : {$this->currentPage}");
3755 killian 174
		} else {
175
			$this->currentPage = '';
176
		}
177
 
178
		return $observations_PN;
179
	}
180
 
181
	private function getProjects(): array {
182
		// get PN projects list
183
		$url = str_replace('{token}', Config::get('tokenPlantnet'), Config::get('urlPlantnetBase').Config::get('urlPlantnetProjects'));
184
 
3773 killian 185
		$this->debug("URL service liste projets : $url");
186
 
3755 killian 187
		$ch = curl_init($url);
188
		curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
189
		$reponse = curl_exec($ch);
190
		$code = curl_getinfo($ch, CURLINFO_HTTP_CODE);
191
		curl_close($ch);
192
 
193
		if (!$reponse || 200 != $code) {
3768 killian 194
			throw new Exception("\nPN répond avec une $code à l'adresse $url : $reponse\n");
3755 killian 195
		}
196
		$pnProjects = json_decode($reponse, true);
197
 
198
		echo 'Liste de projets récupérée : ' . count($pnProjects) . " projets dans la liste\n";
199
 
3773 killian 200
		$this->debug("Liste projets : " . json_encode($pnProjects));
201
 
3755 killian 202
		return $pnProjects;
203
	}
204
 
205
	/**
206
	 * For a given bunch of plantnet obs, post new one threw saisie widget service
207
	 */
208
	private function updateObs(array $observations_PN) {
209
 
210
		$url_cel_widget_saisie = Config::get('urlCelWidgetSaisie');
211
 
212
		foreach ($observations_PN as $obs) {
3758 killian 213
			// est-ce qu'on a déjà traité cette obs ? (oui une même obs peut être dans plusieurs projects)
214
			if (in_array($obs['id'], $this->processedObsId)) {
3773 killian 215
				$this->log("Obs {$obs['id']} déjà traitée pendant cette run");
3758 killian 216
				continue;
217
			} else {
218
				$this->processedObsId[] = $obs['id'];
3773 killian 219
				$this->log("Obs {$obs['id']} ajoutée à la liste de cette run");
3758 killian 220
			}
221
 
3755 killian 222
			// on ne teste pas la suppression de l'obs ici, faut le faire après avoir vérifié si on l'a déjà synchro
223
			if (!isset($obs['currentName'])) {
3773 killian 224
				$this->log("Obs {$obs['id']} sans nom de taxon, on zap");
3755 killian 225
				continue; // pas de nom de taxon, obs inutile
226
			}
227
			if (!isset($obs['geo'])) {
3773 killian 228
				$this->log("Obs {$obs['id']} sans geom, on zap");
3755 killian 229
				continue; // pas de position, obs inutile
230
			}
231
			if (!isset($obs['dateObs'])) {
3773 killian 232
				$this->log("Obs {$obs['id']} sans date, on zap");
3755 killian 233
				continue; // pas de date, obs inutile
234
			}
235
 
236
			if (isset($obs['partner']['id']) && 'tela' === $obs['partner']['id']) {
237
				// c'est une obs tela
238
				// si c'est mis à jour récemment coté PN et qu'on l'a pas supprimée chez nous entre temps
239
					// on update les votes PN
240
					// on update l'identification proposée par PN
241
 
242
				// @TODO
3773 killian 243
				$this->log("Obs {$obs['id']} venant de Tela, mise à jour pas implémentée, on zap");
3755 killian 244
				continue;
245
			} elseif (!isset($obs['partner']['id'])) {
246
				// ce n'est pas une obs d'un partenaire, c'est donc une obs PN
247
				// on récupère l'id utilisateur tela via son mail
248
				$email = $obs['author']['email'];
249
				$infos_utilisateur = $this->findUserInfo($email);
250
				if (!$infos_utilisateur) {
3773 killian 251
					$this->log("Obs {$obs['id']} email $email ne provient pas d'un telabotaniste");
3755 killian 252
					continue; // c'est pas un telabotaniste
253
				}
3773 killian 254
				$this->log("Obs {$obs['id']} email $email provient d'un telabotaniste");
255
				$this->log(json_encode($obs));
3755 killian 256
				// die(var_dump($obs));
257
 
258
				// vérification que l'obs n'a pas déjà été ajoutée à la BdD de Tela
259
				$sql = "SELECT date_maj, id_observation FROM cel_plantnet WHERE id_plantnet = '{$obs['id']}'"
260
						. ' -- ' . __FILE__ . ':' . __LINE__;
261
				$res = $this->bdd->recupererTous($sql);
262
				// die(var_dump($res));
263
				if ($res) {
264
					// l'obs existe déjà, on vérifie si il faut màj puis on passe à la suite
265
					// la date de l'obs est un microtime, donc on coupe les millièmes
266
					// die(var_dump((int)($obs['dateUpdated']/1000), strtotime($res[0]['date_maj'])));
267
					if ((int)($obs['dateUpdated']/1000) > strtotime($res[0]['date_maj'])) {
3763 killian 268
						echo "Obs déjà en base, mise à jour : ID PN {$obs['id']} ; ID TB {$res[0]['id_observation']} ; utilisateur_tb $email\n";
3755 killian 269
						$this->updateFromPN($obs, $res[0]['id_observation']);
270
					} else {
3763 killian 271
						echo "Obs déjà en base, déjà à jour : ID PN {$obs['id']} ; ID TB {$res[0]['id_observation']} ; utilisateur_tb $email\n";
3755 killian 272
					}
273
					continue;
274
				}
275
 
276
				if (isset($obs['deleted']) && (true === $obs['deleted'])) {
3773 killian 277
					$this->log("Obs {$obs['id']} supprimée coté PlantNet");
3755 killian 278
					continue; // obs supprimée chez PN sans être passée par nos serveurs
279
				}
280
 
281
				$images = [];
282
				$tags_images = [];
3771 killian 283
				$images_size = 0;
3755 killian 284
				foreach ($obs['images'] ?? [] as $i => $image) {
285
					if ($image['deleted']) {
3773 killian 286
						$this->log("Obs {$obs['id']} image {$image['id']} supprimée coté PlantNet");
3755 killian 287
						continue;
288
					}
289
 
290
					// téléchargement de l'image PN
3763 killian 291
					$img = false;
292
					$retry = 3;
293
					do {
294
						$img = file_get_contents($image['o']);
3781 killian 295
						if (!$img) {
296
							$retry--;
297
							$this->log("Obs {$obs['id']} lecture image {$image['id']} tentatives restantes : $retry");
298
						}
3763 killian 299
					} while (!$img && $retry);
300
 
301
					if (!$img) {
302
						echo "Abandon, image impossible à télécharger : {$image['o']}\n";
303
						continue;
304
					}
305
 
306
					// Écriture dans un fichier temporaire
3755 killian 307
					$tempfile = tempnam("/tmp", "PullPN_") . ".jpg";
308
					$handle = fopen($tempfile, "w");
3763 killian 309
					fwrite($handle, $img);
3755 killian 310
					fclose($handle);
3771 killian 311
					$images_size += filesize($tempfile);
3755 killian 312
 
3773 killian 313
					$this->log("Obs {$obs['id']} image {$image['id']} créée " . number_format(filesize($tempfile), 0, ',', ' ') . " octets : $tempfile");
3755 killian 314
 
315
					$params = [
316
						'name' => 'image' . $i,
317
						'fichier' => new CURLFile($tempfile, 'image/jpg')
318
					];
319
 
320
					// envoi de l'image PN à l'api de création
321
					$ch = curl_init(Config::get('urlCelUploadImageTemp'));
322
					curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
323
					curl_setopt($ch, CURLOPT_POST, true);
324
					curl_setopt($ch, CURLOPT_POSTFIELDS, $params);
325
					$reponse = curl_exec($ch);
3773 killian 326
					$this->log("Obs {$obs['id']} image {$image['id']} envoyée à l'api de création. Réponse : $reponse");
3755 killian 327
					$code = curl_getinfo($ch, CURLINFO_HTTP_CODE);
328
					curl_close($ch);
329
 
330
					unlink($tempfile);
331
 
332
					$reponse = simplexml_load_string($reponse);
333
					/* Response format if success:
334
					<?xml version="1.0" encoding="UTF-8"?>
335
					<root>
336
						<miniature-url>https://api-test.tela-botanica.org/tmp/cel/imgtmp/chaflipe_min.jpg</miniature-url>
337
						<image-nom>chaflipe.jpg</image-nom>
338
						<message></message>
339
						<debogage></debogage>
340
					</root>
341
					*/
342
					// var_dump($reponse);
343
					if ($reponse && '' == $reponse->message /* && '' != $reponse->{'image-nom'} */) {
344
						$images[] = (string)$reponse->{'image-nom'};
3771 killian 345
 
346
						$tag = $this->tagsImageTraduits[$image['organ']] ?? $image['organ'];
347
						if (trim($tag)) {
348
							$tags_images[] = $tag;
349
						}
3755 killian 350
					}
351
				}
352
				// var_dump($images, $tags_images);
353
				// die();
354
 
3763 killian 355
				$geo = $this->getGeoInfo($obs['geo']);
3773 killian 356
				$this->log("Obs {$obs['id']} décodage du geom : " . json_encode($obs['geo']));
357
				$this->log("Obs {$obs['id']} geom décodé : " . json_encode($geo));
3763 killian 358
 
3755 killian 359
				// on insère l'obs via le service CelWidgetSaisie
360
				$infos_obs = [
3763 killian 361
					'obsId1[date]' => date('d/m/Y', intdiv($obs['dateObs'], 1000)),
362
					'obsId1[latitude]' => $geo['lat'] ?? null,
363
					'obsId1[longitude]' => $geo['lon'] ?? null,
364
					'obsId1[pays]' => $geo['countryCode'] ?? null,
365
					'obsId1[code_postal]' => $geo['postcode'] ?? null,
366
					'obsId1[commune_nom]' => $geo['city'] ?? null,
3755 killian 367
					// 'obsId1[commune_code_insee]' => '',
368
					// 'obsId1[lieudit]' => '',
369
					// 'obsId1[milieu]' => '',
3763 killian 370
					'obsId1[nom_sel]' => $obs['currentName'],
3755 killian 371
					// 'obsId1[nom_ret]' => '',
3763 killian 372
					// 'obsId1[famille]' => '',
3755 killian 373
					'obsId1[certitude]' => 'douteux',
374
					// 'obsId1[notes]' => '',
375
					// 'obsId1[num_nom_ret]' => '',
376
					// 'obsId1[num_nom_sel]' => '',
377
					// 'obsId1[num_taxon]' => '',
3773 killian 378
					'obsId1[referentiel]' => $this->findProbableTaxoRepos($this->currentProject['id']), // @TODO faire une fois et mettre en cache
3755 killian 379
					// 'obsId1[station]' => '',
380
					'obsId1[obs_id]' => $obs['id'],
381
					'projet' => 'PlantNet',
382
					'tag-img' => implode(', ', $tags_images ?? []),
383
					'tag-obs' => 'plantnet, plantnet-mobile, pn:referentiel-' . $this->currentProject['id'],
384
					'utilisateur[courriel]' => $email,
385
					'utilisateur[id_utilisateur]' => $infos_utilisateur['id'],
386
					'utilisateur[nom]' => $infos_utilisateur['nom'],
387
					'utilisateur[prenom]' => $infos_utilisateur['prenom'],
388
					'origin' => 'pullPlantnet',
389
				];
390
 
391
				foreach ($images as $i => $image) {
392
					$infos_obs["obsId1[image_nom][$i]"] = $image;
393
				}
394
 
3773 killian 395
				$this->log("Obs {$obs['id']} prête à être insérée : " . json_encode($infos_obs));
396
 
3755 killian 397
				// curl post $infos_obs
398
				$ch = curl_init($url_cel_widget_saisie);
399
				curl_setopt($ch, CURLOPT_POST, true);
400
				curl_setopt($ch, CURLOPT_POSTFIELDS, $infos_obs);
401
				curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
402
				$reponse = curl_exec($ch);
3773 killian 403
				$this->log("Obs {$obs['id']} réponse de la requête d'insertion : " . json_encode($reponse));
3755 killian 404
				$code = curl_getinfo($ch, CURLINFO_HTTP_CODE);
405
				curl_close($ch);
406
 
407
				if (!$reponse || 200 != $code) {
408
					throw new Exception("Ça a pété à l'envoi de l'obs :\n $reponse\n avec l'obs : " . json_encode($infos_obs) . "\n");
409
				}
410
 
3763 killian 411
				$id_obs_tb = json_decode($reponse, true)['id'];
412
				$id_obs_pn = $obs['id'];
3755 killian 413
				// on insère les ids de correspondance obsPN obsTB dans la table cel_plantnet
414
				$sql = 'INSERT INTO cel_plantnet (id_observation, id_plantnet, date_maj)'
415
						.' VALUES (%s, %s, NOW())'
416
						. ' -- ' . __FILE__ . ':' . __LINE__;
3763 killian 417
				$sql = sprintf($sql, $this->bdd->proteger($id_obs_tb), $this->bdd->proteger($id_obs_pn));
3755 killian 418
				$this->bdd->requeter($sql);
3763 killian 419
 
3771 killian 420
				$date = date('d/m/Y H:i:s', intdiv($obs['dateObs'], 1000));
421
				$count_img = count($images);
422
				$images_size = number_format($images_size, 0, ',', ' ');
3773 killian 423
				echo "Obs insérée en base : ID PN $id_obs_pn ; ID TB $id_obs_tb ; utilisateur_tb $email ; date_obs $date ; images $count_img ; taille_octets $images_size \n";
3755 killian 424
			}
425
		}
426
	}
427
 
428
	/**
429
	 * Return TB taxo repos names for given PN project
430
	 *
431
	 * @return string
432
	 */
433
	private function findProbableTaxoRepos($pnProjectId) {
434
		$selectedRepos = [];
435
		// Référentiels tela botanica indexés par référentiels PN (version octobre 2019)
436
		// @TODO à revoir en fonction des nouvelles mises en prod de nouveaux référentiels
437
		$tbTaxoRepos = [
438
			'afn' => [/*'apd', */'isfan'],
439
			'aft' => ['apd'],
440
			'antilles' => ['bdtxa', 'taxref'],
441
			'canada' => ['vascan'],
442
			'comores' => ['apd'],
443
			'endemia' => ['florical', 'taxref'],
444
			'taxref	' => ['bdtfx'],
445
			'guyane' => ['aublet', 'taxref'],
446
			'hawai' => [],
447
			'lapaz' => ['aublet', 'taxref'],
448
			'martinique' => ['bdtxa', 'taxref'],
449
			'maurice' => ['apd'],
450
			'medor' => ['lbf'],
451
			'namerica' => [],
452
			'polynesiefr' => ['taxref'],
453
			'prosea' => ['asia'],
454
			'prota' => ['isfan', 'apd'],
455
			'provence' => ['bdtfx', 'taxref'],
456
			'reunion' => ['bdtre', 'taxref'],
457
			'salad' => ['bdtfx', 'taxref'],
458
			'useful' => [],
459
			'weurope' => ['bdtfx'],
460
			'the-plant-list' => [],
461
			'iscantree' => ['apd'],
462
			'central-america' => [],
463
			'invasion' => ['bdtfx'],
464
			'weeds' => ['bdtfx'],
465
			'malaysia' => [],
466
		];
467
 
468
		if (array_key_exists($pnProjectId, $tbTaxoRepos)) {
469
			array_map(function($repo) use ($selectedRepos) {
470
				$selectedRepos[] = $repo;
471
			}, $tbTaxoRepos[$pnProjectId]);
472
		}
473
 
474
		// @TODO chercher le nom dans plusieurs référentiels avant d'envoyer l'obs
475
		// prendre "enrichirDonneesTaxonomiques" du service de saisie et le coller ici
476
		// en attendant on envoi juste le premier référentiel trouvé
477
		return $selectedRepos[0] ?? '';
478
	}
479
 
480
	/*
481
	 * Retrouve les infos d'un utilisateur tela à partir de son email
482
	 * @param string $email User email
483
	 * @return mixed 		Tableau des infos de l'utilisateur
484
	 *						False si l'email n'est pas trouvé dans l'annuaire
485
	 */
486
	private function findUserInfo($email) {
487
		// cherche dans le cache
488
		if (array_key_exists($email, $this->userInfos)) {
489
			$infosUtilisateur = $this->userInfos[$email];
490
			// echo("Email in cache : $email\n");
491
		} else {
492
			$infosUtilisateur = false;
493
			$urlInfosUtilisateur = str_replace('{email}', $email, Config::get('urlAnnuaireIdParEmail'));
494
 
3781 killian 495
			$reponse = false;
496
			$retry = 3;
497
			do {
498
				$ch = curl_init($urlInfosUtilisateur);
499
				curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
500
				$reponse = curl_exec($ch);
501
				$code = curl_getinfo($ch, CURLINFO_HTTP_CODE);
502
				curl_close($ch);
503
				$retry--;
504
				if (!$reponse) {
505
					sleep(1);
506
					$this->log("Echec annuaire pour la requête $urlInfosUtilisateur tentatives restantes : $retry");
507
				}
508
			} while (!$reponse && $retry);
3755 killian 509
 
3781 killian 510
			if (!$reponse) {
511
				echo "Abandon, l'annuaire semble injoignable, impossible à télécharger : $urlInfosUtilisateur\n";
512
				return false;
513
			}
514
 
3755 killian 515
			// on peut pas tester le code de réponse de cette api, si l'utilisateur n'est pas trouvé ça fait une 500 >_<
516
			// une bonne réponse ressemble à ça :
517
			// {"killian@tela-botanica.org":{"id":"30489","prenom":"Killian","nom":"Stefanini","pseudo":"Killian Stefanini","pseudoUtilise":true,"intitule":"Killian Stefanini","avatar":"\/\/www.gravatar.com\/avatar\/a9b9b8484076540924c03af816c77fc8?s=50&r=g&d=mm","groupes":{"19226":"adm","18943":"","23152":"","21684":"","21598":"adm","23184":"","23516":""},"permissions":["editor"],"nomWiki":"KillianStefanini"}}
518
			$reponse = json_decode($reponse, true);
519
			if (!isset($reponse)) {
520
				throw new Exception("\nL'annuaire n'a pas répondu avec du json : code $code à l'adresse $urlInfosUtilisateur : $reponse\n");
521
			}
522
 
523
			if (!isset($reponse['error'])) {
524
				$infosUtilisateur = array_shift($reponse);
525
			}
526
 
527
			// met en cache
528
			$this->userInfos[$email] = $infosUtilisateur;
529
			// echo("Email cached : $email\n");
530
		}
531
 
532
		return $infosUtilisateur;
533
	}
534
 
3763 killian 535
	private function getGeoInfo($obs) {
536
		$geo = [];
537
		if (!isset($obs['lat']) && !isset($obs['lon'])) {
538
			return $geo;
539
		}
540
 
541
		// $data = [
542
		// 	'hitsPerPage' => 1,
543
		// 	'aroundLatLng' => "{$obs['lat']},{$obs['lon']}"
544
		// ];
545
		$headers = [
546
			'X-Algolia-Application-Id' => Config::get('algoliaApplicationId'),
547
			'X-Algolia-API-Key' => Config::get('algoliaAPIKey'),
548
		];
549
 
550
		$lat = number_format($obs['lat'], 6, '.', '');
551
		$lon = number_format($obs['lon'], 6, '.', '');
552
 
553
		$ch = curl_init(Config::get('urlReverseGeocodingLatLng')."$lat,$lon");
554
		curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);
555
		curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
556
		$reponse = curl_exec($ch);
557
		$code = curl_getinfo($ch, CURLINFO_HTTP_CODE);
558
		curl_close($ch);
559
 
560
		if ($reponse) {
561
			$reponse = json_decode($reponse, true);
562
			// die(var_dump($reponse));
563
			$infos = $reponse['hits'][0];
564
 
565
			$geo = [
566
				'lat' => (string) $obs['lat'],
567
				'lon' => (string) $obs['lon'],
568
				'country' => $infos['country']['fr'] ?? $infos['country']['default'],
569
				'city' => $infos['city']['default'][0] ?? null,
570
				'postcode' => $infos['postcode'][0] ?? null,
571
				'countryCode' => strtoupper($infos['country_code']),
572
			];
573
		}
574
 
575
		return $geo;
576
	}
577
 
3755 killian 578
	private function updateFromPN(array $pnObs, string $tbObsId) {
579
		if (!is_array($pnObs) || !is_string($tbObsId)) {
580
			// die(var_dump($pnObs, $tbObsId));
3763 killian 581
			throw new Exception("\nBad params types, give me an array and an integer plz\n");
3755 killian 582
		}
583
		// die(var_dump($pnObs));
584
 
3763 killian 585
		// log update date to cel_plantnet
586
		$sql = "UPDATE cel_plantnet SET date_maj = NOW() WHERE id_observation = $tbObsId"
587
				. ' -- ' . __FILE__ . ':' . __LINE__;
588
		$this->bdd->requeter($sql);
589
 
3755 killian 590
		// check for deleted
591
		if (isset($pnObs['deleted']) && (true === $pnObs['deleted'])) {
592
			// est-ce une obs issue de PN ?
593
			//// faut regarder le champ input_source == PlantNet
594
			$sql = "SELECT input_source FROM occurrence WHERE id = '$tbObsId'"
595
					. ' -- ' . __FILE__ . ':' . __LINE__;
596
			$res = $this->bdd->recupererTous($sql);
3763 killian 597
 
3755 killian 598
			if (isset($res[0]) && ('PlantNet' === $res[0]['input_source'])) {
599
				// oui ? alors supprimer obs !
3781 killian 600
				echo "Obs supprimée coté PN, suppression : ID PN {$pnObs['id']} ; ID TB {$res[0]['id_observation']}\n";
3763 killian 601
 
3781 killian 602
				$sql = "UPDATE photo SET occurrence_id = NULL WHERE occurrence_id = '$tbObsId'"
3755 killian 603
						. ' -- ' . __FILE__ . ':' . __LINE__;
604
				$this->bdd->requeter($sql);
3763 killian 605
 
606
				$sql = "DELETE FROM occurrence WHERE id = '$tbObsId'"
3755 killian 607
						. ' -- ' . __FILE__ . ':' . __LINE__;
608
				$this->bdd->requeter($sql);
609
			}
610
		}
611
 
612
		// check for deleted images
613
		foreach ($pnObs['images'] as $image) {
614
			if ($image['deleted']) {
615
				// no idea
616
				// y'a pas encore de lien tangible entre les images PN et les notres
617
			}
618
		}
619
 
620
		// @TODO : finir la comparaison des proposition entre celles de Tela et celles PN
621
		// // check for votes (notes et taxon)
622
		// $names = [];
623
		// foreach ($pnObs['computed']['votes'] as $vote) {
624
		// 	echo($vote['name']);
625
		// 	echo($vote['score']['pn']);
626
		// 	echo($vote['score']['total']);
627
 
628
		// 	$names[$vote['score']['pn']] = $vote['name'];
629
		// }
630
		// ksort($names, SORT_NUMERIC); // votes sorted by score asc
631
		// $pn_sorted_votes = array_reverse($names, true); // desc
632
 
633
		// // get existing votes
634
		// $sql = "SELECT id_commentaire, nom_sel, nom_sel_nn, nom_referentiel, nom_referentiel, utilisateur_courriel, proposition_initiale, proposition_retenue"
635
		// 		. "WHERE ce_observation = '$tbObsId' AND ce_commentaire_parent = 0"
636
		// 		. ' -- ' . __FILE__ . ':' . __LINE__;
637
		// $existing_votes = $this->bdd->recupererTous($sql);
638
 
639
		// // @TODO : compare votes
640
		// // insert_new_votes($pn_sorted_votes, $existing_votes);
641
	}
642
 
3763 killian 643
	private function updateOnePN($pnObsId, $pnProjectId) {
644
		if (!is_int($pnObsId) || !is_string($pnProjectId)) {
645
			die(var_dump($pnObsId, $pnProjectId));
646
			throw new Exception("\nBad params types, give me an integer and a string plz\n");
3755 killian 647
		}
3763 killian 648
		// get PN project list
649
		$list = [];
650
		$pnProjects = $this->getProjects(); // refresh projects list
651
		foreach ($pnProjects as $project) {
652
			$list[$project['id']] = $project['name'];
653
		}
3755 killian 654
 
3763 killian 655
		// if project not in list display list
656
		if (!array_key_exists($pnProjectId, $list)) {
657
			echo "Available projects:\n";
658
			foreach ($list as $projectId => $projectName) {
659
				echo " - $projectId ($projectName)\n";
660
			}
661
			throw new Exception("Project $pnProjectId does not exist\n");
662
		} else {
663
			$this->currentProject = [
664
				'id' => $pnProjectId,
665
				'name' => $list[$pnProjectId],
666
			];
667
		}
668
 
669
		// get PN obs
3755 killian 670
		$urlInfosObs = str_replace(
3763 killian 671
			['{token}', '{project}', '{id}'],
672
			[Config::get('tokenPlantnet'), $pnProjectId, $pnObsId],
3755 killian 673
			Config::get('urlPlantnetBase').Config::get('urlPlantnetObsById')
674
		);
675
		$ch = curl_init($urlInfosObs);
676
		curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
3763 killian 677
		$response = curl_exec($ch);
3755 killian 678
		$code = curl_getinfo($ch, CURLINFO_HTTP_CODE);
679
		curl_close($ch);
680
 
3763 killian 681
		if (!$response || 200 != $code) {
682
			throw new Exception("\nPlantnet api ($urlInfosObs) replied with code $code : $response\n");
3755 killian 683
		}
684
 
3763 killian 685
		// change last modification date to force update
686
		$obs = json_decode($response, true);
687
		$date = new DateTime();
688
		$date->setTimestamp(intdiv($obs['dateUpdated'], 1000) - 1);
689
		$date = $this->bdd->proteger($date->format('Y-m-d H:i:s'));
690
		$sql = "UPDATE cel_plantnet SET date_maj = $date WHERE id_plantnet = '$pnObsId'"
691
				. ' -- ' . __FILE__ . ':' . __LINE__;
692
		$this->bdd->requeter($sql);
693
 
694
		$this->updateObs([$obs]);
3755 killian 695
	}
696
 
697
	private function updateOneTB($id) {
698
		$corres = $this->findMatchingPartnerId($id, 'tb');
699
		echo "L'obs tela avec l'id $id a été trouvée chez plantnet avec l'id : " .$corres['pn'] . "\n";
700
		echo "La suite n'a pas été implémentée.\n";
701
	}
702
 
703
	/*
704
	 * Trouve les ids d'une obs chez les partenaires
705
	 * Il faut lancer updateMatchingPartnersIds pour obtenir une liste fraiche
706
	 *
707
	 * @param 	string $id			L'id de l'obs
708
	 * @param 	string $partner		Le partenaire correspondant à l'id de l'obs
709
	 *
710
	 * @return  mixed 				Le tableau de correspondances d'ids
711
	 *								False si l'id n'est pas trouvé
712
	 */
713
	private function findMatchingPartnerId($id, $partner) {
714
		if (!in_array($partner, $this->allowedPartners)) {
715
			throw new Exception("\nUnknown partner : $partner. Available Partners : " . implode(', ', $this->allowedPartners) . "\n");
716
		}
717
 
718
		// le json ressemble à ça :
719
		// {"tb":"2369732","pn":"1001020199"}, {"tb":"2369733","pn":"1001020176"}, ...
720
		$ids = json_decode(file_get_contents($this->correspondingIdsFilename), true);
721
		// extrait la colonne du partenaire recherché du tableau multidimensionnel fraichement décodé
722
		$partnerColumn = array_column($ids, $partner);
723
		// cherche l'index de l'id recherché
724
		$index = array_search($id, $partnerColumn);
725
 
726
		return $index ? $ids[$index] : false;
727
	}
728
 
729
	private function updateCorrespondingIdsTable() {
730
		// first update cache file if necessary
731
		if (!file_exists($this->correspondingIdsFilename) || time() > (filemtime($this->correspondingIdsFilename) + (24 * 3600))) {
732
			$this->updateMatchingPartnersIds();
733
		}
734
 
735
		$data = file_get_contents($this->correspondingIdsFilename);
736
		$data = json_decode($data, true);
737
 
738
		$now = new DateTime;
739
		$now = $this->bdd->proteger($now->format('Y-m-d H:i:s'));
740
 
741
		$sqlInsert = 'INSERT INTO cel_plantnet (id_observation, id_plantnet, date_maj)'
742
					. ' VALUES %s'
743
					. ' ON DUPLICATE KEY UPDATE id_observation=VALUES(id_observation), id_plantnet=VALUES(id_plantnet)'
744
					. ' -- ' . __FILE__ . ':' . __LINE__;
745
		$values = '';
746
 
3763 killian 747
		echo "Updating matching partners ids table\n";
3755 killian 748
		foreach ($data as $id => $corres) {
749
			$id_obs_tb = $this->bdd->proteger($corres['tb']);
750
			$id_obs_pn = $this->bdd->proteger($corres['pn']);
751
			// on insère les ids de correspondance obsPN obsTB dans la table cel_plantnet
752
			$values .= " ($id_obs_tb, $id_obs_pn, $now),";
753
 
754
			if (0 === $id % 100) {
755
				$values = substr($values, 0, -1); // retire la dernière virgule
756
				$sql = sprintf($sqlInsert, $values);
757
				// var_dump($sql);
758
				$this->bdd->requeter($sql);
759
				$values = '';
760
			}
761
		}
762
		// Faut envoyer les dernières données qui sont pas passées dans le modulo
763
		$values = substr($values, 0, -1); // retire la dernière virgule
764
		$sql = sprintf($sqlInsert, $values);
765
		// var_dump($sql);
766
		$this->bdd->requeter($sql);
767
 
3763 killian 768
		$count = count($data);
769
		echo "Success: #$count updated\n";
3755 killian 770
	}
771
 
772
	private function updateMatchingPartnersIds() {
773
		// curl -X GET --header 'Accept: application/json' 'https://bourbonnais.cirad.fr:8081/v1/edi/observations/partnerids?token=f0ca433febe320675c24ee2ddfab8b82f65d556b' > partnerids.txt
774
		$matchingPartnersIdsServiceUrl = str_replace(
775
			'{token}',
776
			Config::get('tokenPlantnet'),
777
			Config::get('urlPlantnetBase').Config::get('urlPlantnetMatchingPartner')
778
		);
779
		$ch = curl_init($matchingPartnersIdsServiceUrl);
780
		curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
781
 
782
		echo "Updating matching partners ids...\n";
783
		$reponse = curl_exec($ch);
784
		$code = curl_getinfo($ch, CURLINFO_HTTP_CODE);
785
		curl_close($ch);
786
 
787
 
788
		if (!$reponse || 200 != $code) {
789
			throw new Exception("\nError updating partners ids, http error code \"$code\" whith url \"$matchingPartnersIdsServiceUrl\"...\n");
790
		}
791
		echo "Response data from PN api gathered, know computing...\n";
792
 
793
		if (!file_put_contents($this->correspondingIdsFilename, $reponse)) {
794
			throw new Exception("\nError writing correspondingIdsFilename with path : " . $this->correspondingIdsFilename . "\n");
795
		}
796
		echo "Matching partners ids saved!";
797
	}
3773 killian 798
 
799
	private function debug($text) {
800
		if ($this->debug) {
801
			echo 'DEBUG - ' . $text . "\n";
802
		}
803
	}
804
 
805
	private function log($text) {
806
		if ('log' == $this->debug) {
807
			echo 'LOG - ' . $text . "\n";
808
		}
809
	}
3779 killian 810
 
811
	private function refreshBddConnexion() {
812
		$this->bdd = null;
813
		$this->log("Fermeture et création d'une nouvelle connexion à la BdD");
814
		$this->bdd = new Bdd();
815
	}
3755 killian 816
}