]> git.immae.eu Git - github/shaarli/Shaarli.git/blob - index.php
Merge tag 'v0.9.7' into stable
[github/shaarli/Shaarli.git] / index.php
1 <?php
2 /**
3 <<<<<<< HEAD
4 * Shaarli v0.8.7 - Shaare your links...
5 *
6 * The personal, minimalist, super-fast, database free, bookmarking service.
7 =======
8 * Shaarli - The personal, minimalist, super-fast, database free, bookmarking service.
9 >>>>>>> v0.9.7
10 *
11 * Friendly fork by the Shaarli community:
12 * - https://github.com/shaarli/Shaarli
13 *
14 * Original project by sebsauvage.net:
15 * - http://sebsauvage.net/wiki/doku.php?id=php:shaarli
16 * - https://github.com/sebsauvage/Shaarli
17 *
18 * Licence: http://www.opensource.org/licenses/zlib-license.php
19 *
20 * Requires: PHP 5.5.x
21 */
22
23 // Set 'UTC' as the default timezone if it is not defined in php.ini
24 // See http://php.net/manual/en/datetime.configuration.php#ini.date.timezone
25 if (date_default_timezone_get() == '') {
26 date_default_timezone_set('UTC');
27 }
28
29 /*
30 * PHP configuration
31 */
32
33 // http://server.com/x/shaarli --> /shaarli/
34 define('WEB_PATH', substr($_SERVER['REQUEST_URI'], 0, 1+strrpos($_SERVER['REQUEST_URI'], '/', 0)));
35
36 // High execution time in case of problematic imports/exports.
37 ini_set('max_input_time','60');
38
39 // Try to set max upload file size and read
40 ini_set('memory_limit', '128M');
41 ini_set('post_max_size', '16M');
42 ini_set('upload_max_filesize', '16M');
43
44 // See all error except warnings
45 error_reporting(E_ALL^E_WARNING);
46 // See all errors (for debugging only)
47 //error_reporting(-1);
48
49
50 // 3rd-party libraries
51 if (! file_exists(__DIR__ . '/vendor/autoload.php')) {
52 header('Content-Type: text/plain; charset=utf-8');
53 echo "Error: missing Composer configuration\n\n"
54 ."If you installed Shaarli through Git or using the development branch,\n"
55 ."please refer to the installation documentation to install PHP"
56 ." dependencies using Composer:\n"
57 ."- https://shaarli.readthedocs.io/en/master/Server-requirements/\n"
58 ."- https://shaarli.readthedocs.io/en/master/Download-and-Installation/";
59 exit;
60 }
61 require_once 'inc/rain.tpl.class.php';
62 require_once __DIR__ . '/vendor/autoload.php';
63
64 // Shaarli library
65 require_once 'application/ApplicationUtils.php';
66 require_once 'application/Cache.php';
67 require_once 'application/CachedPage.php';
68 require_once 'application/config/ConfigPlugin.php';
69 require_once 'application/FeedBuilder.php';
70 require_once 'application/FileUtils.php';
71 require_once 'application/History.php';
72 require_once 'application/HttpUtils.php';
73 require_once 'application/LinkDB.php';
74 require_once 'application/LinkFilter.php';
75 require_once 'application/LinkUtils.php';
76 require_once 'application/NetscapeBookmarkUtils.php';
77 require_once 'application/PageBuilder.php';
78 require_once 'application/TimeZone.php';
79 require_once 'application/Url.php';
80 require_once 'application/Utils.php';
81 require_once 'application/PluginManager.php';
82 require_once 'application/Router.php';
83 require_once 'application/Updater.php';
84 use \Shaarli\Languages;
85 use \Shaarli\ThemeUtils;
86 use \Shaarli\Config\ConfigManager;
87 use \Shaarli\SessionManager;
88
89 // Ensure the PHP version is supported
90 try {
91 ApplicationUtils::checkPHPVersion('5.5', PHP_VERSION);
92 } catch(Exception $exc) {
93 header('Content-Type: text/plain; charset=utf-8');
94 echo $exc->getMessage();
95 exit;
96 }
97
98 define('SHAARLI_VERSION', ApplicationUtils::getVersion(__DIR__ .'/'. ApplicationUtils::$VERSION_FILE));
99
100 // Force cookie path (but do not change lifetime)
101 $cookie = session_get_cookie_params();
102 $cookiedir = '';
103 if (dirname($_SERVER['SCRIPT_NAME']) != '/') {
104 $cookiedir = dirname($_SERVER["SCRIPT_NAME"]).'/';
105 }
106 // Set default cookie expiration and path.
107 session_set_cookie_params($cookie['lifetime'], $cookiedir, $_SERVER['SERVER_NAME']);
108 // Set session parameters on server side.
109 // If the user does not access any page within this time, his/her session is considered expired.
110 define('INACTIVITY_TIMEOUT', 3600); // in seconds.
111 // Use cookies to store session.
112 ini_set('session.use_cookies', 1);
113 // Force cookies for session (phpsessionID forbidden in URL).
114 ini_set('session.use_only_cookies', 1);
115 // Prevent PHP form using sessionID in URL if cookies are disabled.
116 ini_set('session.use_trans_sid', false);
117
118 session_name('shaarli');
119 // Start session if needed (Some server auto-start sessions).
120 if (session_id() == '') {
121 session_start();
122 }
123
124 // Regenerate session ID if invalid or not defined in cookie.
125 if (isset($_COOKIE['shaarli']) && !SessionManager::checkId($_COOKIE['shaarli'])) {
126 session_regenerate_id(true);
127 $_COOKIE['shaarli'] = session_id();
128 }
129
130 $conf = new ConfigManager();
131 $sessionManager = new SessionManager($_SESSION, $conf);
132
133 // LC_MESSAGES isn't defined without php-intl, in this case use LC_COLLATE locale instead.
134 if (! defined('LC_MESSAGES')) {
135 define('LC_MESSAGES', LC_COLLATE);
136 }
137
138 // Sniff browser language and set date format accordingly.
139 if (isset($_SERVER['HTTP_ACCEPT_LANGUAGE'])) {
140 autoLocale($_SERVER['HTTP_ACCEPT_LANGUAGE']);
141 }
142
143 new Languages(setlocale(LC_MESSAGES, 0), $conf);
144
145 $conf->setEmpty('general.timezone', date_default_timezone_get());
146 $conf->setEmpty('general.title', t('Shared links on '). escape(index_url($_SERVER)));
147 RainTPL::$tpl_dir = $conf->get('resource.raintpl_tpl').'/'.$conf->get('resource.theme').'/'; // template directory
148 RainTPL::$cache_dir = $conf->get('resource.raintpl_tmp'); // cache directory
149
150 $pluginManager = new PluginManager($conf);
151 $pluginManager->load($conf->get('general.enabled_plugins'));
152
153 date_default_timezone_set($conf->get('general.timezone', 'UTC'));
154
155 ob_start(); // Output buffering for the page cache.
156
157 // Prevent caching on client side or proxy: (yes, it's ugly)
158 header("Last-Modified: " . gmdate("D, d M Y H:i:s") . " GMT");
159 header("Cache-Control: no-store, no-cache, must-revalidate");
160 header("Cache-Control: post-check=0, pre-check=0", false);
161 header("Pragma: no-cache");
162
163 if (! is_file($conf->getConfigFileExt())) {
164 // Ensure Shaarli has proper access to its resources
165 $errors = ApplicationUtils::checkResourcePermissions($conf);
166
167 if ($errors != array()) {
168 $message = '<p>'. t('Insufficient permissions:') .'</p><ul>';
169
170 foreach ($errors as $error) {
171 $message .= '<li>'.$error.'</li>';
172 }
173 $message .= '</ul>';
174
175 header('Content-Type: text/html; charset=utf-8');
176 echo $message;
177 exit;
178 }
179
180 // Display the installation form if no existing config is found
181 install($conf, $sessionManager);
182 }
183
184 // a token depending of deployment salt, user password, and the current ip
185 define('STAY_SIGNED_IN_TOKEN', sha1($conf->get('credentials.hash') . $_SERVER['REMOTE_ADDR'] . $conf->get('credentials.salt')));
186
187 /**
188 * Checking session state (i.e. is the user still logged in)
189 *
190 * @param ConfigManager $conf The configuration manager.
191 *
192 * @return bool: true if the user is logged in, false otherwise.
193 */
194 function setup_login_state($conf)
195 {
196 if ($conf->get('security.open_shaarli')) {
197 return true;
198 }
199 $userIsLoggedIn = false; // By default, we do not consider the user as logged in;
200 $loginFailure = false; // If set to true, every attempt to authenticate the user will fail. This indicates that an important condition isn't met.
201 if (! $conf->exists('credentials.login')) {
202 $userIsLoggedIn = false; // Shaarli is not configured yet.
203 $loginFailure = true;
204 }
205 if (isset($_COOKIE['shaarli_staySignedIn']) &&
206 $_COOKIE['shaarli_staySignedIn']===STAY_SIGNED_IN_TOKEN &&
207 !$loginFailure)
208 {
209 fillSessionInfo($conf);
210 $userIsLoggedIn = true;
211 }
212 // If session does not exist on server side, or IP address has changed, or session has expired, logout.
213 if (empty($_SESSION['uid'])
214 || ($conf->get('security.session_protection_disabled') === false && $_SESSION['ip'] != allIPs())
215 || time() >= $_SESSION['expires_on'])
216 {
217 logout();
218 $userIsLoggedIn = false;
219 $loginFailure = true;
220 }
221 if (!empty($_SESSION['longlastingsession'])) {
222 $_SESSION['expires_on']=time()+$_SESSION['longlastingsession']; // In case of "Stay signed in" checked.
223 }
224 else {
225 $_SESSION['expires_on']=time()+INACTIVITY_TIMEOUT; // Standard session expiration date.
226 }
227 if (!$loginFailure) {
228 $userIsLoggedIn = true;
229 }
230
231 return $userIsLoggedIn;
232 }
233 $userIsLoggedIn = setup_login_state($conf);
234
235 // ------------------------------------------------------------------------------------------
236 // Session management
237
238 // Returns the IP address of the client (Used to prevent session cookie hijacking.)
239 function allIPs()
240 {
241 $ip = $_SERVER['REMOTE_ADDR'];
242 // Then we use more HTTP headers to prevent session hijacking from users behind the same proxy.
243 if (isset($_SERVER['HTTP_X_FORWARDED_FOR'])) { $ip=$ip.'_'.$_SERVER['HTTP_X_FORWARDED_FOR']; }
244 if (isset($_SERVER['HTTP_CLIENT_IP'])) { $ip=$ip.'_'.$_SERVER['HTTP_CLIENT_IP']; }
245 return $ip;
246 }
247
248 /**
249 * Load user session.
250 *
251 * @param ConfigManager $conf Configuration Manager instance.
252 */
253 function fillSessionInfo($conf)
254 {
255 $_SESSION['uid'] = sha1(uniqid('',true).'_'.mt_rand()); // Generate unique random number (different than phpsessionid)
256 $_SESSION['ip']=allIPs(); // We store IP address(es) of the client to make sure session is not hijacked.
257 $_SESSION['username']= $conf->get('credentials.login');
258 $_SESSION['expires_on']=time()+INACTIVITY_TIMEOUT; // Set session expiration.
259 }
260
261 /**
262 * Check that user/password is correct.
263 *
264 * @param string $login Username
265 * @param string $password User password
266 * @param ConfigManager $conf Configuration Manager instance.
267 *
268 * @return bool: authentication successful or not.
269 */
270 function check_auth($login, $password, $conf)
271 {
272 $hash = sha1($password . $login . $conf->get('credentials.salt'));
273 if ($login == $conf->get('credentials.login') && $hash == $conf->get('credentials.hash'))
274 { // Login/password is correct.
275 fillSessionInfo($conf);
276 logm($conf->get('resource.log'), $_SERVER['REMOTE_ADDR'], 'Login successful');
277 return true;
278 }
279 logm($conf->get('resource.log'), $_SERVER['REMOTE_ADDR'], 'Login failed for user '.$login);
280 return false;
281 }
282
283 // Returns true if the user is logged in.
284 function isLoggedIn()
285 {
286 global $userIsLoggedIn;
287 return $userIsLoggedIn;
288 }
289
290 // Force logout.
291 function logout() {
292 if (isset($_SESSION)) {
293 unset($_SESSION['uid']);
294 unset($_SESSION['ip']);
295 unset($_SESSION['username']);
296 unset($_SESSION['privateonly']);
297 unset($_SESSION['untaggedonly']);
298 }
299 setcookie('shaarli_staySignedIn', FALSE, 0, WEB_PATH);
300 }
301
302
303 // ------------------------------------------------------------------------------------------
304 // Brute force protection system
305 // Several consecutive failed logins will ban the IP address for 30 minutes.
306 if (!is_file($conf->get('resource.ban_file', 'data/ipbans.php'))) {
307 // FIXME! globals
308 file_put_contents(
309 $conf->get('resource.ban_file', 'data/ipbans.php'),
310 "<?php\n\$GLOBALS['IPBANS']=".var_export(array('FAILURES'=>array(),'BANS'=>array()),true).";\n?>"
311 );
312 }
313 include $conf->get('resource.ban_file', 'data/ipbans.php');
314 /**
315 * Signal a failed login. Will ban the IP if too many failures:
316 *
317 * @param ConfigManager $conf Configuration Manager instance.
318 */
319 function ban_loginFailed($conf)
320 {
321 $ip = $_SERVER['REMOTE_ADDR'];
322 $trusted = $conf->get('security.trusted_proxies', array());
323 if (in_array($ip, $trusted)) {
324 $ip = getIpAddressFromProxy($_SERVER, $trusted);
325 if (!$ip) {
326 return;
327 }
328 }
329 $gb = $GLOBALS['IPBANS'];
330 if (! isset($gb['FAILURES'][$ip])) {
331 $gb['FAILURES'][$ip]=0;
332 }
333 $gb['FAILURES'][$ip]++;
334 if ($gb['FAILURES'][$ip] > ($conf->get('security.ban_after') - 1))
335 {
336 $gb['BANS'][$ip] = time() + $conf->get('security.ban_after', 1800);
337 logm($conf->get('resource.log'), $_SERVER['REMOTE_ADDR'], 'IP address banned from login');
338 }
339 $GLOBALS['IPBANS'] = $gb;
340 file_put_contents(
341 $conf->get('resource.ban_file', 'data/ipbans.php'),
342 "<?php\n\$GLOBALS['IPBANS']=".var_export($gb,true).";\n?>"
343 );
344 }
345
346 /**
347 * Signals a successful login. Resets failed login counter.
348 *
349 * @param ConfigManager $conf Configuration Manager instance.
350 */
351 function ban_loginOk($conf)
352 {
353 $ip = $_SERVER['REMOTE_ADDR'];
354 $gb = $GLOBALS['IPBANS'];
355 unset($gb['FAILURES'][$ip]); unset($gb['BANS'][$ip]);
356 $GLOBALS['IPBANS'] = $gb;
357 file_put_contents(
358 $conf->get('resource.ban_file', 'data/ipbans.php'),
359 "<?php\n\$GLOBALS['IPBANS']=".var_export($gb,true).";\n?>"
360 );
361 }
362
363 /**
364 * Checks if the user CAN login. If 'true', the user can try to login.
365 *
366 * @param ConfigManager $conf Configuration Manager instance.
367 *
368 * @return bool: true if the user is allowed to login.
369 */
370 function ban_canLogin($conf)
371 {
372 $ip=$_SERVER["REMOTE_ADDR"]; $gb=$GLOBALS['IPBANS'];
373 if (isset($gb['BANS'][$ip]))
374 {
375 // User is banned. Check if the ban has expired:
376 if ($gb['BANS'][$ip]<=time())
377 { // Ban expired, user can try to login again.
378 logm($conf->get('resource.log'), $_SERVER['REMOTE_ADDR'], 'Ban lifted.');
379 unset($gb['FAILURES'][$ip]); unset($gb['BANS'][$ip]);
380 file_put_contents(
381 $conf->get('resource.ban_file', 'data/ipbans.php'),
382 "<?php\n\$GLOBALS['IPBANS']=".var_export($gb,true).";\n?>"
383 );
384 return true; // Ban has expired, user can login.
385 }
386 return false; // User is banned.
387 }
388 return true; // User is not banned.
389 }
390
391 // ------------------------------------------------------------------------------------------
392 // Process login form: Check if login/password is correct.
393 if (isset($_POST['login']))
394 {
395 if (!ban_canLogin($conf)) die(t('I said: NO. You are banned for the moment. Go away.'));
396 if (isset($_POST['password'])
397 && $sessionManager->checkToken($_POST['token'])
398 && (check_auth($_POST['login'], $_POST['password'], $conf))
399 ) { // Login/password is OK.
400 ban_loginOk($conf);
401 // If user wants to keep the session cookie even after the browser closes:
402 if (!empty($_POST['longlastingsession']))
403 {
404 $_SESSION['longlastingsession'] = 31536000; // (31536000 seconds = 1 year)
405 $expiration = time() + $_SESSION['longlastingsession']; // calculate relative cookie expiration (1 year from now)
406 setcookie('shaarli_staySignedIn', STAY_SIGNED_IN_TOKEN, $expiration, WEB_PATH);
407 $_SESSION['expires_on'] = $expiration; // Set session expiration on server-side.
408
409 $cookiedir = ''; if(dirname($_SERVER['SCRIPT_NAME'])!='/') $cookiedir=dirname($_SERVER["SCRIPT_NAME"]).'/';
410 session_set_cookie_params($_SESSION['longlastingsession'],$cookiedir,$_SERVER['SERVER_NAME']); // Set session cookie expiration on client side
411 // Note: Never forget the trailing slash on the cookie path!
412 session_regenerate_id(true); // Send cookie with new expiration date to browser.
413 }
414 else // Standard session expiration (=when browser closes)
415 {
416 $cookiedir = ''; if(dirname($_SERVER['SCRIPT_NAME'])!='/') $cookiedir=dirname($_SERVER["SCRIPT_NAME"]).'/';
417 session_set_cookie_params(0,$cookiedir,$_SERVER['SERVER_NAME']); // 0 means "When browser closes"
418 session_regenerate_id(true);
419 }
420
421 // Optional redirect after login:
422 if (isset($_GET['post'])) {
423 $uri = '?post='. urlencode($_GET['post']);
424 foreach (array('description', 'source', 'title', 'tags') as $param) {
425 if (!empty($_GET[$param])) {
426 $uri .= '&'.$param.'='.urlencode($_GET[$param]);
427 }
428 }
429 header('Location: '. $uri);
430 exit;
431 }
432
433 if (isset($_GET['edit_link'])) {
434 header('Location: ?edit_link='. escape($_GET['edit_link']));
435 exit;
436 }
437
438 if (isset($_POST['returnurl'])) {
439 // Prevent loops over login screen.
440 if (strpos($_POST['returnurl'], 'do=login') === false) {
441 header('Location: '. generateLocation($_POST['returnurl'], $_SERVER['HTTP_HOST']));
442 exit;
443 }
444 }
445 header('Location: ?'); exit;
446 }
447 else
448 {
449 ban_loginFailed($conf);
450 $redir = '&username='. urlencode($_POST['login']);
451 if (isset($_GET['post'])) {
452 $redir .= '&post=' . urlencode($_GET['post']);
453 foreach (array('description', 'source', 'title', 'tags') as $param) {
454 if (!empty($_GET[$param])) {
455 $redir .= '&' . $param . '=' . urlencode($_GET[$param]);
456 }
457 }
458 }
459 // Redirect to login screen.
460 echo '<script>alert("'. t("Wrong login/password.") .'");document.location=\'?do=login'.$redir.'\';</script>';
461 exit;
462 }
463 }
464
465 // ------------------------------------------------------------------------------------------
466 // Token management for XSRF protection
467 // Token should be used in any form which acts on data (create,update,delete,import...).
468 if (!isset($_SESSION['tokens'])) $_SESSION['tokens']=array(); // Token are attached to the session.
469
470 /**
471 * Daily RSS feed: 1 RSS entry per day giving all the links on that day.
472 * Gives the last 7 days (which have links).
473 * This RSS feed cannot be filtered.
474 *
475 * @param ConfigManager $conf Configuration Manager instance.
476 */
477 function showDailyRSS($conf) {
478 // Cache system
479 $query = $_SERVER['QUERY_STRING'];
480 $cache = new CachedPage(
481 $conf->get('config.PAGE_CACHE'),
482 page_url($_SERVER),
483 startsWith($query,'do=dailyrss') && !isLoggedIn()
484 );
485 $cached = $cache->cachedVersion();
486 if (!empty($cached)) {
487 echo $cached;
488 exit;
489 }
490
491 // If cached was not found (or not usable), then read the database and build the response:
492 // Read links from database (and filter private links if used it not logged in).
493 $LINKSDB = new LinkDB(
494 $conf->get('resource.datastore'),
495 isLoggedIn(),
496 $conf->get('privacy.hide_public_links'),
497 $conf->get('redirector.url'),
498 $conf->get('redirector.encode_url')
499 );
500
501 /* Some Shaarlies may have very few links, so we need to look
502 back in time until we have enough days ($nb_of_days).
503 */
504 $nb_of_days = 7; // We take 7 days.
505 $today = date('Ymd');
506 $days = array();
507
508 foreach ($LINKSDB as $link) {
509 $day = $link['created']->format('Ymd'); // Extract day (without time)
510 if (strcmp($day, $today) < 0) {
511 if (empty($days[$day])) {
512 $days[$day] = array();
513 }
514 $days[$day][] = $link;
515 }
516
517 if (count($days) > $nb_of_days) {
518 break; // Have we collected enough days?
519 }
520 }
521
522 // Build the RSS feed.
523 header('Content-Type: application/rss+xml; charset=utf-8');
524 $pageaddr = escape(index_url($_SERVER));
525 echo '<?xml version="1.0" encoding="UTF-8"?><rss version="2.0">';
526 echo '<channel>';
527 echo '<title>Daily - '. $conf->get('general.title') . '</title>';
528 echo '<link>'. $pageaddr .'</link>';
529 echo '<description>Daily shared links</description>';
530 echo '<language>en-en</language>';
531 echo '<copyright>'. $pageaddr .'</copyright>'. PHP_EOL;
532
533 // For each day.
534 foreach ($days as $day => $links) {
535 $dayDate = DateTime::createFromFormat(LinkDB::LINK_DATE_FORMAT, $day.'_000000');
536 $absurl = escape(index_url($_SERVER).'?do=daily&day='.$day); // Absolute URL of the corresponding "Daily" page.
537
538 // We pre-format some fields for proper output.
539 foreach ($links as &$link) {
540 $link['formatedDescription'] = format_description(
541 $link['description'],
542 $conf->get('redirector.url'),
543 $conf->get('redirector.encode_url')
544 );
545 $link['thumbnail'] = thumbnail($conf, $link['url']);
546 $link['timestamp'] = $link['created']->getTimestamp();
547 if (startsWith($link['url'], '?')) {
548 $link['url'] = index_url($_SERVER) . $link['url']; // make permalink URL absolute
549 }
550 }
551
552 // Then build the HTML for this day:
553 $tpl = new RainTPL;
554 $tpl->assign('title', $conf->get('general.title'));
555 $tpl->assign('daydate', $dayDate->getTimestamp());
556 $tpl->assign('absurl', $absurl);
557 $tpl->assign('links', $links);
558 $tpl->assign('rssdate', escape($dayDate->format(DateTime::RSS)));
559 $tpl->assign('hide_timestamps', $conf->get('privacy.hide_timestamps', false));
560 $html = $tpl->draw('dailyrss', true);
561
562 echo $html . PHP_EOL;
563 }
564 echo '</channel></rss><!-- Cached version of '. escape(page_url($_SERVER)) .' -->';
565
566 $cache->cache(ob_get_contents());
567 ob_end_flush();
568 exit;
569 }
570
571 /**
572 * Show the 'Daily' page.
573 *
574 * @param PageBuilder $pageBuilder Template engine wrapper.
575 * @param LinkDB $LINKSDB LinkDB instance.
576 * @param ConfigManager $conf Configuration Manager instance.
577 * @param PluginManager $pluginManager Plugin Manager instane.
578 */
579 function showDaily($pageBuilder, $LINKSDB, $conf, $pluginManager)
580 {
581 $day = date('Ymd', strtotime('-1 day')); // Yesterday, in format YYYYMMDD.
582 if (isset($_GET['day'])) {
583 $day = $_GET['day'];
584 }
585
586 $days = $LINKSDB->days();
587 $i = array_search($day, $days);
588 if ($i === false && count($days)) {
589 // no links for day, but at least one day with links
590 $i = count($days) - 1;
591 $day = $days[$i];
592 }
593 $previousday = '';
594 $nextday = '';
595
596 if ($i !== false) {
597 if ($i >= 1) {
598 $previousday=$days[$i - 1];
599 }
600 if ($i < count($days) - 1) {
601 $nextday = $days[$i + 1];
602 }
603 }
604 try {
605 $linksToDisplay = $LINKSDB->filterDay($day);
606 } catch (Exception $exc) {
607 error_log($exc);
608 $linksToDisplay = array();
609 }
610
611 // We pre-format some fields for proper output.
612 foreach($linksToDisplay as $key => $link) {
613 $taglist = explode(' ',$link['tags']);
614 uasort($taglist, 'strcasecmp');
615 $linksToDisplay[$key]['taglist']=$taglist;
616 $linksToDisplay[$key]['formatedDescription'] = format_description(
617 $link['description'],
618 $conf->get('redirector.url'),
619 $conf->get('redirector.encode_url')
620 );
621 $linksToDisplay[$key]['thumbnail'] = thumbnail($conf, $link['url']);
622 $linksToDisplay[$key]['timestamp'] = $link['created']->getTimestamp();
623 }
624
625 /* We need to spread the articles on 3 columns.
626 I did not want to use a JavaScript lib like http://masonry.desandro.com/
627 so I manually spread entries with a simple method: I roughly evaluate the
628 height of a div according to title and description length.
629 */
630 $columns = array(array(), array(), array()); // Entries to display, for each column.
631 $fill = array(0, 0, 0); // Rough estimate of columns fill.
632 foreach($linksToDisplay as $key => $link) {
633 // Roughly estimate length of entry (by counting characters)
634 // Title: 30 chars = 1 line. 1 line is 30 pixels height.
635 // Description: 836 characters gives roughly 342 pixel height.
636 // This is not perfect, but it's usually OK.
637 $length = strlen($link['title']) + (342 * strlen($link['description'])) / 836;
638 if ($link['thumbnail']) {
639 $length += 100; // 1 thumbnails roughly takes 100 pixels height.
640 }
641 // Then put in column which is the less filled:
642 $smallest = min($fill); // find smallest value in array.
643 $index = array_search($smallest, $fill); // find index of this smallest value.
644 array_push($columns[$index], $link); // Put entry in this column.
645 $fill[$index] += $length;
646 }
647
648 $dayDate = DateTime::createFromFormat(LinkDB::LINK_DATE_FORMAT, $day.'_000000');
649 $data = array(
650 'pagetitle' => $conf->get('general.title') .' - '. format_date($dayDate, false),
651 'linksToDisplay' => $linksToDisplay,
652 'cols' => $columns,
653 'day' => $dayDate->getTimestamp(),
654 'dayDate' => $dayDate,
655 'previousday' => $previousday,
656 'nextday' => $nextday,
657 );
658
659 $pluginManager->executeHooks('render_daily', $data, array('loggedin' => isLoggedIn()));
660
661 foreach ($data as $key => $value) {
662 $pageBuilder->assign($key, $value);
663 }
664
665 $pageBuilder->renderPage('daily');
666 exit;
667 }
668
669 /**
670 * Renders the linklist
671 *
672 * @param pageBuilder $PAGE pageBuilder instance.
673 * @param LinkDB $LINKSDB LinkDB instance.
674 * @param ConfigManager $conf Configuration Manager instance.
675 * @param PluginManager $pluginManager Plugin Manager instance.
676 */
677 function showLinkList($PAGE, $LINKSDB, $conf, $pluginManager) {
678 buildLinkList($PAGE,$LINKSDB, $conf, $pluginManager); // Compute list of links to display
679 $PAGE->renderPage('linklist');
680 }
681
682 /**
683 * Render HTML page (according to URL parameters and user rights)
684 *
685 * @param ConfigManager $conf Configuration Manager instance.
686 * @param PluginManager $pluginManager Plugin Manager instance,
687 * @param LinkDB $LINKSDB
688 * @param History $history instance
689 * @param SessionManager $sessionManager SessionManager instance
690 */
691 function renderPage($conf, $pluginManager, $LINKSDB, $history, $sessionManager)
692 {
693 $updater = new Updater(
694 read_updates_file($conf->get('resource.updates')),
695 $LINKSDB,
696 $conf,
697 isLoggedIn()
698 );
699 try {
700 $newUpdates = $updater->update();
701 if (! empty($newUpdates)) {
702 write_updates_file(
703 $conf->get('resource.updates'),
704 $updater->getDoneUpdates()
705 );
706 }
707 }
708 catch(Exception $e) {
709 die($e->getMessage());
710 }
711
712 $PAGE = new PageBuilder($conf, $LINKSDB, $sessionManager->generateToken());
713 $PAGE->assign('linkcount', count($LINKSDB));
714 $PAGE->assign('privateLinkcount', count_private($LINKSDB));
715 $PAGE->assign('plugin_errors', $pluginManager->getErrors());
716
717 // Determine which page will be rendered.
718 $query = (isset($_SERVER['QUERY_STRING'])) ? $_SERVER['QUERY_STRING'] : '';
719 $targetPage = Router::findPage($query, $_GET, isLoggedIn());
720
721 if (
722 // if the user isn't logged in
723 !isLoggedIn() &&
724 // and Shaarli doesn't have public content...
725 $conf->get('privacy.hide_public_links') &&
726 // and is configured to enforce the login
727 $conf->get('privacy.force_login') &&
728 // and the current page isn't already the login page
729 $targetPage !== Router::$PAGE_LOGIN &&
730 // and the user is not requesting a feed (which would lead to a different content-type as expected)
731 $targetPage !== Router::$PAGE_FEED_ATOM &&
732 $targetPage !== Router::$PAGE_FEED_RSS
733 ) {
734 // force current page to be the login page
735 $targetPage = Router::$PAGE_LOGIN;
736 }
737
738 // Call plugin hooks for header, footer and includes, specifying which page will be rendered.
739 // Then assign generated data to RainTPL.
740 $common_hooks = array(
741 'includes',
742 'header',
743 'footer',
744 );
745
746 foreach($common_hooks as $name) {
747 $plugin_data = array();
748 $pluginManager->executeHooks('render_' . $name, $plugin_data,
749 array(
750 'target' => $targetPage,
751 'loggedin' => isLoggedIn()
752 )
753 );
754 $PAGE->assign('plugins_' . $name, $plugin_data);
755 }
756
757 // -------- Display login form.
758 if ($targetPage == Router::$PAGE_LOGIN)
759 {
760 if ($conf->get('security.open_shaarli')) { header('Location: ?'); exit; } // No need to login for open Shaarli
761 if (isset($_GET['username'])) {
762 $PAGE->assign('username', escape($_GET['username']));
763 }
764 $PAGE->assign('returnurl',(isset($_SERVER['HTTP_REFERER']) ? escape($_SERVER['HTTP_REFERER']):''));
765 // add default state of the 'remember me' checkbox
766 $PAGE->assign('remember_user_default', $conf->get('privacy.remember_user_default'));
767 $PAGE->renderPage('loginform');
768 exit;
769 }
770 // -------- User wants to logout.
771 if (isset($_SERVER['QUERY_STRING']) && startsWith($_SERVER['QUERY_STRING'], 'do=logout'))
772 {
773 invalidateCaches($conf->get('resource.page_cache'));
774 logout();
775 header('Location: ?');
776 exit;
777 }
778
779 // -------- Picture wall
780 if ($targetPage == Router::$PAGE_PICWALL)
781 {
782 // Optionally filter the results:
783 $links = $LINKSDB->filterSearch($_GET);
784 $linksToDisplay = array();
785
786 // Get only links which have a thumbnail.
787 foreach($links as $link)
788 {
789 $permalink='?'.$link['shorturl'];
790 $thumb=lazyThumbnail($conf, $link['url'],$permalink);
791 if ($thumb!='') // Only output links which have a thumbnail.
792 {
793 $link['thumbnail']=$thumb; // Thumbnail HTML code.
794 $linksToDisplay[]=$link; // Add to array.
795 }
796 }
797
798 $data = array(
799 'linksToDisplay' => $linksToDisplay,
800 );
801 $pluginManager->executeHooks('render_picwall', $data, array('loggedin' => isLoggedIn()));
802
803 foreach ($data as $key => $value) {
804 $PAGE->assign($key, $value);
805 }
806
807 $PAGE->renderPage('picwall');
808 exit;
809 }
810
811 // -------- Tag cloud
812 if ($targetPage == Router::$PAGE_TAGCLOUD)
813 {
814 $visibility = ! empty($_SESSION['privateonly']) ? 'private' : 'all';
815 $filteringTags = isset($_GET['searchtags']) ? explode(' ', $_GET['searchtags']) : [];
816 $tags = $LINKSDB->linksCountPerTag($filteringTags, $visibility);
817
818 // We sort tags alphabetically, then choose a font size according to count.
819 // First, find max value.
820 $maxcount = 0;
821 foreach ($tags as $value) {
822 $maxcount = max($maxcount, $value);
823 }
824
825 alphabetical_sort($tags, false, true);
826
827 $tagList = array();
828 foreach($tags as $key => $value) {
829 if (in_array($key, $filteringTags)) {
830 continue;
831 }
832 // Tag font size scaling:
833 // default 15 and 30 logarithm bases affect scaling,
834 // 22 and 6 are arbitrary font sizes for max and min sizes.
835 $size = log($value, 15) / log($maxcount, 30) * 2.2 + 0.8;
836 $tagList[$key] = array(
837 'count' => $value,
838 'size' => number_format($size, 2, '.', ''),
839 );
840 }
841
842 $data = array(
843 'search_tags' => implode(' ', escape($filteringTags)),
844 'tags' => $tagList,
845 );
846 $pluginManager->executeHooks('render_tagcloud', $data, array('loggedin' => isLoggedIn()));
847
848 foreach ($data as $key => $value) {
849 $PAGE->assign($key, $value);
850 }
851
852 $PAGE->renderPage('tag.cloud');
853 exit;
854 }
855
856 // -------- Tag list
857 if ($targetPage == Router::$PAGE_TAGLIST)
858 {
859 $visibility = ! empty($_SESSION['privateonly']) ? 'private' : 'all';
860 $filteringTags = isset($_GET['searchtags']) ? explode(' ', $_GET['searchtags']) : [];
861 $tags = $LINKSDB->linksCountPerTag($filteringTags, $visibility);
862 foreach ($filteringTags as $tag) {
863 if (array_key_exists($tag, $tags)) {
864 unset($tags[$tag]);
865 }
866 }
867
868 if (! empty($_GET['sort']) && $_GET['sort'] === 'alpha') {
869 alphabetical_sort($tags, false, true);
870 }
871
872 $data = [
873 'search_tags' => implode(' ', escape($filteringTags)),
874 'tags' => $tags,
875 ];
876 $pluginManager->executeHooks('render_taglist', $data, ['loggedin' => isLoggedIn()]);
877
878 foreach ($data as $key => $value) {
879 $PAGE->assign($key, $value);
880 }
881
882 $PAGE->renderPage('tag.list');
883 exit;
884 }
885
886 // Daily page.
887 if ($targetPage == Router::$PAGE_DAILY) {
888 showDaily($PAGE, $LINKSDB, $conf, $pluginManager);
889 }
890
891 // ATOM and RSS feed.
892 if ($targetPage == Router::$PAGE_FEED_ATOM || $targetPage == Router::$PAGE_FEED_RSS) {
893 $feedType = $targetPage == Router::$PAGE_FEED_RSS ? FeedBuilder::$FEED_RSS : FeedBuilder::$FEED_ATOM;
894 header('Content-Type: application/'. $feedType .'+xml; charset=utf-8');
895
896 // Cache system
897 $query = $_SERVER['QUERY_STRING'];
898 $cache = new CachedPage(
899 $conf->get('resource.page_cache'),
900 page_url($_SERVER),
901 startsWith($query,'do='. $targetPage) && !isLoggedIn()
902 );
903 $cached = $cache->cachedVersion();
904 if (!empty($cached)) {
905 echo $cached;
906 exit;
907 }
908
909 // Generate data.
910 $feedGenerator = new FeedBuilder($LINKSDB, $feedType, $_SERVER, $_GET, isLoggedIn());
911 $feedGenerator->setLocale(strtolower(setlocale(LC_COLLATE, 0)));
912 $feedGenerator->setHideDates($conf->get('privacy.hide_timestamps') && !isLoggedIn());
913 $feedGenerator->setUsePermalinks(isset($_GET['permalinks']) || !$conf->get('feed.rss_permalinks'));
914 $data = $feedGenerator->buildData();
915
916 // Process plugin hook.
917 $pluginManager->executeHooks('render_feed', $data, array(
918 'loggedin' => isLoggedIn(),
919 'target' => $targetPage,
920 ));
921
922 // Render the template.
923 $PAGE->assignAll($data);
924 $PAGE->renderPage('feed.'. $feedType);
925 $cache->cache(ob_get_contents());
926 ob_end_flush();
927 exit;
928 }
929
930 // Display opensearch plugin (XML)
931 if ($targetPage == Router::$PAGE_OPENSEARCH) {
932 header('Content-Type: application/xml; charset=utf-8');
933 $PAGE->assign('serverurl', index_url($_SERVER));
934 $PAGE->renderPage('opensearch');
935 exit;
936 }
937
938 // -------- User clicks on a tag in a link: The tag is added to the list of searched tags (searchtags=...)
939 if (isset($_GET['addtag']))
940 {
941 // Get previous URL (http_referer) and add the tag to the searchtags parameters in query.
942 if (empty($_SERVER['HTTP_REFERER'])) { header('Location: ?searchtags='.urlencode($_GET['addtag'])); exit; } // In case browser does not send HTTP_REFERER
943 parse_str(parse_url($_SERVER['HTTP_REFERER'],PHP_URL_QUERY), $params);
944
945 // Prevent redirection loop
946 if (isset($params['addtag'])) {
947 unset($params['addtag']);
948 }
949
950 // Check if this tag is already in the search query and ignore it if it is.
951 // Each tag is always separated by a space
952 if (isset($params['searchtags'])) {
953 $current_tags = explode(' ', $params['searchtags']);
954 } else {
955 $current_tags = array();
956 }
957 $addtag = true;
958 foreach ($current_tags as $value) {
959 if ($value === $_GET['addtag']) {
960 $addtag = false;
961 break;
962 }
963 }
964 // Append the tag if necessary
965 if (empty($params['searchtags'])) {
966 $params['searchtags'] = trim($_GET['addtag']);
967 }
968 else if ($addtag) {
969 $params['searchtags'] = trim($params['searchtags']).' '.trim($_GET['addtag']);
970 }
971
972 unset($params['page']); // We also remove page (keeping the same page has no sense, since the results are different)
973 header('Location: ?'.http_build_query($params));
974 exit;
975 }
976
977 // -------- User clicks on a tag in result count: Remove the tag from the list of searched tags (searchtags=...)
978 if (isset($_GET['removetag'])) {
979 // Get previous URL (http_referer) and remove the tag from the searchtags parameters in query.
980 if (empty($_SERVER['HTTP_REFERER'])) {
981 header('Location: ?');
982 exit;
983 }
984
985 // In case browser does not send HTTP_REFERER
986 parse_str(parse_url($_SERVER['HTTP_REFERER'], PHP_URL_QUERY), $params);
987
988 // Prevent redirection loop
989 if (isset($params['removetag'])) {
990 unset($params['removetag']);
991 }
992
993 if (isset($params['searchtags'])) {
994 $tags = explode(' ', $params['searchtags']);
995 // Remove value from array $tags.
996 $tags = array_diff($tags, array($_GET['removetag']));
997 $params['searchtags'] = implode(' ',$tags);
998
999 if (empty($params['searchtags'])) {
1000 unset($params['searchtags']);
1001 }
1002
1003 unset($params['page']); // We also remove page (keeping the same page has no sense, since the results are different)
1004 }
1005 header('Location: ?'.http_build_query($params));
1006 exit;
1007 }
1008
1009 // -------- User wants to change the number of links per page (linksperpage=...)
1010 if (isset($_GET['linksperpage'])) {
1011 if (is_numeric($_GET['linksperpage'])) {
1012 $_SESSION['LINKS_PER_PAGE']=abs(intval($_GET['linksperpage']));
1013 }
1014
1015 if (! empty($_SERVER['HTTP_REFERER'])) {
1016 $location = generateLocation($_SERVER['HTTP_REFERER'], $_SERVER['HTTP_HOST'], array('linksperpage'));
1017 } else {
1018 $location = '?';
1019 }
1020 header('Location: '. $location);
1021 exit;
1022 }
1023
1024 // -------- User wants to see only private links (toggle)
1025 if (isset($_GET['privateonly'])) {
1026 if (empty($_SESSION['privateonly'])) {
1027 $_SESSION['privateonly'] = 1; // See only private links
1028 } else {
1029 unset($_SESSION['privateonly']); // See all links
1030 }
1031
1032 if (! empty($_SERVER['HTTP_REFERER'])) {
1033 $location = generateLocation($_SERVER['HTTP_REFERER'], $_SERVER['HTTP_HOST'], array('privateonly'));
1034 } else {
1035 $location = '?';
1036 }
1037 header('Location: '. $location);
1038 exit;
1039 }
1040
1041 // -------- User wants to see only untagged links (toggle)
1042 if (isset($_GET['untaggedonly'])) {
1043 $_SESSION['untaggedonly'] = empty($_SESSION['untaggedonly']);
1044
1045 if (! empty($_SERVER['HTTP_REFERER'])) {
1046 $location = generateLocation($_SERVER['HTTP_REFERER'], $_SERVER['HTTP_HOST'], array('untaggedonly'));
1047 } else {
1048 $location = '?';
1049 }
1050 header('Location: '. $location);
1051 exit;
1052 }
1053
1054 // -------- Handle other actions allowed for non-logged in users:
1055 if (!isLoggedIn())
1056 {
1057 // User tries to post new link but is not logged in:
1058 // Show login screen, then redirect to ?post=...
1059 if (isset($_GET['post']))
1060 {
1061 header( // Redirect to login page, then back to post link.
1062 'Location: ?do=login&post='.urlencode($_GET['post']).
1063 (!empty($_GET['title'])?'&title='.urlencode($_GET['title']):'').
1064 (!empty($_GET['description'])?'&description='.urlencode($_GET['description']):'').
1065 (!empty($_GET['tags'])?'&tags='.urlencode($_GET['tags']):'').
1066 (!empty($_GET['source'])?'&source='.urlencode($_GET['source']):'')
1067 );
1068 exit;
1069 }
1070
1071 showLinkList($PAGE, $LINKSDB, $conf, $pluginManager);
1072 if (isset($_GET['edit_link'])) {
1073 header('Location: ?do=login&edit_link='. escape($_GET['edit_link']));
1074 exit;
1075 }
1076
1077 exit; // Never remove this one! All operations below are reserved for logged in user.
1078 }
1079
1080 // -------- All other functions are reserved for the registered user:
1081
1082 // -------- Display the Tools menu if requested (import/export/bookmarklet...)
1083 if ($targetPage == Router::$PAGE_TOOLS)
1084 {
1085 $data = [
1086 'pageabsaddr' => index_url($_SERVER),
1087 'sslenabled' => is_https($_SERVER),
1088 ];
1089 $pluginManager->executeHooks('render_tools', $data);
1090
1091 foreach ($data as $key => $value) {
1092 $PAGE->assign($key, $value);
1093 }
1094
1095 $PAGE->renderPage('tools');
1096 exit;
1097 }
1098
1099 // -------- User wants to change his/her password.
1100 if ($targetPage == Router::$PAGE_CHANGEPASSWORD)
1101 {
1102 if ($conf->get('security.open_shaarli')) {
1103 die(t('You are not supposed to change a password on an Open Shaarli.'));
1104 }
1105
1106 if (!empty($_POST['setpassword']) && !empty($_POST['oldpassword']))
1107 {
1108 if (!$sessionManager->checkToken($_POST['token'])) die(t('Wrong token.')); // Go away!
1109
1110 // Make sure old password is correct.
1111 $oldhash = sha1($_POST['oldpassword'].$conf->get('credentials.login').$conf->get('credentials.salt'));
1112 if ($oldhash!= $conf->get('credentials.hash')) {
1113 echo '<script>alert("'. t('The old password is not correct.') .'");document.location=\'?do=changepasswd\';</script>';
1114 exit;
1115 }
1116 // Save new password
1117 // Salt renders rainbow-tables attacks useless.
1118 $conf->set('credentials.salt', sha1(uniqid('', true) .'_'. mt_rand()));
1119 $conf->set('credentials.hash', sha1($_POST['setpassword'] . $conf->get('credentials.login') . $conf->get('credentials.salt')));
1120 try {
1121 $conf->write(isLoggedIn());
1122 }
1123 catch(Exception $e) {
1124 error_log(
1125 'ERROR while writing config file after changing password.' . PHP_EOL .
1126 $e->getMessage()
1127 );
1128
1129 // TODO: do not handle exceptions/errors in JS.
1130 echo '<script>alert("'. $e->getMessage() .'");document.location=\'?do=tools\';</script>';
1131 exit;
1132 }
1133 echo '<script>alert("'. t('Your password has been changed') .'");document.location=\'?do=tools\';</script>';
1134 exit;
1135 }
1136 else // show the change password form.
1137 {
1138 $PAGE->renderPage('changepassword');
1139 exit;
1140 }
1141 }
1142
1143 // -------- User wants to change configuration
1144 if ($targetPage == Router::$PAGE_CONFIGURE)
1145 {
1146 if (!empty($_POST['title']) )
1147 {
1148 if (!$sessionManager->checkToken($_POST['token'])) {
1149 die(t('Wrong token.')); // Go away!
1150 }
1151 $tz = 'UTC';
1152 if (!empty($_POST['continent']) && !empty($_POST['city'])
1153 && isTimeZoneValid($_POST['continent'], $_POST['city'])
1154 ) {
1155 $tz = $_POST['continent'] . '/' . $_POST['city'];
1156 }
1157 $conf->set('general.timezone', $tz);
1158 $conf->set('general.title', escape($_POST['title']));
1159 $conf->set('general.header_link', escape($_POST['titleLink']));
1160 $conf->set('resource.theme', escape($_POST['theme']));
1161 $conf->set('redirector.url', escape($_POST['redirector']));
1162 $conf->set('security.session_protection_disabled', !empty($_POST['disablesessionprotection']));
1163 $conf->set('privacy.default_private_links', !empty($_POST['privateLinkByDefault']));
1164 $conf->set('feed.rss_permalinks', !empty($_POST['enableRssPermalinks']));
1165 $conf->set('updates.check_updates', !empty($_POST['updateCheck']));
1166 $conf->set('privacy.hide_public_links', !empty($_POST['hidePublicLinks']));
1167 $conf->set('api.enabled', !empty($_POST['enableApi']));
1168 $conf->set('api.secret', escape($_POST['apiSecret']));
1169 $conf->set('translation.language', escape($_POST['language']));
1170
1171 try {
1172 $conf->write(isLoggedIn());
1173 $history->updateSettings();
1174 invalidateCaches($conf->get('resource.page_cache'));
1175 }
1176 catch(Exception $e) {
1177 error_log(
1178 'ERROR while writing config file after configuration update.' . PHP_EOL .
1179 $e->getMessage()
1180 );
1181
1182 // TODO: do not handle exceptions/errors in JS.
1183 echo '<script>alert("'. $e->getMessage() .'");document.location=\'?do=configure\';</script>';
1184 exit;
1185 }
1186 echo '<script>alert("'. t('Configuration was saved.') .'");document.location=\'?do=configure\';</script>';
1187 exit;
1188 }
1189 else // Show the configuration form.
1190 {
1191 $PAGE->assign('title', $conf->get('general.title'));
1192 $PAGE->assign('theme', $conf->get('resource.theme'));
1193 $PAGE->assign('theme_available', ThemeUtils::getThemes($conf->get('resource.raintpl_tpl')));
1194 $PAGE->assign('redirector', $conf->get('redirector.url'));
1195 list($continents, $cities) = generateTimeZoneData(
1196 timezone_identifiers_list(),
1197 $conf->get('general.timezone')
1198 );
1199 $PAGE->assign('continents', $continents);
1200 $PAGE->assign('cities', $cities);
1201 $PAGE->assign('private_links_default', $conf->get('privacy.default_private_links', false));
1202 $PAGE->assign('session_protection_disabled', $conf->get('security.session_protection_disabled', false));
1203 $PAGE->assign('enable_rss_permalinks', $conf->get('feed.rss_permalinks', false));
1204 $PAGE->assign('enable_update_check', $conf->get('updates.check_updates', true));
1205 $PAGE->assign('hide_public_links', $conf->get('privacy.hide_public_links', false));
1206 $PAGE->assign('api_enabled', $conf->get('api.enabled', true));
1207 $PAGE->assign('api_secret', $conf->get('api.secret'));
1208 $PAGE->assign('languages', Languages::getAvailableLanguages());
1209 $PAGE->assign('language', $conf->get('translation.language'));
1210 $PAGE->renderPage('configure');
1211 exit;
1212 }
1213 }
1214
1215 // -------- User wants to rename a tag or delete it
1216 if ($targetPage == Router::$PAGE_CHANGETAG)
1217 {
1218 if (empty($_POST['fromtag']) || (empty($_POST['totag']) && isset($_POST['renametag']))) {
1219 $PAGE->assign('fromtag', ! empty($_GET['fromtag']) ? escape($_GET['fromtag']) : '');
1220 $PAGE->renderPage('changetag');
1221 exit;
1222 }
1223
1224 if (!$sessionManager->checkToken($_POST['token'])) {
1225 die(t('Wrong token.'));
1226 }
1227
1228 $alteredLinks = $LINKSDB->renameTag(escape($_POST['fromtag']), escape($_POST['totag']));
1229 $LINKSDB->save($conf->get('resource.page_cache'));
1230 foreach ($alteredLinks as $link) {
1231 $history->updateLink($link);
1232 }
1233 $delete = empty($_POST['totag']);
1234 $redirect = $delete ? 'do=changetag' : 'searchtags='. urlencode(escape($_POST['totag']));
1235 $count = count($alteredLinks);
1236 $alert = $delete
1237 ? sprintf(t('The tag was removed from %d link.', 'The tag was removed from %d links.', $count), $count)
1238 : sprintf(t('The tag was renamed in %d link.', 'The tag was renamed in %d links.', $count), $count);
1239 echo '<script>alert("'. $alert .'");document.location=\'?'. $redirect .'\';</script>';
1240 exit;
1241 }
1242
1243 // -------- User wants to add a link without using the bookmarklet: Show form.
1244 if ($targetPage == Router::$PAGE_ADDLINK)
1245 {
1246 $PAGE->renderPage('addlink');
1247 exit;
1248 }
1249
1250 // -------- User clicked the "Save" button when editing a link: Save link to database.
1251 if (isset($_POST['save_edit']))
1252 {
1253 // Go away!
1254 if (! $sessionManager->checkToken($_POST['token'])) {
1255 die(t('Wrong token.'));
1256 }
1257
1258 // lf_id should only be present if the link exists.
1259 $id = isset($_POST['lf_id']) ? intval(escape($_POST['lf_id'])) : $LINKSDB->getNextId();
1260 // Linkdate is kept here to:
1261 // - use the same permalink for notes as they're displayed when creating them
1262 // - let users hack creation date of their posts
1263 // See: https://shaarli.readthedocs.io/en/master/Various-hacks/#changing-the-timestamp-for-a-shaare
1264 $linkdate = escape($_POST['lf_linkdate']);
1265 if (isset($LINKSDB[$id])) {
1266 // Edit
1267 $created = DateTime::createFromFormat(LinkDB::LINK_DATE_FORMAT, $linkdate);
1268 $updated = new DateTime();
1269 $shortUrl = $LINKSDB[$id]['shorturl'];
1270 $new = false;
1271 } else {
1272 // New link
1273 $created = DateTime::createFromFormat(LinkDB::LINK_DATE_FORMAT, $linkdate);
1274 $updated = null;
1275 $shortUrl = link_small_hash($created, $id);
1276 $new = true;
1277 }
1278
1279 // Remove multiple spaces.
1280 $tags = trim(preg_replace('/\s\s+/', ' ', $_POST['lf_tags']));
1281 // Remove first '-' char in tags.
1282 $tags = preg_replace('/(^| )\-/', '$1', $tags);
1283 // Remove duplicates.
1284 $tags = implode(' ', array_unique(explode(' ', $tags)));
1285
1286 if (empty(trim($_POST['lf_url']))) {
1287 $_POST['lf_url'] = '?' . smallHash($linkdate . $id);
1288 }
1289 $url = whitelist_protocols(trim($_POST['lf_url']), $conf->get('security.allowed_protocols'));
1290
1291 $link = array(
1292 'id' => $id,
1293 'title' => trim($_POST['lf_title']),
1294 'url' => $url,
1295 'description' => $_POST['lf_description'],
1296 'private' => (isset($_POST['lf_private']) ? 1 : 0),
1297 'created' => $created,
1298 'updated' => $updated,
1299 'tags' => str_replace(',', ' ', $tags),
1300 'shorturl' => $shortUrl,
1301 );
1302
1303 // If title is empty, use the URL as title.
1304 if ($link['title'] == '') {
1305 $link['title'] = $link['url'];
1306 }
1307
1308 $pluginManager->executeHooks('save_link', $link);
1309
1310 $LINKSDB[$id] = $link;
1311 $LINKSDB->save($conf->get('resource.page_cache'));
1312 if ($new) {
1313 $history->addLink($link);
1314 } else {
1315 $history->updateLink($link);
1316 }
1317
1318 // If we are called from the bookmarklet, we must close the popup:
1319 if (isset($_GET['source']) && ($_GET['source']=='bookmarklet' || $_GET['source']=='firefoxsocialapi')) {
1320 echo '<script>self.close();</script>';
1321 exit;
1322 }
1323
1324 $returnurl = !empty($_POST['returnurl']) ? $_POST['returnurl'] : '?';
1325 $location = generateLocation($returnurl, $_SERVER['HTTP_HOST'], array('addlink', 'post', 'edit_link'));
1326 // Scroll to the link which has been edited.
1327 $location .= '#' . $link['shorturl'];
1328 // After saving the link, redirect to the page the user was on.
1329 header('Location: '. $location);
1330 exit;
1331 }
1332
1333 // -------- User clicked the "Cancel" button when editing a link.
1334 if (isset($_POST['cancel_edit']))
1335 {
1336 $id = isset($_POST['lf_id']) ? (int) escape($_POST['lf_id']) : false;
1337 if (! isset($LINKSDB[$id])) {
1338 header('Location: ?');
1339 }
1340 // If we are called from the bookmarklet, we must close the popup:
1341 if (isset($_GET['source']) && ($_GET['source']=='bookmarklet' || $_GET['source']=='firefoxsocialapi')) { echo '<script>self.close();</script>'; exit; }
1342 $link = $LINKSDB[$id];
1343 $returnurl = ( isset($_POST['returnurl']) ? $_POST['returnurl'] : '?' );
1344 // Scroll to the link which has been edited.
1345 $returnurl .= '#'. $link['shorturl'];
1346 $returnurl = generateLocation($returnurl, $_SERVER['HTTP_HOST'], array('addlink', 'post', 'edit_link'));
1347 header('Location: '.$returnurl); // After canceling, redirect to the page the user was on.
1348 exit;
1349 }
1350
1351 // -------- User clicked the "Delete" button when editing a link: Delete link from database.
1352 if ($targetPage == Router::$PAGE_DELETELINK)
1353 {
1354 if (! $sessionManager->checkToken($_GET['token'])) {
1355 die(t('Wrong token.'));
1356 }
1357
1358 $ids = trim($_GET['lf_linkdate']);
1359 if (strpos($ids, ' ') !== false) {
1360 // multiple, space-separated ids provided
1361 $ids = array_values(array_filter(preg_split('/\s+/', escape($ids))));
1362 } else {
1363 // only a single id provided
1364 $ids = [$ids];
1365 }
1366 // assert at least one id is given
1367 if(!count($ids)){
1368 die('no id provided');
1369 }
1370 foreach ($ids as $id) {
1371 $id = (int) escape($id);
1372 $link = $LINKSDB[$id];
1373 $pluginManager->executeHooks('delete_link', $link);
1374 unset($LINKSDB[$id]);
1375 }
1376 $LINKSDB->save($conf->get('resource.page_cache')); // save to disk
1377 $history->deleteLink($link);
1378
1379 // If we are called from the bookmarklet, we must close the popup:
1380 if (isset($_GET['source']) && ($_GET['source']=='bookmarklet' || $_GET['source']=='firefoxsocialapi')) { echo '<script>self.close();</script>'; exit; }
1381
1382 $location = '?';
1383 if (isset($_SERVER['HTTP_REFERER'])) {
1384 // Don't redirect to where we were previously if it was a permalink or an edit_link, because it would 404.
1385 $location = generateLocation(
1386 $_SERVER['HTTP_REFERER'],
1387 $_SERVER['HTTP_HOST'],
1388 ['delete_link', 'edit_link', $link['shorturl']]
1389 );
1390 }
1391
1392 header('Location: ' . $location); // After deleting the link, redirect to appropriate location
1393 exit;
1394 }
1395
1396 // -------- User clicked the "EDIT" button on a link: Display link edit form.
1397 if (isset($_GET['edit_link']))
1398 {
1399 $id = (int) escape($_GET['edit_link']);
1400 $link = $LINKSDB[$id]; // Read database
1401 if (!$link) { header('Location: ?'); exit; } // Link not found in database.
1402 $link['linkdate'] = $link['created']->format(LinkDB::LINK_DATE_FORMAT);
1403 $data = array(
1404 'link' => $link,
1405 'link_is_new' => false,
1406 'http_referer' => (isset($_SERVER['HTTP_REFERER']) ? escape($_SERVER['HTTP_REFERER']) : ''),
1407 'tags' => $LINKSDB->linksCountPerTag(),
1408 );
1409 $pluginManager->executeHooks('render_editlink', $data);
1410
1411 foreach ($data as $key => $value) {
1412 $PAGE->assign($key, $value);
1413 }
1414
1415 $PAGE->renderPage('editlink');
1416 exit;
1417 }
1418
1419 // -------- User want to post a new link: Display link edit form.
1420 if (isset($_GET['post'])) {
1421 $url = cleanup_url($_GET['post']);
1422
1423 $link_is_new = false;
1424 // Check if URL is not already in database (in this case, we will edit the existing link)
1425 $link = $LINKSDB->getLinkFromUrl($url);
1426 if (! $link)
1427 {
1428 $link_is_new = true;
1429 $linkdate = strval(date(LinkDB::LINK_DATE_FORMAT));
1430 // Get title if it was provided in URL (by the bookmarklet).
1431 $title = empty($_GET['title']) ? '' : escape($_GET['title']);
1432 // Get description if it was provided in URL (by the bookmarklet). [Bronco added that]
1433 $description = empty($_GET['description']) ? '' : escape($_GET['description']);
1434 $tags = empty($_GET['tags']) ? '' : escape($_GET['tags']);
1435 $private = !empty($_GET['private']) && $_GET['private'] === "1" ? 1 : 0;
1436 // If this is an HTTP(S) link, we try go get the page to extract the title (otherwise we will to straight to the edit form.)
1437 if (empty($title) && strpos(get_url_scheme($url), 'http') !== false) {
1438 // Short timeout to keep the application responsive
1439 // The callback will fill $charset and $title with data from the downloaded page.
1440 get_http_response($url, 25, 4194304, get_curl_download_callback($charset, $title));
1441 if (! empty($title) && strtolower($charset) != 'utf-8') {
1442 $title = mb_convert_encoding($title, 'utf-8', $charset);
1443 }
1444 }
1445
1446 if ($url == '') {
1447 $url = '?' . smallHash($linkdate . $LINKSDB->getNextId());
1448 $title = $conf->get('general.default_note_title', t('Note: '));
1449 }
1450 $url = escape($url);
1451 $title = escape($title);
1452
1453 $link = array(
1454 'linkdate' => $linkdate,
1455 'title' => $title,
1456 'url' => $url,
1457 'description' => $description,
1458 'tags' => $tags,
1459 'private' => $private,
1460 );
1461 } else {
1462 $link['linkdate'] = $link['created']->format(LinkDB::LINK_DATE_FORMAT);
1463 }
1464
1465 $data = array(
1466 'link' => $link,
1467 'link_is_new' => $link_is_new,
1468 'http_referer' => (isset($_SERVER['HTTP_REFERER']) ? escape($_SERVER['HTTP_REFERER']) : ''),
1469 'source' => (isset($_GET['source']) ? $_GET['source'] : ''),
1470 'tags' => $LINKSDB->linksCountPerTag(),
1471 'default_private_links' => $conf->get('privacy.default_private_links', false),
1472 );
1473 $pluginManager->executeHooks('render_editlink', $data);
1474
1475 foreach ($data as $key => $value) {
1476 $PAGE->assign($key, $value);
1477 }
1478
1479 $PAGE->renderPage('editlink');
1480 exit;
1481 }
1482
1483 if ($targetPage == Router::$PAGE_EXPORT) {
1484 // Export links as a Netscape Bookmarks file
1485
1486 if (empty($_GET['selection'])) {
1487 $PAGE->renderPage('export');
1488 exit;
1489 }
1490
1491 // export as bookmarks_(all|private|public)_YYYYmmdd_HHMMSS.html
1492 $selection = $_GET['selection'];
1493 if (isset($_GET['prepend_note_url'])) {
1494 $prependNoteUrl = $_GET['prepend_note_url'];
1495 } else {
1496 $prependNoteUrl = false;
1497 }
1498
1499 try {
1500 $PAGE->assign(
1501 'links',
1502 NetscapeBookmarkUtils::filterAndFormat(
1503 $LINKSDB,
1504 $selection,
1505 $prependNoteUrl,
1506 index_url($_SERVER)
1507 )
1508 );
1509 } catch (Exception $exc) {
1510 header('Content-Type: text/plain; charset=utf-8');
1511 echo $exc->getMessage();
1512 exit;
1513 }
1514 $now = new DateTime();
1515 header('Content-Type: text/html; charset=utf-8');
1516 header(
1517 'Content-disposition: attachment; filename=bookmarks_'
1518 .$selection.'_'.$now->format(LinkDB::LINK_DATE_FORMAT).'.html'
1519 );
1520 $PAGE->assign('date', $now->format(DateTime::RFC822));
1521 $PAGE->assign('eol', PHP_EOL);
1522 $PAGE->assign('selection', $selection);
1523 $PAGE->renderPage('export.bookmarks');
1524 exit;
1525 }
1526
1527 if ($targetPage == Router::$PAGE_IMPORT) {
1528 // Upload a Netscape bookmark dump to import its contents
1529
1530 if (! isset($_POST['token']) || ! isset($_FILES['filetoupload'])) {
1531 // Show import dialog
1532 $PAGE->assign(
1533 'maxfilesize',
1534 get_max_upload_size(
1535 ini_get('post_max_size'),
1536 ini_get('upload_max_filesize'),
1537 false
1538 )
1539 );
1540 $PAGE->assign(
1541 'maxfilesizeHuman',
1542 get_max_upload_size(
1543 ini_get('post_max_size'),
1544 ini_get('upload_max_filesize'),
1545 true
1546 )
1547 );
1548 $PAGE->renderPage('import');
1549 exit;
1550 }
1551
1552 // Import bookmarks from an uploaded file
1553 if (isset($_FILES['filetoupload']['size']) && $_FILES['filetoupload']['size'] == 0) {
1554 // The file is too big or some form field may be missing.
1555 $msg = sprintf(
1556 t(
1557 'The file you are trying to upload is probably bigger than what this webserver can accept'
1558 .' (%s). Please upload in smaller chunks.'
1559 ),
1560 get_max_upload_size(ini_get('post_max_size'), ini_get('upload_max_filesize'))
1561 );
1562 echo '<script>alert("'. $msg .'");document.location=\'?do='.Router::$PAGE_IMPORT .'\';</script>';
1563 exit;
1564 }
1565 if (! $sessionManager->checkToken($_POST['token'])) {
1566 die('Wrong token.');
1567 }
1568 $status = NetscapeBookmarkUtils::import(
1569 $_POST,
1570 $_FILES,
1571 $LINKSDB,
1572 $conf,
1573 $history
1574 );
1575 echo '<script>alert("'.$status.'");document.location=\'?do='
1576 .Router::$PAGE_IMPORT .'\';</script>';
1577 exit;
1578 }
1579
1580 // Plugin administration page
1581 if ($targetPage == Router::$PAGE_PLUGINSADMIN) {
1582 $pluginMeta = $pluginManager->getPluginsMeta();
1583
1584 // Split plugins into 2 arrays: ordered enabled plugins and disabled.
1585 $enabledPlugins = array_filter($pluginMeta, function($v) { return $v['order'] !== false; });
1586 // Load parameters.
1587 $enabledPlugins = load_plugin_parameter_values($enabledPlugins, $conf->get('plugins', array()));
1588 uasort(
1589 $enabledPlugins,
1590 function($a, $b) { return $a['order'] - $b['order']; }
1591 );
1592 $disabledPlugins = array_filter($pluginMeta, function($v) { return $v['order'] === false; });
1593
1594 $PAGE->assign('enabledPlugins', $enabledPlugins);
1595 $PAGE->assign('disabledPlugins', $disabledPlugins);
1596 $PAGE->renderPage('pluginsadmin');
1597 exit;
1598 }
1599
1600 // Plugin administration form action
1601 if ($targetPage == Router::$PAGE_SAVE_PLUGINSADMIN) {
1602 try {
1603 if (isset($_POST['parameters_form'])) {
1604 unset($_POST['parameters_form']);
1605 foreach ($_POST as $param => $value) {
1606 $conf->set('plugins.'. $param, escape($value));
1607 }
1608 }
1609 else {
1610 $conf->set('general.enabled_plugins', save_plugin_config($_POST));
1611 }
1612 $conf->write(isLoggedIn());
1613 $history->updateSettings();
1614 }
1615 catch (Exception $e) {
1616 error_log(
1617 'ERROR while saving plugin configuration:.' . PHP_EOL .
1618 $e->getMessage()
1619 );
1620
1621 // TODO: do not handle exceptions/errors in JS.
1622 echo '<script>alert("'. $e->getMessage() .'");document.location=\'?do='. Router::$PAGE_PLUGINSADMIN .'\';</script>';
1623 exit;
1624 }
1625 header('Location: ?do='. Router::$PAGE_PLUGINSADMIN);
1626 exit;
1627 }
1628
1629 // Get a fresh token
1630 if ($targetPage == Router::$GET_TOKEN) {
1631 header('Content-Type:text/plain');
1632 echo $sessionManager->generateToken($conf);
1633 exit;
1634 }
1635
1636 // -------- Otherwise, simply display search form and links:
1637 showLinkList($PAGE, $LINKSDB, $conf, $pluginManager);
1638 exit;
1639 }
1640
1641 /**
1642 * Template for the list of links (<div id="linklist">)
1643 * This function fills all the necessary fields in the $PAGE for the template 'linklist.html'
1644 *
1645 * @param pageBuilder $PAGE pageBuilder instance.
1646 * @param LinkDB $LINKSDB LinkDB instance.
1647 * @param ConfigManager $conf Configuration Manager instance.
1648 * @param PluginManager $pluginManager Plugin Manager instance.
1649 */
1650 function buildLinkList($PAGE,$LINKSDB, $conf, $pluginManager)
1651 {
1652 // Used in templates
1653 if (isset($_GET['searchtags'])) {
1654 if (! empty($_GET['searchtags'])) {
1655 $searchtags = escape(normalize_spaces($_GET['searchtags']));
1656 } else {
1657 $searchtags = false;
1658 }
1659 } else {
1660 $searchtags = '';
1661 }
1662 $searchterm = !empty($_GET['searchterm']) ? escape(normalize_spaces($_GET['searchterm'])) : '';
1663
1664 // Smallhash filter
1665 if (! empty($_SERVER['QUERY_STRING'])
1666 && preg_match('/^[a-zA-Z0-9-_@]{6}($|&|#)/', $_SERVER['QUERY_STRING'])) {
1667 try {
1668 $linksToDisplay = $LINKSDB->filterHash($_SERVER['QUERY_STRING']);
1669 } catch (LinkNotFoundException $e) {
1670 $PAGE->render404($e->getMessage());
1671 exit;
1672 }
1673 } else {
1674 // Filter links according search parameters.
1675 $visibility = ! empty($_SESSION['privateonly']) ? 'private' : 'all';
1676 $request = [
1677 'searchtags' => $searchtags,
1678 'searchterm' => $searchterm,
1679 ];
1680 $linksToDisplay = $LINKSDB->filterSearch($request, false, $visibility, !empty($_SESSION['untaggedonly']));
1681 }
1682
1683 // ---- Handle paging.
1684 $keys = array();
1685 foreach ($linksToDisplay as $key => $value) {
1686 $keys[] = $key;
1687 }
1688
1689
1690
1691 // Select articles according to paging.
1692 $pagecount = ceil(count($keys) / $_SESSION['LINKS_PER_PAGE']);
1693 $pagecount = $pagecount == 0 ? 1 : $pagecount;
1694 $page= empty($_GET['page']) ? 1 : intval($_GET['page']);
1695 $page = $page < 1 ? 1 : $page;
1696 $page = $page > $pagecount ? $pagecount : $page;
1697 // Start index.
1698 $i = ($page-1) * $_SESSION['LINKS_PER_PAGE'];
1699 $end = $i + $_SESSION['LINKS_PER_PAGE'];
1700 $linkDisp = array();
1701 while ($i<$end && $i<count($keys))
1702 {
1703 $link = $linksToDisplay[$keys[$i]];
1704 $link['description'] = format_description(
1705 $link['description'],
1706 $conf->get('redirector.url'),
1707 $conf->get('redirector.encode_url')
1708 );
1709 $classLi = ($i % 2) != 0 ? '' : 'publicLinkHightLight';
1710 $link['class'] = $link['private'] == 0 ? $classLi : 'private';
1711 $link['timestamp'] = $link['created']->getTimestamp();
1712 if (! empty($link['updated'])) {
1713 $link['updated_timestamp'] = $link['updated']->getTimestamp();
1714 } else {
1715 $link['updated_timestamp'] = '';
1716 }
1717 $taglist = preg_split('/\s+/', $link['tags'], -1, PREG_SPLIT_NO_EMPTY);
1718 uasort($taglist, 'strcasecmp');
1719 $link['taglist'] = $taglist;
1720 // Check for both signs of a note: starting with ? and 7 chars long.
1721 if ($link['url'][0] === '?' &&
1722 strlen($link['url']) === 7) {
1723 $link['url'] = index_url($_SERVER) . $link['url'];
1724 }
1725
1726 $linkDisp[$keys[$i]] = $link;
1727 $i++;
1728 }
1729
1730 // Compute paging navigation
1731 $searchtagsUrl = $searchtags === '' ? '' : '&searchtags=' . urlencode($searchtags);
1732 $searchtermUrl = empty($searchterm) ? '' : '&searchterm=' . urlencode($searchterm);
1733 $previous_page_url = '';
1734 if ($i != count($keys)) {
1735 $previous_page_url = '?page=' . ($page+1) . $searchtermUrl . $searchtagsUrl;
1736 }
1737 $next_page_url='';
1738 if ($page>1) {
1739 $next_page_url = '?page=' . ($page-1) . $searchtermUrl . $searchtagsUrl;
1740 }
1741
1742 // Fill all template fields.
1743 $data = array(
1744 'previous_page_url' => $previous_page_url,
1745 'next_page_url' => $next_page_url,
1746 'page_current' => $page,
1747 'page_max' => $pagecount,
1748 'result_count' => count($linksToDisplay),
1749 'search_term' => $searchterm,
1750 'search_tags' => $searchtags,
1751 'visibility' => ! empty($_SESSION['privateonly']) ? 'private' : '',
1752 'redirector' => $conf->get('redirector.url'), // Optional redirector URL.
1753 'links' => $linkDisp,
1754 );
1755
1756 // If there is only a single link, we change on-the-fly the title of the page.
1757 if (count($linksToDisplay) == 1) {
1758 $data['pagetitle'] = $linksToDisplay[$keys[0]]['title'] .' - '. $conf->get('general.title');
1759 }
1760
1761 $pluginManager->executeHooks('render_linklist', $data, array('loggedin' => isLoggedIn()));
1762
1763 foreach ($data as $key => $value) {
1764 $PAGE->assign($key, $value);
1765 }
1766
1767 return;
1768 }
1769
1770 /**
1771 * Compute the thumbnail for a link.
1772 *
1773 * With a link to the original URL.
1774 * Understands various services (youtube.com...)
1775 * Input: $url = URL for which the thumbnail must be found.
1776 * $href = if provided, this URL will be followed instead of $url
1777 * Returns an associative array with thumbnail attributes (src,href,width,height,style,alt)
1778 * Some of them may be missing.
1779 * Return an empty array if no thumbnail available.
1780 *
1781 * @param ConfigManager $conf Configuration Manager instance.
1782 * @param string $url
1783 * @param string|bool $href
1784 *
1785 * @return array
1786 */
1787 function computeThumbnail($conf, $url, $href = false)
1788 {
1789 if (!$conf->get('thumbnail.enable_thumbnails')) return array();
1790 if ($href==false) $href=$url;
1791
1792 // For most hosts, the URL of the thumbnail can be easily deduced from the URL of the link.
1793 // (e.g. http://www.youtube.com/watch?v=spVypYk4kto ---> http://img.youtube.com/vi/spVypYk4kto/default.jpg )
1794 // ^^^^^^^^^^^ ^^^^^^^^^^^
1795 $domain = parse_url($url,PHP_URL_HOST);
1796 if ($domain=='youtube.com' || $domain=='www.youtube.com')
1797 {
1798 parse_str(parse_url($url,PHP_URL_QUERY), $params); // Extract video ID and get thumbnail
1799 if (!empty($params['v'])) return array('src'=>'https://img.youtube.com/vi/'.$params['v'].'/default.jpg',
1800 'href'=>$href,'width'=>'120','height'=>'90','alt'=>'YouTube thumbnail');
1801 }
1802 if ($domain=='youtu.be') // Youtube short links
1803 {
1804 $path = parse_url($url,PHP_URL_PATH);
1805 return array('src'=>'https://img.youtube.com/vi'.$path.'/default.jpg',
1806 'href'=>$href,'width'=>'120','height'=>'90','alt'=>'YouTube thumbnail');
1807 }
1808 if ($domain=='pix.toile-libre.org') // pix.toile-libre.org image hosting
1809 {
1810 parse_str(parse_url($url,PHP_URL_QUERY), $params); // Extract image filename.
1811 if (!empty($params) && !empty($params['img'])) return array('src'=>'http://pix.toile-libre.org/upload/thumb/'.urlencode($params['img']),
1812 'href'=>$href,'style'=>'max-width:120px; max-height:150px','alt'=>'pix.toile-libre.org thumbnail');
1813 }
1814
1815 if ($domain=='imgur.com')
1816 {
1817 $path = parse_url($url,PHP_URL_PATH);
1818 if (startsWith($path,'/a/')) return array(); // Thumbnails for albums are not available.
1819 if (startsWith($path,'/r/')) return array('src'=>'https://i.imgur.com/'.basename($path).'s.jpg',
1820 'href'=>$href,'width'=>'90','height'=>'90','alt'=>'imgur.com thumbnail');
1821 if (startsWith($path,'/gallery/')) return array('src'=>'https://i.imgur.com'.substr($path,8).'s.jpg',
1822 'href'=>$href,'width'=>'90','height'=>'90','alt'=>'imgur.com thumbnail');
1823
1824 if (substr_count($path,'/')==1) return array('src'=>'https://i.imgur.com/'.substr($path,1).'s.jpg',
1825 'href'=>$href,'width'=>'90','height'=>'90','alt'=>'imgur.com thumbnail');
1826 }
1827 if ($domain=='i.imgur.com')
1828 {
1829 $pi = pathinfo(parse_url($url,PHP_URL_PATH));
1830 if (!empty($pi['filename'])) return array('src'=>'https://i.imgur.com/'.$pi['filename'].'s.jpg',
1831 'href'=>$href,'width'=>'90','height'=>'90','alt'=>'imgur.com thumbnail');
1832 }
1833 if ($domain=='dailymotion.com' || $domain=='www.dailymotion.com')
1834 {
1835 if (strpos($url,'dailymotion.com/video/')!==false)
1836 {
1837 $thumburl=str_replace('dailymotion.com/video/','dailymotion.com/thumbnail/video/',$url);
1838 return array('src'=>$thumburl,
1839 'href'=>$href,'width'=>'120','style'=>'height:auto;','alt'=>'DailyMotion thumbnail');
1840 }
1841 }
1842 if (endsWith($domain,'.imageshack.us'))
1843 {
1844 $ext=strtolower(pathinfo($url,PATHINFO_EXTENSION));
1845 if ($ext=='jpg' || $ext=='jpeg' || $ext=='png' || $ext=='gif')
1846 {
1847 $thumburl = substr($url,0,strlen($url)-strlen($ext)).'th.'.$ext;
1848 return array('src'=>$thumburl,
1849 'href'=>$href,'width'=>'120','style'=>'height:auto;','alt'=>'imageshack.us thumbnail');
1850 }
1851 }
1852
1853 // Some other hosts are SLOW AS HELL and usually require an extra HTTP request to get the thumbnail URL.
1854 // So we deport the thumbnail generation in order not to slow down page generation
1855 // (and we also cache the thumbnail)
1856
1857 if (! $conf->get('thumbnail.enable_localcache')) return array(); // If local cache is disabled, no thumbnails for services which require the use a local cache.
1858
1859 if ($domain=='flickr.com' || endsWith($domain,'.flickr.com')
1860 || $domain=='vimeo.com'
1861 || $domain=='ted.com' || endsWith($domain,'.ted.com')
1862 || $domain=='xkcd.com' || endsWith($domain,'.xkcd.com')
1863 )
1864 {
1865 if ($domain=='vimeo.com')
1866 { // Make sure this vimeo URL points to a video (/xxx... where xxx is numeric)
1867 $path = parse_url($url,PHP_URL_PATH);
1868 if (!preg_match('!/\d+.+?!',$path)) return array(); // This is not a single video URL.
1869 }
1870 if ($domain=='xkcd.com' || endsWith($domain,'.xkcd.com'))
1871 { // Make sure this URL points to a single comic (/xxx... where xxx is numeric)
1872 $path = parse_url($url,PHP_URL_PATH);
1873 if (!preg_match('!/\d+.+?!',$path)) return array();
1874 }
1875 if ($domain=='ted.com' || endsWith($domain,'.ted.com'))
1876 { // Make sure this TED URL points to a video (/talks/...)
1877 $path = parse_url($url,PHP_URL_PATH);
1878 if ("/talks/" !== substr($path,0,7)) return array(); // This is not a single video URL.
1879 }
1880 $sign = hash_hmac('sha256', $url, $conf->get('credentials.salt')); // We use the salt to sign data (it's random, secret, and specific to each installation)
1881 return array('src'=>index_url($_SERVER).'?do=genthumbnail&hmac='.$sign.'&url='.urlencode($url),
1882 'href'=>$href,'width'=>'120','style'=>'height:auto;','alt'=>'thumbnail');
1883 }
1884
1885 // For all other, we try to make a thumbnail of links ending with .jpg/jpeg/png/gif
1886 // Technically speaking, we should download ALL links and check their Content-Type to see if they are images.
1887 // But using the extension will do.
1888 $ext=strtolower(pathinfo($url,PATHINFO_EXTENSION));
1889 if ($ext=='jpg' || $ext=='jpeg' || $ext=='png' || $ext=='gif')
1890 {
1891 $sign = hash_hmac('sha256', $url, $conf->get('credentials.salt')); // We use the salt to sign data (it's random, secret, and specific to each installation)
1892 return array('src'=>index_url($_SERVER).'?do=genthumbnail&hmac='.$sign.'&url='.urlencode($url),
1893 'href'=>$href,'width'=>'120','style'=>'height:auto;','alt'=>'thumbnail');
1894 }
1895 return array(); // No thumbnail.
1896
1897 }
1898
1899
1900 // Returns the HTML code to display a thumbnail for a link
1901 // with a link to the original URL.
1902 // Understands various services (youtube.com...)
1903 // Input: $url = URL for which the thumbnail must be found.
1904 // $href = if provided, this URL will be followed instead of $url
1905 // Returns '' if no thumbnail available.
1906 function thumbnail($url,$href=false)
1907 {
1908 // FIXME!
1909 global $conf;
1910 $t = computeThumbnail($conf, $url,$href);
1911 if (count($t)==0) return ''; // Empty array = no thumbnail for this URL.
1912
1913 $html='<a href="'.escape($t['href']).'"><img src="'.escape($t['src']).'"';
1914 if (!empty($t['width'])) $html.=' width="'.escape($t['width']).'"';
1915 if (!empty($t['height'])) $html.=' height="'.escape($t['height']).'"';
1916 if (!empty($t['style'])) $html.=' style="'.escape($t['style']).'"';
1917 if (!empty($t['alt'])) $html.=' alt="'.escape($t['alt']).'"';
1918 $html.='></a>';
1919 return $html;
1920 }
1921
1922 // Returns the HTML code to display a thumbnail for a link
1923 // for the picture wall (using lazy image loading)
1924 // Understands various services (youtube.com...)
1925 // Input: $url = URL for which the thumbnail must be found.
1926 // $href = if provided, this URL will be followed instead of $url
1927 // Returns '' if no thumbnail available.
1928 function lazyThumbnail($conf, $url,$href=false)
1929 {
1930 // FIXME!
1931 global $conf;
1932 $t = computeThumbnail($conf, $url,$href);
1933 if (count($t)==0) return ''; // Empty array = no thumbnail for this URL.
1934
1935 $html='<a href="'.escape($t['href']).'">';
1936
1937 // Lazy image
1938 $html.='<img class="b-lazy" src="#" data-src="'.escape($t['src']).'"';
1939
1940 if (!empty($t['width'])) $html.=' width="'.escape($t['width']).'"';
1941 if (!empty($t['height'])) $html.=' height="'.escape($t['height']).'"';
1942 if (!empty($t['style'])) $html.=' style="'.escape($t['style']).'"';
1943 if (!empty($t['alt'])) $html.=' alt="'.escape($t['alt']).'"';
1944 $html.='>';
1945
1946 // No-JavaScript fallback.
1947 $html.='<noscript><img src="'.escape($t['src']).'"';
1948 if (!empty($t['width'])) $html.=' width="'.escape($t['width']).'"';
1949 if (!empty($t['height'])) $html.=' height="'.escape($t['height']).'"';
1950 if (!empty($t['style'])) $html.=' style="'.escape($t['style']).'"';
1951 if (!empty($t['alt'])) $html.=' alt="'.escape($t['alt']).'"';
1952 $html.='></noscript></a>';
1953
1954 return $html;
1955 }
1956
1957
1958 /**
1959 * Installation
1960 * This function should NEVER be called if the file data/config.php exists.
1961 *
1962 * @param ConfigManager $conf Configuration Manager instance.
1963 * @param SessionManager $sessionManager SessionManager instance
1964 */
1965 function install($conf, $sessionManager) {
1966 // On free.fr host, make sure the /sessions directory exists, otherwise login will not work.
1967 if (endsWith($_SERVER['HTTP_HOST'],'.free.fr') && !is_dir($_SERVER['DOCUMENT_ROOT'].'/sessions')) mkdir($_SERVER['DOCUMENT_ROOT'].'/sessions',0705);
1968
1969
1970 // This part makes sure sessions works correctly.
1971 // (Because on some hosts, session.save_path may not be set correctly,
1972 // or we may not have write access to it.)
1973 if (isset($_GET['test_session']) && ( !isset($_SESSION) || !isset($_SESSION['session_tested']) || $_SESSION['session_tested']!='Working'))
1974 {
1975 // Step 2: Check if data in session is correct.
1976 $msg = t(
1977 '<pre>Sessions do not seem to work correctly on your server.<br>'.
1978 'Make sure the variable "session.save_path" is set correctly in your PHP config, '.
1979 'and that you have write access to it.<br>'.
1980 'It currently points to %s.<br>'.
1981 'On some browsers, accessing your server via a hostname like \'localhost\' '.
1982 'or any custom hostname without a dot causes cookie storage to fail. '.
1983 'We recommend accessing your server via it\'s IP address or Fully Qualified Domain Name.<br>'
1984 );
1985 $msg = sprintf($msg, session_save_path());
1986 echo $msg;
1987 echo '<br><a href="?">'. t('Click to try again.') .'</a></pre>';
1988 die;
1989 }
1990 if (!isset($_SESSION['session_tested']))
1991 { // Step 1 : Try to store data in session and reload page.
1992 $_SESSION['session_tested'] = 'Working'; // Try to set a variable in session.
1993 header('Location: '.index_url($_SERVER).'?test_session'); // Redirect to check stored data.
1994 }
1995 if (isset($_GET['test_session']))
1996 { // Step 3: Sessions are OK. Remove test parameter from URL.
1997 header('Location: '.index_url($_SERVER));
1998 }
1999
2000
2001 if (!empty($_POST['setlogin']) && !empty($_POST['setpassword']))
2002 {
2003 $tz = 'UTC';
2004 if (!empty($_POST['continent']) && !empty($_POST['city'])
2005 && isTimeZoneValid($_POST['continent'], $_POST['city'])
2006 ) {
2007 $tz = $_POST['continent'].'/'.$_POST['city'];
2008 }
2009 $conf->set('general.timezone', $tz);
2010 $login = $_POST['setlogin'];
2011 $conf->set('credentials.login', $login);
2012 $salt = sha1(uniqid('', true) .'_'. mt_rand());
2013 $conf->set('credentials.salt', $salt);
2014 $conf->set('credentials.hash', sha1($_POST['setpassword'] . $login . $salt));
2015 if (!empty($_POST['title'])) {
2016 $conf->set('general.title', escape($_POST['title']));
2017 } else {
2018 $conf->set('general.title', 'Shared links on '.escape(index_url($_SERVER)));
2019 }
2020 $conf->set('translation.language', escape($_POST['language']));
2021 $conf->set('updates.check_updates', !empty($_POST['updateCheck']));
2022 $conf->set('api.enabled', !empty($_POST['enableApi']));
2023 $conf->set(
2024 'api.secret',
2025 generate_api_secret(
2026 $conf->get('credentials.login'),
2027 $conf->get('credentials.salt')
2028 )
2029 );
2030 try {
2031 // Everything is ok, let's create config file.
2032 $conf->write(isLoggedIn());
2033 }
2034 catch(Exception $e) {
2035 error_log(
2036 'ERROR while writing config file after installation.' . PHP_EOL .
2037 $e->getMessage()
2038 );
2039
2040 // TODO: do not handle exceptions/errors in JS.
2041 echo '<script>alert("'. $e->getMessage() .'");document.location=\'?\';</script>';
2042 exit;
2043 }
2044 echo '<script>alert("Shaarli is now configured. Please enter your login/password and start shaaring your links!");document.location=\'?do=login\';</script>';
2045 exit;
2046 }
2047
2048 $PAGE = new PageBuilder($conf, null, $sessionManager->generateToken());
2049 list($continents, $cities) = generateTimeZoneData(timezone_identifiers_list(), date_default_timezone_get());
2050 $PAGE->assign('continents', $continents);
2051 $PAGE->assign('cities', $cities);
2052 $PAGE->assign('languages', Languages::getAvailableLanguages());
2053 $PAGE->renderPage('install');
2054 exit;
2055 }
2056
2057 /**
2058 * Because some f*cking services like flickr require an extra HTTP request to get the thumbnail URL,
2059 * I have deported the thumbnail URL code generation here, otherwise this would slow down page generation.
2060 * The following function takes the URL a link (e.g. a flickr page) and return the proper thumbnail.
2061 * This function is called by passing the URL:
2062 * http://mywebsite.com/shaarli/?do=genthumbnail&hmac=[HMAC]&url=[URL]
2063 * [URL] is the URL of the link (e.g. a flickr page)
2064 * [HMAC] is the signature for the [URL] (so that these URL cannot be forged).
2065 * The function below will fetch the image from the webservice and store it in the cache.
2066 *
2067 * @param ConfigManager $conf Configuration Manager instance,
2068 */
2069 function genThumbnail($conf)
2070 {
2071 // Make sure the parameters in the URL were generated by us.
2072 $sign = hash_hmac('sha256', $_GET['url'], $conf->get('credentials.salt'));
2073 if ($sign!=$_GET['hmac']) die('Naughty boy!');
2074
2075 $cacheDir = $conf->get('resource.thumbnails_cache', 'cache');
2076 // Let's see if we don't already have the image for this URL in the cache.
2077 $thumbname=hash('sha1',$_GET['url']).'.jpg';
2078 if (is_file($cacheDir .'/'. $thumbname))
2079 { // We have the thumbnail, just serve it:
2080 header('Content-Type: image/jpeg');
2081 echo file_get_contents($cacheDir .'/'. $thumbname);
2082 return;
2083 }
2084 // We may also serve a blank image (if service did not respond)
2085 $blankname=hash('sha1',$_GET['url']).'.gif';
2086 if (is_file($cacheDir .'/'. $blankname))
2087 {
2088 header('Content-Type: image/gif');
2089 echo file_get_contents($cacheDir .'/'. $blankname);
2090 return;
2091 }
2092
2093 // Otherwise, generate the thumbnail.
2094 $url = $_GET['url'];
2095 $domain = parse_url($url,PHP_URL_HOST);
2096
2097 if ($domain=='flickr.com' || endsWith($domain,'.flickr.com'))
2098 {
2099 // Crude replacement to handle new flickr domain policy (They prefer www. now)
2100 $url = str_replace('http://flickr.com/','http://www.flickr.com/',$url);
2101
2102 // Is this a link to an image, or to a flickr page ?
2103 $imageurl='';
2104 if (endsWith(parse_url($url, PHP_URL_PATH), '.jpg'))
2105 { // This is a direct link to an image. e.g. http://farm1.staticflickr.com/5/5921913_ac83ed27bd_o.jpg
2106 preg_match('!(http://farm\d+\.staticflickr\.com/\d+/\d+_\w+_)\w.jpg!',$url,$matches);
2107 if (!empty($matches[1])) $imageurl=$matches[1].'m.jpg';
2108 }
2109 else // This is a flickr page (html)
2110 {
2111 // Get the flickr html page.
2112 list($headers, $content) = get_http_response($url, 20);
2113 if (strpos($headers[0], '200 OK') !== false)
2114 {
2115 // flickr now nicely provides the URL of the thumbnail in each flickr page.
2116 preg_match('!<link rel=\"image_src\" href=\"(.+?)\"!', $content, $matches);
2117 if (!empty($matches[1])) $imageurl=$matches[1];
2118
2119 // In albums (and some other pages), the link rel="image_src" is not provided,
2120 // but flickr provides:
2121 // <meta property="og:image" content="http://farm4.staticflickr.com/3398/3239339068_25d13535ff_z.jpg" />
2122 if ($imageurl=='')
2123 {
2124 preg_match('!<meta property=\"og:image\" content=\"(.+?)\"!', $content, $matches);
2125 if (!empty($matches[1])) $imageurl=$matches[1];
2126 }
2127 }
2128 }
2129
2130 if ($imageurl!='')
2131 { // Let's download the image.
2132 // Image is 240x120, so 10 seconds to download should be enough.
2133 list($headers, $content) = get_http_response($imageurl, 10);
2134 if (strpos($headers[0], '200 OK') !== false) {
2135 // Save image to cache.
2136 file_put_contents($cacheDir .'/'. $thumbname, $content);
2137 header('Content-Type: image/jpeg');
2138 echo $content;
2139 return;
2140 }
2141 }
2142 }
2143
2144 elseif ($domain=='vimeo.com' )
2145 {
2146 // This is more complex: we have to perform a HTTP request, then parse the result.
2147 // Maybe we should deport this to JavaScript ? Example: http://stackoverflow.com/questions/1361149/get-img-thumbnails-from-vimeo/4285098#4285098
2148 $vid = substr(parse_url($url,PHP_URL_PATH),1);
2149 list($headers, $content) = get_http_response('https://vimeo.com/api/v2/video/'.escape($vid).'.php', 5);
2150 if (strpos($headers[0], '200 OK') !== false) {
2151 $t = unserialize($content);
2152 $imageurl = $t[0]['thumbnail_medium'];
2153 // Then we download the image and serve it to our client.
2154 list($headers, $content) = get_http_response($imageurl, 10);
2155 if (strpos($headers[0], '200 OK') !== false) {
2156 // Save image to cache.
2157 file_put_contents($cacheDir .'/'. $thumbname, $content);
2158 header('Content-Type: image/jpeg');
2159 echo $content;
2160 return;
2161 }
2162 }
2163 }
2164
2165 elseif ($domain=='ted.com' || endsWith($domain,'.ted.com'))
2166 {
2167 // The thumbnail for TED talks is located in the <link rel="image_src" [...]> tag on that page
2168 // http://www.ted.com/talks/mikko_hypponen_fighting_viruses_defending_the_net.html
2169 // <link rel="image_src" href="http://images.ted.com/images/ted/28bced335898ba54d4441809c5b1112ffaf36781_389x292.jpg" />
2170 list($headers, $content) = get_http_response($url, 5);
2171 if (strpos($headers[0], '200 OK') !== false) {
2172 // Extract the link to the thumbnail
2173 preg_match('!link rel="image_src" href="(http://images.ted.com/images/ted/.+_\d+x\d+\.jpg)"!', $content, $matches);
2174 if (!empty($matches[1]))
2175 { // Let's download the image.
2176 $imageurl=$matches[1];
2177 // No control on image size, so wait long enough
2178 list($headers, $content) = get_http_response($imageurl, 20);
2179 if (strpos($headers[0], '200 OK') !== false) {
2180 $filepath = $cacheDir .'/'. $thumbname;
2181 file_put_contents($filepath, $content); // Save image to cache.
2182 if (resizeImage($filepath))
2183 {
2184 header('Content-Type: image/jpeg');
2185 echo file_get_contents($filepath);
2186 return;
2187 }
2188 }
2189 }
2190 }
2191 }
2192
2193 elseif ($domain=='xkcd.com' || endsWith($domain,'.xkcd.com'))
2194 {
2195 // There is no thumbnail available for xkcd comics, so download the whole image and resize it.
2196 // http://xkcd.com/327/
2197 // <img src="http://imgs.xkcd.com/comics/exploits_of_a_mom.png" title="<BLABLA>" alt="<BLABLA>" />
2198 list($headers, $content) = get_http_response($url, 5);
2199 if (strpos($headers[0], '200 OK') !== false) {
2200 // Extract the link to the thumbnail
2201 preg_match('!<img src="(http://imgs.xkcd.com/comics/.*)" title="[^s]!', $content, $matches);
2202 if (!empty($matches[1]))
2203 { // Let's download the image.
2204 $imageurl=$matches[1];
2205 // No control on image size, so wait long enough
2206 list($headers, $content) = get_http_response($imageurl, 20);
2207 if (strpos($headers[0], '200 OK') !== false) {
2208 $filepath = $cacheDir.'/'.$thumbname;
2209 // Save image to cache.
2210 file_put_contents($filepath, $content);
2211 if (resizeImage($filepath))
2212 {
2213 header('Content-Type: image/jpeg');
2214 echo file_get_contents($filepath);
2215 return;
2216 }
2217 }
2218 }
2219 }
2220 }
2221
2222 else
2223 {
2224 // For all other domains, we try to download the image and make a thumbnail.
2225 // We allow 30 seconds max to download (and downloads are limited to 4 Mb)
2226 list($headers, $content) = get_http_response($url, 30);
2227 if (strpos($headers[0], '200 OK') !== false) {
2228 $filepath = $cacheDir .'/'.$thumbname;
2229 // Save image to cache.
2230 file_put_contents($filepath, $content);
2231 if (resizeImage($filepath))
2232 {
2233 header('Content-Type: image/jpeg');
2234 echo file_get_contents($filepath);
2235 return;
2236 }
2237 }
2238 }
2239
2240
2241 // Otherwise, return an empty image (8x8 transparent gif)
2242 $blankgif = base64_decode('R0lGODlhCAAIAIAAAP///////yH5BAEKAAEALAAAAAAIAAgAAAIHjI+py+1dAAA7');
2243 // Also put something in cache so that this URL is not requested twice.
2244 file_put_contents($cacheDir .'/'. $blankname, $blankgif);
2245 header('Content-Type: image/gif');
2246 echo $blankgif;
2247 }
2248
2249 // Make a thumbnail of the image (to width: 120 pixels)
2250 // Returns true if success, false otherwise.
2251 function resizeImage($filepath)
2252 {
2253 if (!function_exists('imagecreatefromjpeg')) return false; // GD not present: no thumbnail possible.
2254
2255 // Trick: some stupid people rename GIF as JPEG... or else.
2256 // So we really try to open each image type whatever the extension is.
2257 $header=file_get_contents($filepath,false,NULL,0,256); // Read first 256 bytes and try to sniff file type.
2258 $im=false;
2259 $i=strpos($header,'GIF8'); if (($i!==false) && ($i==0)) $im = imagecreatefromgif($filepath); // Well this is crude, but it should be enough.
2260 $i=strpos($header,'PNG'); if (($i!==false) && ($i==1)) $im = imagecreatefrompng($filepath);
2261 $i=strpos($header,'JFIF'); if ($i!==false) $im = imagecreatefromjpeg($filepath);
2262 if (!$im) return false; // Unable to open image (corrupted or not an image)
2263 $w = imagesx($im);
2264 $h = imagesy($im);
2265 $ystart = 0; $yheight=$h;
2266 if ($h>$w) { $ystart= ($h/2)-($w/2); $yheight=$w/2; }
2267 $nw = 120; // Desired width
2268 $nh = min(floor(($h*$nw)/$w),120); // Compute new width/height, but maximum 120 pixels height.
2269 // Resize image:
2270 $im2 = imagecreatetruecolor($nw,$nh);
2271 imagecopyresampled($im2, $im, 0, 0, 0, $ystart, $nw, $nh, $w, $yheight);
2272 imageinterlace($im2,true); // For progressive JPEG.
2273 $tempname=$filepath.'_TEMP.jpg';
2274 imagejpeg($im2, $tempname, 90);
2275 imagedestroy($im);
2276 imagedestroy($im2);
2277 unlink($filepath);
2278 rename($tempname,$filepath); // Overwrite original picture with thumbnail.
2279 return true;
2280 }
2281
2282 if (isset($_SERVER['QUERY_STRING']) && startsWith($_SERVER['QUERY_STRING'], 'do=genthumbnail')) { genThumbnail($conf); exit; } // Thumbnail generation/cache does not need the link database.
2283 if (isset($_SERVER['QUERY_STRING']) && startsWith($_SERVER['QUERY_STRING'], 'do=dailyrss')) { showDailyRSS($conf); exit; }
2284 if (!isset($_SESSION['LINKS_PER_PAGE'])) {
2285 $_SESSION['LINKS_PER_PAGE'] = $conf->get('general.links_per_page', 20);
2286 }
2287
2288 try {
2289 $history = new History($conf->get('resource.history'));
2290 } catch(Exception $e) {
2291 die($e->getMessage());
2292 }
2293
2294 $linkDb = new LinkDB(
2295 $conf->get('resource.datastore'),
2296 isLoggedIn(),
2297 $conf->get('privacy.hide_public_links'),
2298 $conf->get('redirector.url'),
2299 $conf->get('redirector.encode_url')
2300 );
2301
2302 $container = new \Slim\Container();
2303 $container['conf'] = $conf;
2304 $container['plugins'] = $pluginManager;
2305 $container['history'] = $history;
2306 $app = new \Slim\App($container);
2307
2308 // REST API routes
2309 $app->group('/api/v1', function() {
2310 $this->get('/info', '\Shaarli\Api\Controllers\Info:getInfo')->setName('getInfo');
2311 $this->get('/links', '\Shaarli\Api\Controllers\Links:getLinks')->setName('getLinks');
2312 $this->get('/links/{id:[\d]+}', '\Shaarli\Api\Controllers\Links:getLink')->setName('getLink');
2313 $this->post('/links', '\Shaarli\Api\Controllers\Links:postLink')->setName('postLink');
2314 $this->put('/links/{id:[\d]+}', '\Shaarli\Api\Controllers\Links:putLink')->setName('putLink');
2315 $this->delete('/links/{id:[\d]+}', '\Shaarli\Api\Controllers\Links:deleteLink')->setName('deleteLink');
2316 $this->get('/history', '\Shaarli\Api\Controllers\History:getHistory')->setName('getHistory');
2317 })->add('\Shaarli\Api\ApiMiddleware');
2318
2319 $response = $app->run(true);
2320 // Hack to make Slim and Shaarli router work together:
2321 // If a Slim route isn't found and NOT API call, we call renderPage().
2322 if ($response->getStatusCode() == 404 && strpos($_SERVER['REQUEST_URI'], '/api/v1') === false) {
2323 // We use UTF-8 for proper international characters handling.
2324 header('Content-Type: text/html; charset=utf-8');
2325 renderPage($conf, $pluginManager, $linkDb, $history, $sessionManager);
2326 } else {
2327 $app->respond($response);
2328 }