Subversion Repositories eFlore/Applications.cel

Rev

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