]> git.immae.eu Git - github/shaarli/Shaarli.git/blame - index.php
Merge pull request #294 from virtualtam/doc/update
[github/shaarli/Shaarli.git] / index.php
CommitLineData
45034273 1<?php
7d4263e1 2// Shaarli 0.5.0 - Shaare your links...
ad6c27b7 3// The personal, minimalist, super-fast, no-database Delicious clone. By sebsauvage.net
45034273
SS
4// http://sebsauvage.net/wiki/doku.php?id=php:shaarli
5// Licence: http://www.opensource.org/licenses/zlib-license.php
d1e2f8e5 6// Requires: PHP 5.3.x
45034273 7// -----------------------------------------------------------------------------------------------
cb49ab94
MC
8// NEVER TRUST IN PHP.INI
9// Some hosts do not define a default timezone in php.ini,
10// so we have to do this for avoid the strict standard error.
11date_default_timezone_set('UTC');
12
45034273 13// -----------------------------------------------------------------------------------------------
dd484b90
A
14// Hardcoded parameter (These parameters can be overwritten by editing the file /data/config.php)
15// You should not touch any code below (or at your own risks!)
45034273
SS
16$GLOBALS['config']['DATADIR'] = 'data'; // Data subdirectory
17$GLOBALS['config']['CONFIG_FILE'] = $GLOBALS['config']['DATADIR'].'/config.php'; // Configuration file (user login/password)
18$GLOBALS['config']['DATASTORE'] = $GLOBALS['config']['DATADIR'].'/datastore.php'; // Data storage file.
19$GLOBALS['config']['LINKS_PER_PAGE'] = 20; // Default links per page.
20$GLOBALS['config']['IPBANS_FILENAME'] = $GLOBALS['config']['DATADIR'].'/ipbans.php'; // File storage for failures and bans.
21$GLOBALS['config']['BAN_AFTER'] = 4; // Ban IP after this many failures.
22$GLOBALS['config']['BAN_DURATION'] = 1800; // Ban duration for IP address after login failures (in seconds) (1800 sec. = 30 minutes)
23$GLOBALS['config']['OPEN_SHAARLI'] = false; // If true, anyone can add/edit/delete links without having to login
24$GLOBALS['config']['HIDE_TIMESTAMPS'] = false; // If true, the moment when links were saved are not shown to users that are not logged in.
1099d8fc 25$GLOBALS['config']['SHOW_ATOM'] = false; // If true, an extra "ATOM feed" button will be displayed in the toolbar
45034273
SS
26$GLOBALS['config']['ENABLE_THUMBNAILS'] = true; // Enable thumbnails in links.
27$GLOBALS['config']['CACHEDIR'] = 'cache'; // Cache directory for thumbnails for SLOW services (like flickr)
28$GLOBALS['config']['PAGECACHE'] = 'pagecache'; // Page cache directory.
ad6c27b7 29$GLOBALS['config']['ENABLE_LOCALCACHE'] = true; // Enable Shaarli to store thumbnail in a local cache. Disable to reduce web space usage.
45034273 30$GLOBALS['config']['PUBSUBHUB_URL'] = ''; // PubSubHubbub support. Put an empty string to disable, or put your hub url here to enable.
2f2aa06b
V
31$GLOBALS['config']['RAINTPL_TMP'] = 'tmp/' ; // Raintpl cache directory (keep the trailing slash!)
32$GLOBALS['config']['RAINTPL_TPL'] = 'tpl/' ; // Raintpl template directory (keep the trailing slash!)
45034273
SS
33$GLOBALS['config']['UPDATECHECK_FILENAME'] = $GLOBALS['config']['DATADIR'].'/lastupdatecheck.txt'; // For updates check of Shaarli.
34$GLOBALS['config']['UPDATECHECK_INTERVAL'] = 86400 ; // Updates check frequency for Shaarli. 86400 seconds=24 hours
35 // Note: You must have publisher.php in the same directory as Shaarli index.php
d2f51763 36$GLOBALS['config']['ARCHIVE_ORG'] = false; // For each link, add a link to an archived version on archive.org
ed5b38dd 37$GLOBALS['config']['ENABLE_RSS_PERMALINKS'] = true; // Enable RSS permalinks by default. This corresponds to the default behavior of shaarli before this was added as an option.
caee7ff9 38$GLOBALS['config']['HIDE_PUBLIC_LINKS'] = false;
45034273 39// -----------------------------------------------------------------------------------------------
7d4263e1 40define('shaarli_version','0.5.0');
ae00595b
CH
41// http://server.com/x/shaarli --> /shaarli/
42define('WEB_PATH', substr($_SERVER["REQUEST_URI"], 0, 1+strrpos($_SERVER["REQUEST_URI"], '/', 0)));
45034273
SS
43
44// Force cookie path (but do not change lifetime)
45$cookie=session_get_cookie_params();
2d9fab88 46$cookiedir = ''; if(dirname($_SERVER['SCRIPT_NAME'])!='/') $cookiedir=dirname($_SERVER["SCRIPT_NAME"]).'/';
2f32d074 47session_set_cookie_params($cookie['lifetime'],$cookiedir,$_SERVER['SERVER_NAME']); // Set default cookie expiration and path.
45034273 48
f37664a2
SS
49// Set session parameters on server side.
50define('INACTIVITY_TIMEOUT',3600); // (in seconds). If the user does not access any page within this time, his/her session is considered expired.
51ini_set('session.use_cookies', 1); // Use cookies to store session.
ad6c27b7 52ini_set('session.use_only_cookies', 1); // Force cookies for session (phpsessionID forbidden in URL).
53ini_set('session.use_trans_sid', false); // Prevent PHP form using sessionID in URL if cookies are disabled.
f37664a2
SS
54session_name('shaarli');
55if (session_id() == '') session_start(); // Start session if needed (Some server auto-start sessions).
56
45034273
SS
57// PHP Settings
58ini_set('max_input_time','60'); // High execution time in case of problematic imports/exports.
59ini_set('memory_limit', '128M'); // Try to set max upload file size and read (May not work on some hosts).
60ini_set('post_max_size', '16M');
61ini_set('upload_max_filesize', '16M');
45034273
SS
62error_reporting(E_ALL^E_WARNING); // See all error except warnings.
63//error_reporting(-1); // See all errors (for debugging only)
64
50c9a12e
V
65// User configuration
66if (is_file($GLOBALS['config']['CONFIG_FILE'])) {
67 require_once $GLOBALS['config']['CONFIG_FILE'];
68}
69
ca74886f
V
70// Shaarli library
71require_once 'application/LinkDB.php';
d1e2f8e5 72require_once 'application/TimeZone.php';
ca74886f 73require_once 'application/Utils.php';
dd484b90 74require_once 'application/Config.php';
ca74886f 75
d1e2f8e5
V
76// Ensure the PHP version is supported
77try {
78 checkPHPVersion('5.3', PHP_VERSION);
79} catch(Exception $e) {
80 header('Content-Type: text/plain; charset=utf-8');
81 echo $e->getMessage();
82 exit;
83}
84
45034273 85include "inc/rain.tpl.class.php"; //include Rain TPL
25f5c59d 86raintpl::$tpl_dir = $GLOBALS['config']['RAINTPL_TPL']; // template directory
25f5c59d 87raintpl::$cache_dir = $GLOBALS['config']['RAINTPL_TMP']; // cache directory
45034273
SS
88
89ob_start(); // Output buffering for the page cache.
90
91
92// In case stupid admin has left magic_quotes enabled in php.ini:
93if (get_magic_quotes_gpc())
94{
95 function stripslashes_deep($value) { $value = is_array($value) ? array_map('stripslashes_deep', $value) : stripslashes($value); return $value; }
96 $_POST = array_map('stripslashes_deep', $_POST);
97 $_GET = array_map('stripslashes_deep', $_GET);
98 $_COOKIE = array_map('stripslashes_deep', $_COOKIE);
99}
100
101// Prevent caching on client side or proxy: (yes, it's ugly)
102header("Last-Modified: " . gmdate("D, d M Y H:i:s") . " GMT");
103header("Cache-Control: no-store, no-cache, must-revalidate");
104header("Cache-Control: post-check=0, pre-check=0", false);
105header("Pragma: no-cache");
106
ad6c27b7 107// Directories creations (Note that your web host may require different rights than 705.)
60b83e7c 108if (!is_writable(realpath(dirname(__FILE__)))) die('<pre>ERROR: Shaarli does not have the right to write in its own directory.</pre>');
45034273 109
45034273 110// Handling of old config file which do not have the new parameters.
5f85fcd8 111if (empty($GLOBALS['title'])) $GLOBALS['title']='Shared links on '.escape(indexUrl());
45034273 112if (empty($GLOBALS['timezone'])) $GLOBALS['timezone']=date_default_timezone_get();
8a80e4fe 113if (empty($GLOBALS['redirector'])) $GLOBALS['redirector']='';
45034273 114if (empty($GLOBALS['disablesessionprotection'])) $GLOBALS['disablesessionprotection']=false;
bb8f712d 115if (empty($GLOBALS['privateLinkByDefault'])) $GLOBALS['privateLinkByDefault']=false;
ebb2880d 116if (empty($GLOBALS['titleLink'])) $GLOBALS['titleLink']='?';
858c5c2b 117// I really need to rewrite Shaarli with a proper configuation manager.
45034273 118
8a80e4fe 119// Run config screen if first run:
50c9a12e
V
120if (! is_file($GLOBALS['config']['CONFIG_FILE'])) {
121 install();
122}
8a80e4fe 123
5f85fcd8
A
124$GLOBALS['title'] = !empty($GLOBALS['title']) ? escape($GLOBALS['title']) : '';
125$GLOBALS['titleLink'] = !empty($GLOBALS['titleLink']) ? escape($GLOBALS['titleLink']) : '';
126$GLOBALS['redirector'] = !empty($GLOBALS['redirector']) ? escape($GLOBALS['redirector']) : '';
8a80e4fe 127
ae00595b
CH
128// a token depending of deployment salt, user password, and the current ip
129define('STAY_SIGNED_IN_TOKEN', sha1($GLOBALS['hash'].$_SERVER["REMOTE_ADDR"].$GLOBALS['salt']));
8a80e4fe 130
45034273
SS
131autoLocale(); // Sniff browser language and set date format accordingly.
132header('Content-Type: text/html; charset=utf-8'); // We use UTF-8 for proper international characters handling.
133
ff69d87e
FE
134//==================================================================================================
135// Checking session state (i.e. is the user still logged in)
136//==================================================================================================
137
138function setup_login_state() {
139 $userIsLoggedIn = false; // By default, we do not consider the user as logged in;
140 $loginFailure = false; // If set to true, every attempt to authenticate the user will fail. This indicates that an important condition isn't met.
141 if ($GLOBALS['config']['OPEN_SHAARLI']) {
142 $userIsLoggedIn = true;
143 }
144 if (!isset($GLOBALS['login'])) {
145 $userIsLoggedIn = false; // Shaarli is not configured yet.
146 $loginFailure = true;
147 }
148 if (isset($_COOKIE['shaarli_staySignedIn']) &&
149 $_COOKIE['shaarli_staySignedIn']===STAY_SIGNED_IN_TOKEN &&
150 !$loginFailure)
151 {
152 fillSessionInfo();
153 $userIsLoggedIn = true;
154 }
155 // If session does not exist on server side, or IP address has changed, or session has expired, logout.
156 if (empty($_SESSION['uid']) ||
157 ($GLOBALS['disablesessionprotection']==false && $_SESSION['ip']!=allIPs()) ||
158 time() >= $_SESSION['expires_on'])
159 {
160 logout();
161 $userIsLoggedIn = false;
162 $loginFailure = true;
163 }
164 if (!empty($_SESSION['longlastingsession'])) {
165 $_SESSION['expires_on']=time()+$_SESSION['longlastingsession']; // In case of "Stay signed in" checked.
166 }
167 else {
168 $_SESSION['expires_on']=time()+INACTIVITY_TIMEOUT; // Standard session expiration date.
169 }
170 if (!$loginFailure) {
171 $userIsLoggedIn = true;
172 }
173
174 return $userIsLoggedIn;
175}
ff69d87e 176$userIsLoggedIn = setup_login_state();
45034273
SS
177
178// Checks if an update is available for Shaarli.
179// (at most once a day, and only for registered user.)
180// Output: '' = no new version.
181// other= the available version.
182function checkUpdate()
183{
184 if (!isLoggedIn()) return ''; // Do not check versions for visitors.
329e0768 185 if (empty($GLOBALS['config']['ENABLE_UPDATECHECK'])) return ''; // Do not check if the user doesn't want to.
45034273
SS
186
187 // Get latest version number at most once a day.
188 if (!is_file($GLOBALS['config']['UPDATECHECK_FILENAME']) || (filemtime($GLOBALS['config']['UPDATECHECK_FILENAME'])<time()-($GLOBALS['config']['UPDATECHECK_INTERVAL'])))
189 {
190 $version=shaarli_version;
dbcad740 191 list($httpstatus,$headers,$data) = getHTTP('https://raw.githubusercontent.com/shaarli/Shaarli/master/shaarli_version.php',2);
192 if (strpos($httpstatus,'200 OK')!==false) $version=str_replace(' */ ?>','',str_replace('<?php /* ','',$data));
ad6c27b7 193 // If failed, never mind. We don't want to bother the user with that.
45034273
SS
194 file_put_contents($GLOBALS['config']['UPDATECHECK_FILENAME'],$version); // touch file date
195 }
196 // Compare versions:
197 $newestversion=file_get_contents($GLOBALS['config']['UPDATECHECK_FILENAME']);
198 if (version_compare($newestversion,shaarli_version)==1) return $newestversion;
199 return '';
200}
201
202
203// -----------------------------------------------------------------------------------------------
204// Simple cache system (mainly for the RSS/ATOM feeds).
205
206class pageCache
207{
208 private $url; // Full URL of the page to cache (typically the value returned by pageUrl())
ad6c27b7 209 private $shouldBeCached; // boolean: Should this url be cached?
210 private $filename; // Name of the cache file for this url.
45034273 211
bb8f712d 212 /*
ad6c27b7 213 $url = URL (typically the value returned by pageUrl())
45034273
SS
214 $shouldBeCached = boolean. If false, the cache will be disabled.
215 */
216 public function __construct($url,$shouldBeCached)
217 {
218 $this->url = $url;
219 $this->filename = $GLOBALS['config']['PAGECACHE'].'/'.sha1($url).'.cache';
220 $this->shouldBeCached = $shouldBeCached;
bb8f712d 221 }
45034273
SS
222
223 // If the page should be cached and a cached version exists,
224 // returns the cached version (otherwise, return null).
225 public function cachedVersion()
226 {
227 if (!$this->shouldBeCached) return null;
228 if (is_file($this->filename)) { return file_get_contents($this->filename); exit; }
229 return null;
230 }
231
232 // Put a page in the cache.
233 public function cache($page)
234 {
235 if (!$this->shouldBeCached) return;
45034273
SS
236 file_put_contents($this->filename,$page);
237 }
238
239 // Purge the whole cache.
240 // (call with pageCache::purgeCache())
241 public static function purgeCache()
242 {
243 if (is_dir($GLOBALS['config']['PAGECACHE']))
244 {
245 $handler = opendir($GLOBALS['config']['PAGECACHE']);
64bf914a 246 if ($handler!==false)
45034273 247 {
bb8f712d 248 while (($filename = readdir($handler))!==false)
45034273
SS
249 {
250 if (endsWith($filename,'.cache')) { unlink($GLOBALS['config']['PAGECACHE'].'/'.$filename); }
251 }
252 closedir($handler);
253 }
254 }
255 }
256
257}
258
259
260// -----------------------------------------------------------------------------------------------
261// Log to text file
262function logm($message)
263{
264 $t = strval(date('Y/m/d_H:i:s')).' - '.$_SERVER["REMOTE_ADDR"].' - '.strval($message)."\n";
265 file_put_contents($GLOBALS['config']['DATADIR'].'/log.txt',$t,FILE_APPEND);
266}
267
ad6c27b7 268// In a string, converts URLs to clickable links.
45034273
SS
269// Function inspired from http://www.php.net/manual/en/function.preg-replace.php#85722
270function text2clickable($url)
271{
272 $redir = empty($GLOBALS['redirector']) ? '' : $GLOBALS['redirector'];
30b0672d 273 return preg_replace('!(((?:https?|ftp|file)://|apt:|magnet:)\S+[[:alnum:]]/?)!si','<a href="'.$redir.'$1" rel="nofollow">$1</a>',$url);
45034273
SS
274}
275
276// This function inserts &nbsp; where relevant so that multiple spaces are properly displayed in HTML
277// even in the absence of <pre> (This is used in description to keep text formatting)
278function keepMultipleSpaces($text)
279{
280 return str_replace(' ',' &nbsp;',$text);
bb8f712d 281
45034273
SS
282}
283// ------------------------------------------------------------------------------------------
284// Sniff browser language to display dates in the right format automatically.
285// (Note that is may not work on your server if the corresponding local is not installed.)
286function autoLocale()
287{
8438a2e5 288 $attempts = array('en_US'); // Default if browser does not send HTTP_ACCEPT_LANGUAGE
ad6c27b7 289 if (isset($_SERVER['HTTP_ACCEPT_LANGUAGE'])) // e.g. "fr,fr-fr;q=0.8,en;q=0.5,en-us;q=0.3"
290 { // (It's a bit crude, but it works very well. Preferred language is always presented first.)
8438a2e5
A
291 if (preg_match('/([a-z]{2})-?([a-z]{2})?/i',$_SERVER['HTTP_ACCEPT_LANGUAGE'],$matches)) {
292 $loc = $matches[1] . (!empty($matches[2]) ? '_' . strtoupper($matches[2]) : '');
da49603b 293 $attempts = array($loc.'.UTF-8', $loc, str_replace('_', '-', $loc).'.UTF-8', str_replace('_', '-', $loc),
d33c5d4c
M
294 $loc . '_' . strtoupper($loc).'.UTF-8', $loc . '_' . strtoupper($loc),
295 $loc . '_' . $loc.'.UTF-8', $loc . '_' . $loc, $loc . '-' . strtoupper($loc).'.UTF-8',
da49603b 296 $loc . '-' . strtoupper($loc), $loc . '-' . $loc.'.UTF-8', $loc . '-' . $loc);
8438a2e5 297 }
45034273 298 }
8438a2e5 299 setlocale(LC_TIME, $attempts); // LC_TIME = Set local for date/time format only.
45034273
SS
300}
301
302// ------------------------------------------------------------------------------------------
303// PubSubHubbub protocol support (if enabled) [UNTESTED]
304// (Source: http://aldarone.fr/les-flux-rss-shaarli-et-pubsubhubbub/ )
305if (!empty($GLOBALS['config']['PUBSUBHUB_URL'])) include './publisher.php';
306function pubsubhub()
307{
308 if (!empty($GLOBALS['config']['PUBSUBHUB_URL']))
309 {
310 $p = new Publisher($GLOBALS['config']['PUBSUBHUB_URL']);
311 $topic_url = array (
312 indexUrl().'?do=atom',
313 indexUrl().'?do=rss'
314 );
315 $p->publish_update($topic_url);
316 }
317}
318
319// ------------------------------------------------------------------------------------------
320// Session management
45034273
SS
321
322// Returns the IP address of the client (Used to prevent session cookie hijacking.)
323function allIPs()
324{
325 $ip = $_SERVER["REMOTE_ADDR"];
326 // Then we use more HTTP headers to prevent session hijacking from users behind the same proxy.
327 if (isset($_SERVER['HTTP_X_FORWARDED_FOR'])) { $ip=$ip.'_'.$_SERVER['HTTP_X_FORWARDED_FOR']; }
328 if (isset($_SERVER['HTTP_CLIENT_IP'])) { $ip=$ip.'_'.$_SERVER['HTTP_CLIENT_IP']; }
329 return $ip;
330}
331
ae00595b 332function fillSessionInfo() {
ad6c27b7 333 $_SESSION['uid'] = sha1(uniqid('',true).'_'.mt_rand()); // Generate unique random number (different than phpsessionid)
ae00595b
CH
334 $_SESSION['ip']=allIPs(); // We store IP address(es) of the client to make sure session is not hijacked.
335 $_SESSION['username']=$GLOBALS['login'];
336 $_SESSION['expires_on']=time()+INACTIVITY_TIMEOUT; // Set session expiration.
337}
338
45034273
SS
339// Check that user/password is correct.
340function check_auth($login,$password)
341{
342 $hash = sha1($password.$login.$GLOBALS['salt']);
343 if ($login==$GLOBALS['login'] && $hash==$GLOBALS['hash'])
344 { // Login/password is correct.
ae00595b 345 fillSessionInfo();
45034273
SS
346 logm('Login successful');
347 return True;
348 }
349 logm('Login failed for user '.$login);
350 return False;
351}
352
353// Returns true if the user is logged in.
354function isLoggedIn()
355{
ff69d87e
FE
356 global $userIsLoggedIn;
357 return $userIsLoggedIn;
45034273
SS
358}
359
360// Force logout.
ff69d87e
FE
361function logout() {
362 if (isset($_SESSION)) {
363 unset($_SESSION['uid']);
364 unset($_SESSION['ip']);
365 unset($_SESSION['username']);
366 unset($_SESSION['privateonly']);
367 }
368 setcookie('shaarli_staySignedIn', FALSE, 0, WEB_PATH);
ae00595b 369}
45034273
SS
370
371
372// ------------------------------------------------------------------------------------------
373// Brute force protection system
374// Several consecutive failed logins will ban the IP address for 30 minutes.
375if (!is_file($GLOBALS['config']['IPBANS_FILENAME'])) file_put_contents($GLOBALS['config']['IPBANS_FILENAME'], "<?php\n\$GLOBALS['IPBANS']=".var_export(array('FAILURES'=>array(),'BANS'=>array()),true).";\n?>");
376include $GLOBALS['config']['IPBANS_FILENAME'];
377// Signal a failed login. Will ban the IP if too many failures:
378function ban_loginFailed()
379{
380 $ip=$_SERVER["REMOTE_ADDR"]; $gb=$GLOBALS['IPBANS'];
381 if (!isset($gb['FAILURES'][$ip])) $gb['FAILURES'][$ip]=0;
382 $gb['FAILURES'][$ip]++;
383 if ($gb['FAILURES'][$ip]>($GLOBALS['config']['BAN_AFTER']-1))
384 {
385 $gb['BANS'][$ip]=time()+$GLOBALS['config']['BAN_DURATION'];
386 logm('IP address banned from login');
387 }
388 $GLOBALS['IPBANS'] = $gb;
389 file_put_contents($GLOBALS['config']['IPBANS_FILENAME'], "<?php\n\$GLOBALS['IPBANS']=".var_export($gb,true).";\n?>");
390}
391
392// Signals a successful login. Resets failed login counter.
393function ban_loginOk()
394{
395 $ip=$_SERVER["REMOTE_ADDR"]; $gb=$GLOBALS['IPBANS'];
396 unset($gb['FAILURES'][$ip]); unset($gb['BANS'][$ip]);
397 $GLOBALS['IPBANS'] = $gb;
398 file_put_contents($GLOBALS['config']['IPBANS_FILENAME'], "<?php\n\$GLOBALS['IPBANS']=".var_export($gb,true).";\n?>");
399}
400
401// Checks if the user CAN login. If 'true', the user can try to login.
402function ban_canLogin()
403{
404 $ip=$_SERVER["REMOTE_ADDR"]; $gb=$GLOBALS['IPBANS'];
405 if (isset($gb['BANS'][$ip]))
406 {
407 // User is banned. Check if the ban has expired:
408 if ($gb['BANS'][$ip]<=time())
409 { // Ban expired, user can try to login again.
410 logm('Ban lifted.');
411 unset($gb['FAILURES'][$ip]); unset($gb['BANS'][$ip]);
412 file_put_contents($GLOBALS['config']['IPBANS_FILENAME'], "<?php\n\$GLOBALS['IPBANS']=".var_export($gb,true).";\n?>");
413 return true; // Ban has expired, user can login.
414 }
415 return false; // User is banned.
416 }
417 return true; // User is not banned.
418}
419
420// ------------------------------------------------------------------------------------------
421// Process login form: Check if login/password is correct.
422if (isset($_POST['login']))
423{
424 if (!ban_canLogin()) die('I said: NO. You are banned for the moment. Go away.');
425 if (isset($_POST['password']) && tokenOk($_POST['token']) && (check_auth($_POST['login'], $_POST['password'])))
ad6c27b7 426 { // Login/password is OK.
45034273
SS
427 ban_loginOk();
428 // If user wants to keep the session cookie even after the browser closes:
429 if (!empty($_POST['longlastingsession']))
430 {
ae00595b 431 setcookie('shaarli_staySignedIn', STAY_SIGNED_IN_TOKEN, time()+31536000, WEB_PATH);
45034273
SS
432 $_SESSION['longlastingsession']=31536000; // (31536000 seconds = 1 year)
433 $_SESSION['expires_on']=time()+$_SESSION['longlastingsession']; // Set session expiration on server-side.
2d9fab88
SS
434
435 $cookiedir = ''; if(dirname($_SERVER['SCRIPT_NAME'])!='/') $cookiedir=dirname($_SERVER["SCRIPT_NAME"]).'/';
2f32d074 436 session_set_cookie_params($_SESSION['longlastingsession'],$cookiedir,$_SERVER['SERVER_NAME']); // Set session cookie expiration on client side
ad6c27b7 437 // Note: Never forget the trailing slash on the cookie path!
45034273
SS
438 session_regenerate_id(true); // Send cookie with new expiration date to browser.
439 }
440 else // Standard session expiration (=when browser closes)
441 {
2d9fab88 442 $cookiedir = ''; if(dirname($_SERVER['SCRIPT_NAME'])!='/') $cookiedir=dirname($_SERVER["SCRIPT_NAME"]).'/';
2f32d074 443 session_set_cookie_params(0,$cookiedir,$_SERVER['SERVER_NAME']); // 0 means "When browser closes"
45034273
SS
444 session_regenerate_id(true);
445 }
446 // Optional redirect after login:
a1795ddc 447 if (isset($_GET['post'])) { header('Location: ?post='.urlencode($_GET['post']).(!empty($_GET['title'])?'&title='.urlencode($_GET['title']):'').(!empty($_GET['description'])?'&description='.urlencode($_GET['description']):'').(!empty($_GET['source'])?'&source='.urlencode($_GET['source']):'')); exit; }
45034273
SS
448 if (isset($_POST['returnurl']))
449 {
450 if (endsWith($_POST['returnurl'],'?do=login')) { header('Location: ?'); exit; } // Prevent loops over login screen.
451 header('Location: '.$_POST['returnurl']); exit;
452 }
453 header('Location: ?'); exit;
454 }
455 else
456 {
457 ban_loginFailed();
705f8355 458 $redir = '';
a1795ddc 459 if (isset($_GET['post'])) { $redir = '&post='.urlencode($_GET['post']).(!empty($_GET['title'])?'&title='.urlencode($_GET['title']):'').(!empty($_GET['description'])?'&description='.urlencode($_GET['description']):'').(!empty($_GET['source'])?'&source='.urlencode($_GET['source']):''); }
fe16b01e 460 echo '<script>alert("Wrong login/password.");document.location=\'?do=login'.$redir.'\';</script>'; // Redirect to login screen.
45034273
SS
461 exit;
462 }
463}
464
465// ------------------------------------------------------------------------------------------
466// Misc utility functions:
467
468// Returns the server URL (including port and http/https), without path.
ad6c27b7 469// e.g. "http://myserver.com:8080"
45034273
SS
470// You can append $_SERVER['SCRIPT_NAME'] to get the current script URL.
471function serverUrl()
472{
473 $https = (!empty($_SERVER['HTTPS']) && (strtolower($_SERVER['HTTPS'])=='on')) || $_SERVER["SERVER_PORT"]=='443'; // HTTPS detection.
474 $serverport = ($_SERVER["SERVER_PORT"]=='80' || ($https && $_SERVER["SERVER_PORT"]=='443') ? '' : ':'.$_SERVER["SERVER_PORT"]);
2f32d074 475 return 'http'.($https?'s':'').'://'.$_SERVER['SERVER_NAME'].$serverport;
45034273
SS
476}
477
478// Returns the absolute URL of current script, without the query.
ad6c27b7 479// (e.g. http://sebsauvage.net/links/)
45034273
SS
480function indexUrl()
481{
9e975d86
SS
482 $scriptname = $_SERVER["SCRIPT_NAME"];
483 // If the script is named 'index.php', we remove it (for better looking URLs,
ad6c27b7 484 // e.g. http://mysite.com/shaarli/?abcde instead of http://mysite.com/shaarli/index.php?abcde)
9e975d86
SS
485 if (endswith($scriptname,'index.php')) $scriptname = substr($scriptname,0,strlen($scriptname)-9);
486 return serverUrl() . $scriptname;
45034273
SS
487}
488
489// Returns the absolute URL of current script, WITH the query.
ad6c27b7 490// (e.g. http://sebsauvage.net/links/?toto=titi&spamspamspam=humbug)
45034273
SS
491function pageUrl()
492{
493 return indexUrl().(!empty($_SERVER["QUERY_STRING"]) ? '?'.$_SERVER["QUERY_STRING"] : '');
494}
495
ad6c27b7 496// Convert post_max_size/upload_max_filesize (e.g. '16M') parameters to bytes.
45034273
SS
497function return_bytes($val)
498{
499 $val = trim($val); $last=strtolower($val[strlen($val)-1]);
500 switch($last)
501 {
502 case 'g': $val *= 1024;
503 case 'm': $val *= 1024;
504 case 'k': $val *= 1024;
505 }
506 return $val;
507}
508
509// Try to determine max file size for uploads (POST).
510// Returns an integer (in bytes)
511function getMaxFileSize()
512{
513 $size1 = return_bytes(ini_get('post_max_size'));
514 $size2 = return_bytes(ini_get('upload_max_filesize'));
515 // Return the smaller of two:
516 $maxsize = min($size1,$size2);
ad6c27b7 517 // FIXME: Then convert back to readable notations ? (e.g. 2M instead of 2000000)
45034273
SS
518 return $maxsize;
519}
520
45034273
SS
521/* Converts a linkdate time (YYYYMMDD_HHMMSS) of an article to a timestamp (Unix epoch)
522 (used to build the ADD_DATE attribute in Netscape-bookmarks file)
523 PS: I could have used strptime(), but it does not exist on Windows. I'm too kind. */
524function linkdate2timestamp($linkdate)
525{
f5b05925
JD
526 if(strcmp($linkdate, '_000000') !== 0 || !$linkdate){
527 $Y=$M=$D=$h=$m=$s=0;
528 $r = sscanf($linkdate,'%4d%2d%2d_%2d%2d%2d',$Y,$M,$D,$h,$m,$s);
529 return mktime($h,$m,$s,$M,$D,$Y);
530 }
531 return time();
45034273
SS
532}
533
534/* Converts a linkdate time (YYYYMMDD_HHMMSS) of an article to a RFC822 date.
535 (used to build the pubDate attribute in RSS feed.) */
536function linkdate2rfc822($linkdate)
537{
538 return date('r',linkdate2timestamp($linkdate)); // 'r' is for RFC822 date format.
539}
540
541/* Converts a linkdate time (YYYYMMDD_HHMMSS) of an article to a ISO 8601 date.
542 (used to build the updated tags in ATOM feed.) */
543function linkdate2iso8601($linkdate)
544{
545 return date('c',linkdate2timestamp($linkdate)); // 'c' is for ISO 8601 date format.
546}
547
45034273
SS
548// Parse HTTP response headers and return an associative array.
549function http_parse_headers_shaarli( $headers )
550{
551 $res=array();
552 foreach($headers as $header)
553 {
554 $i = strpos($header,': ');
555 if ($i!==false)
556 {
557 $key=substr($header,0,$i);
558 $value=substr($header,$i+2,strlen($header)-$i-2);
559 $res[$key]=$value;
560 }
561 }
562 return $res;
563}
564
565/* GET an URL.
ad6c27b7 566 Input: $url : URL to get (http://...)
45034273 567 $timeout : Network timeout (will wait this many seconds for an anwser before giving up).
ad6c27b7 568 Output: An array. [0] = HTTP status message (e.g. "HTTP/1.1 200 OK") or error message
569 [1] = associative array containing HTTP response headers (e.g. echo getHTTP($url)[1]['Content-Type'])
45034273
SS
570 [2] = data
571 Example: list($httpstatus,$headers,$data) = getHTTP('http://sebauvage.net/');
572 if (strpos($httpstatus,'200 OK')!==false)
573 echo 'Data type: '.htmlspecialchars($headers['Content-Type']);
574 else
575 echo 'There was an error: '.htmlspecialchars($httpstatus)
576*/
577function getHTTP($url,$timeout=30)
578{
579 try
580 {
03545ef6 581 $options = array('http'=>array('method'=>'GET','timeout' => $timeout, 'user_agent' => 'Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:23.0) Gecko/20100101 Firefox/23.0')); // Force network timeout
45034273
SS
582 $context = stream_context_create($options);
583 $data=file_get_contents($url,false,$context,-1, 4000000); // We download at most 4 Mb from source.
584 if (!$data) { return array('HTTP Error',array(),''); }
ad6c27b7 585 $httpStatus=$http_response_header[0]; // e.g. "HTTP/1.1 200 OK"
45034273
SS
586 $responseHeaders=http_parse_headers_shaarli($http_response_header);
587 return array($httpStatus,$responseHeaders,$data);
588 }
ad6c27b7 589 catch (Exception $e) // getHTTP *can* fail silently (we don't care if the title cannot be fetched)
45034273
SS
590 {
591 return array($e->getMessage(),'','');
592 }
593}
594
595// Extract title from an HTML document.
596// (Returns an empty string if not found.)
597function html_extract_title($html)
598{
599 return preg_match('!<title>(.*?)</title>!is', $html, $matches) ? trim(str_replace("\n",' ', $matches[1])) : '' ;
600}
601
602// ------------------------------------------------------------------------------------------
603// Token management for XSRF protection
604// Token should be used in any form which acts on data (create,update,delete,import...).
605if (!isset($_SESSION['tokens'])) $_SESSION['tokens']=array(); // Token are attached to the session.
606
607// Returns a token.
608function getToken()
609{
a1f5a6ec 610 $rnd = sha1(uniqid('',true).'_'.mt_rand().$GLOBALS['salt']); // We generate a random string.
45034273
SS
611 $_SESSION['tokens'][$rnd]=1; // Store it on the server side.
612 return $rnd;
613}
614
ad6c27b7 615// Tells if a token is OK. Using this function will destroy the token.
616// true=token is OK.
45034273
SS
617function tokenOk($token)
618{
619 if (isset($_SESSION['tokens'][$token]))
620 {
621 unset($_SESSION['tokens'][$token]); // Token is used: destroy it.
ad6c27b7 622 return true; // Token is OK.
45034273
SS
623 }
624 return false; // Wrong token, or already used.
625}
626
627// ------------------------------------------------------------------------------------------
628/* This class is in charge of building the final page.
629 (This is basically a wrapper around RainTPL which pre-fills some fields.)
630 p = new pageBuilder;
631 p.assign('myfield','myvalue');
632 p.renderPage('mytemplate');
bb8f712d 633
45034273
SS
634*/
635class pageBuilder
636{
637 private $tpl; // RainTPL template
638
639 function __construct()
640 {
641 $this->tpl=false;
bb8f712d 642 }
45034273
SS
643
644 private function initialize()
bb8f712d
KT
645 {
646 $this->tpl = new RainTPL;
5f85fcd8
A
647 $this->tpl->assign('newversion',escape(checkUpdate()));
648 $this->tpl->assign('feedurl',escape(indexUrl()));
45034273
SS
649 $searchcrits=''; // Search criteria
650 if (!empty($_GET['searchtags'])) $searchcrits.='&searchtags='.urlencode($_GET['searchtags']);
651 elseif (!empty($_GET['searchterm'])) $searchcrits.='&searchterm='.urlencode($_GET['searchterm']);
652 $this->tpl->assign('searchcrits',$searchcrits);
653 $this->tpl->assign('source',indexUrl());
654 $this->tpl->assign('version',shaarli_version);
655 $this->tpl->assign('scripturl',indexUrl());
656 $this->tpl->assign('pagetitle','Shaarli');
ad6c27b7 657 $this->tpl->assign('privateonly',!empty($_SESSION['privateonly'])); // Show only private links?
45034273 658 if (!empty($GLOBALS['title'])) $this->tpl->assign('pagetitle',$GLOBALS['title']);
ebb2880d 659 if (!empty($GLOBALS['titleLink'])) $this->tpl->assign('titleLink',$GLOBALS['titleLink']);
45034273
SS
660 if (!empty($GLOBALS['pagetitle'])) $this->tpl->assign('pagetitle',$GLOBALS['pagetitle']);
661 $this->tpl->assign('shaarlititle',empty($GLOBALS['title']) ? 'Shaarli': $GLOBALS['title'] );
bb8f712d 662 return;
45034273 663 }
bb8f712d 664
45034273
SS
665 // The following assign() method is basically the same as RainTPL (except that it's lazy)
666 public function assign($what,$where)
667 {
668 if ($this->tpl===false) $this->initialize(); // Lazy initialization
669 $this->tpl->assign($what,$where);
670 }
bb8f712d 671
45034273 672 // Render a specific page (using a template).
ad6c27b7 673 // e.g. pb.renderPage('picwall')
45034273
SS
674 public function renderPage($page)
675 {
676 if ($this->tpl===false) $this->initialize(); // Lazy initialization
677 $this->tpl->draw($page);
678 }
679}
680
45034273 681// ------------------------------------------------------------------------------------------
ad6c27b7 682// Output the last N links in RSS 2.0 format.
45034273
SS
683function showRSS()
684{
685 header('Content-Type: application/rss+xml; charset=utf-8');
686
2abd3905 687 // $usepermalink : If true, use permalink instead of final link.
ad6c27b7 688 // User just has to add 'permalink' in URL parameters. e.g. http://mysite.com/shaarli/?do=rss&permalinks
ed5b38dd
FE
689 // Also enabled through a config option
690 $usepermalinks = isset($_GET['permalinks']) || !$GLOBALS['config']['ENABLE_RSS_PERMALINKS'];
2abd3905 691
45034273
SS
692 // Cache system
693 $query = $_SERVER["QUERY_STRING"];
694 $cache = new pageCache(pageUrl(),startsWith($query,'do=rss') && !isLoggedIn());
695 $cached = $cache->cachedVersion(); if (!empty($cached)) { echo $cached; exit; }
696
697 // If cached was not found (or not usable), then read the database and build the response:
9f15ca9e 698 $LINKSDB = new LinkDB(
9c8752a2 699 $GLOBALS['config']['DATASTORE'],
9f15ca9e
V
700 isLoggedIn() || $GLOBALS['config']['OPEN_SHAARLI'],
701 $GLOBALS['config']['HIDE_PUBLIC_LINKS']
702 );
703 // Read links from database (and filter private links if user it not logged in).
45034273 704
ad6c27b7 705 // Optionally filter the results:
45034273
SS
706 $linksToDisplay=array();
707 if (!empty($_GET['searchterm'])) $linksToDisplay = $LINKSDB->filterFulltext($_GET['searchterm']);
59c90f58 708 else if (!empty($_GET['searchtags'])) $linksToDisplay = $LINKSDB->filterTags(trim($_GET['searchtags']));
45034273 709 else $linksToDisplay = $LINKSDB;
f3db3774 710
c677013b
SS
711 $nblinksToDisplay = 50; // Number of links to display.
712 if (!empty($_GET['nb'])) // In URL, you can specificy the number of links. Example: nb=200 or nb=all for all links.
732e683b 713 {
c677013b
SS
714 $nblinksToDisplay = $_GET['nb']=='all' ? count($linksToDisplay) : max($_GET['nb']+0,1) ;
715 }
45034273 716
5f85fcd8 717 $pageaddr=escape(indexUrl());
45034273 718 echo '<?xml version="1.0" encoding="UTF-8"?><rss version="2.0" xmlns:content="http://purl.org/rss/1.0/modules/content/">';
5f85fcd8 719 echo '<channel><title>'.$GLOBALS['title'].'</title><link>'.$pageaddr.'</link>';
45034273
SS
720 echo '<description>Shared links</description><language>en-en</language><copyright>'.$pageaddr.'</copyright>'."\n\n";
721 if (!empty($GLOBALS['config']['PUBSUBHUB_URL']))
722 {
723 echo '<!-- PubSubHubbub Discovery -->';
5f85fcd8
A
724 echo '<link rel="hub" href="'.escape($GLOBALS['config']['PUBSUBHUB_URL']).'" xmlns="http://www.w3.org/2005/Atom" />';
725 echo '<link rel="self" href="'.$pageaddr.'?do=rss" xmlns="http://www.w3.org/2005/Atom" />';
45034273
SS
726 echo '<!-- End Of PubSubHubbub Discovery -->';
727 }
728 $i=0;
729 $keys=array(); foreach($linksToDisplay as $key=>$value) { $keys[]=$key; } // No, I can't use array_keys().
fbd9e527 730 while ($i<$nblinksToDisplay && $i<count($keys))
45034273
SS
731 {
732 $link = $linksToDisplay[$keys[$i]];
733 $guid = $pageaddr.'?'.smallHash($link['linkdate']);
734 $rfc822date = linkdate2rfc822($link['linkdate']);
5f85fcd8 735 $absurl = $link['url'];
45034273 736 if (startsWith($absurl,'?')) $absurl=$pageaddr.$absurl; // make permalink URL absolute
2abd3905 737 if ($usepermalinks===true)
5f85fcd8 738 echo '<item><title>'.$link['title'].'</title><guid isPermaLink="true">'.$guid.'</guid><link>'.$guid.'</link>';
2abd3905 739 else
5f85fcd8
A
740 echo '<item><title>'.$link['title'].'</title><guid isPermaLink="false">'.$guid.'</guid><link>'.$absurl.'</link>';
741 if (!$GLOBALS['config']['HIDE_TIMESTAMPS'] || isLoggedIn()) echo '<pubDate>'.escape($rfc822date)."</pubDate>\n";
45034273
SS
742 if ($link['tags']!='') // Adding tags to each RSS entry (as mentioned in RSS specification)
743 {
5f85fcd8 744 foreach(explode(' ',$link['tags']) as $tag) { echo '<category domain="'.$pageaddr.'">'.$tag.'</category>'."\n"; }
45034273 745 }
2abd3905
SS
746
747 // Add permalink in description
748 $descriptionlink = '(<a href="'.$guid.'">Permalink</a>)';
749 // If user wants permalinks first, put the final link in description
750 if ($usepermalinks===true) $descriptionlink = '(<a href="'.$absurl.'">Link</a>)';
751 if (strlen($link['description'])>0) $descriptionlink = '<br>'.$descriptionlink;
5f85fcd8 752 echo '<description><![CDATA['.nl2br(keepMultipleSpaces(text2clickable($link['description']))).$descriptionlink.']]></description>'."\n</item>\n";
45034273
SS
753 $i++;
754 }
5f85fcd8 755 echo '</channel></rss><!-- Cached version of '.escape(pageUrl()).' -->';
45034273
SS
756
757 $cache->cache(ob_get_contents());
758 ob_end_flush();
759 exit;
760}
761
762// ------------------------------------------------------------------------------------------
ad6c27b7 763// Output the last N links in ATOM format.
45034273
SS
764function showATOM()
765{
766 header('Content-Type: application/atom+xml; charset=utf-8');
767
2abd3905 768 // $usepermalink : If true, use permalink instead of final link.
ad6c27b7 769 // User just has to add 'permalink' in URL parameters. e.g. http://mysite.com/shaarli/?do=atom&permalinks
ed5b38dd 770 $usepermalinks = isset($_GET['permalinks']) || !$GLOBALS['config']['ENABLE_RSS_PERMALINKS'];
2abd3905 771
45034273
SS
772 // Cache system
773 $query = $_SERVER["QUERY_STRING"];
774 $cache = new pageCache(pageUrl(),startsWith($query,'do=atom') && !isLoggedIn());
775 $cached = $cache->cachedVersion(); if (!empty($cached)) { echo $cached; exit; }
776 // If cached was not found (or not usable), then read the database and build the response:
777
eaefcba7 778// Read links from database (and filter private links if used it not logged in).
9f15ca9e 779 $LINKSDB = new LinkDB(
9c8752a2 780 $GLOBALS['config']['DATASTORE'],
9f15ca9e
V
781 isLoggedIn() || $GLOBALS['config']['OPEN_SHAARLI'],
782 $GLOBALS['config']['HIDE_PUBLIC_LINKS']
783 );
45034273 784
ad6c27b7 785 // Optionally filter the results:
45034273
SS
786 $linksToDisplay=array();
787 if (!empty($_GET['searchterm'])) $linksToDisplay = $LINKSDB->filterFulltext($_GET['searchterm']);
59c90f58 788 else if (!empty($_GET['searchtags'])) $linksToDisplay = $LINKSDB->filterTags(trim($_GET['searchtags']));
45034273 789 else $linksToDisplay = $LINKSDB;
f3db3774 790
c677013b
SS
791 $nblinksToDisplay = 50; // Number of links to display.
792 if (!empty($_GET['nb'])) // In URL, you can specificy the number of links. Example: nb=200 or nb=all for all links.
732e683b 793 {
c677013b
SS
794 $nblinksToDisplay = $_GET['nb']=='all' ? count($linksToDisplay) : max($_GET['nb']+0,1) ;
795 }
45034273 796
5f85fcd8 797 $pageaddr=escape(indexUrl());
45034273
SS
798 $latestDate = '';
799 $entries='';
800 $i=0;
801 $keys=array(); foreach($linksToDisplay as $key=>$value) { $keys[]=$key; } // No, I can't use array_keys().
fbd9e527 802 while ($i<$nblinksToDisplay && $i<count($keys))
45034273
SS
803 {
804 $link = $linksToDisplay[$keys[$i]];
805 $guid = $pageaddr.'?'.smallHash($link['linkdate']);
806 $iso8601date = linkdate2iso8601($link['linkdate']);
807 $latestDate = max($latestDate,$iso8601date);
5f85fcd8 808 $absurl = $link['url'];
45034273 809 if (startsWith($absurl,'?')) $absurl=$pageaddr.$absurl; // make permalink URL absolute
5f85fcd8 810 $entries.='<entry><title>'.$link['title'].'</title>';
2abd3905
SS
811 if ($usepermalinks===true)
812 $entries.='<link href="'.$guid.'" /><id>'.$guid.'</id>';
813 else
814 $entries.='<link href="'.$absurl.'" /><id>'.$guid.'</id>';
5f85fcd8 815 if (!$GLOBALS['config']['HIDE_TIMESTAMPS'] || isLoggedIn()) $entries.='<updated>'.escape($iso8601date).'</updated>';
2abd3905
SS
816
817 // Add permalink in description
5f85fcd8 818 $descriptionlink = '(<a href="'.$guid.'">Permalink</a>)';
2abd3905 819 // If user wants permalinks first, put the final link in description
5f85fcd8
A
820 if ($usepermalinks===true) $descriptionlink = '(<a href="'.$absurl.'">Link</a>)';
821 if (strlen($link['description'])>0) $descriptionlink = '<br>'.$descriptionlink;
2abd3905 822
5f85fcd8 823 $entries.='<content type="html"><![CDATA['.nl2br(keepMultipleSpaces(text2clickable($link['description']))).$descriptionlink."]]></content>\n";
45034273
SS
824 if ($link['tags']!='') // Adding tags to each ATOM entry (as mentioned in ATOM specification)
825 {
826 foreach(explode(' ',$link['tags']) as $tag)
5f85fcd8 827 { $entries.='<category scheme="'.$pageaddr.'" term="'.$tag.'" />'."\n"; }
45034273
SS
828 }
829 $entries.="</entry>\n";
830 $i++;
831 }
832 $feed='<?xml version="1.0" encoding="UTF-8"?><feed xmlns="http://www.w3.org/2005/Atom">';
5f85fcd8
A
833 $feed.='<title>'.$GLOBALS['title'].'</title>';
834 if (!$GLOBALS['config']['HIDE_TIMESTAMPS'] || isLoggedIn()) $feed.='<updated>'.escape($latestDate).'</updated>';
835 $feed.='<link rel="self" href="'.escape(serverUrl().$_SERVER["REQUEST_URI"]).'" />';
45034273
SS
836 if (!empty($GLOBALS['config']['PUBSUBHUB_URL']))
837 {
838 $feed.='<!-- PubSubHubbub Discovery -->';
5f85fcd8 839 $feed.='<link rel="hub" href="'.escape($GLOBALS['config']['PUBSUBHUB_URL']).'" />';
45034273
SS
840 $feed.='<!-- End Of PubSubHubbub Discovery -->';
841 }
5f85fcd8
A
842 $feed.='<author><name>'.$pageaddr.'</name><uri>'.$pageaddr.'</uri></author>';
843 $feed.='<id>'.$pageaddr.'</id>'."\n\n"; // Yes, I know I should use a real IRI (RFC3987), but the site URL will do.
45034273 844 $feed.=$entries;
5f85fcd8 845 $feed.='</feed><!-- Cached version of '.escape(pageUrl()).' -->';
45034273 846 echo $feed;
bb8f712d 847
45034273
SS
848 $cache->cache(ob_get_contents());
849 ob_end_flush();
850 exit;
851}
852
853// ------------------------------------------------------------------------------------------
854// Daily RSS feed: 1 RSS entry per day giving all the links on that day.
855// Gives the last 7 days (which have links).
856// This RSS feed cannot be filtered.
f3b8f9f0 857function showDailyRSS() {
45034273
SS
858 // Cache system
859 $query = $_SERVER["QUERY_STRING"];
f3b8f9f0
A
860 $cache = new pageCache(pageUrl(), startsWith($query, 'do=dailyrss') && !isLoggedIn());
861 $cached = $cache->cachedVersion();
862 if (!empty($cached)) {
863 echo $cached;
864 exit;
865 }
9f15ca9e 866
f3b8f9f0
A
867 // If cached was not found (or not usable), then read the database and build the response:
868 // Read links from database (and filter private links if used it not logged in).
9f15ca9e 869 $LINKSDB = new LinkDB(
9c8752a2 870 $GLOBALS['config']['DATASTORE'],
9f15ca9e
V
871 isLoggedIn() || $GLOBALS['config']['OPEN_SHAARLI'],
872 $GLOBALS['config']['HIDE_PUBLIC_LINKS']
873 );
bb8f712d 874
45034273
SS
875 /* Some Shaarlies may have very few links, so we need to look
876 back in time (rsort()) until we have enough days ($nb_of_days).
877 */
f3b8f9f0
A
878 $linkdates = array();
879 foreach ($LINKSDB as $linkdate => $value) {
880 $linkdates[] = $linkdate;
881 }
45034273 882 rsort($linkdates);
f3b8f9f0
A
883 $nb_of_days = 7; // We take 7 days.
884 $today = Date('Ymd');
885 $days = array();
886
887 foreach ($linkdates as $linkdate) {
888 $day = substr($linkdate, 0, 8); // Extract day (without time)
889 if (strcmp($day,$today) < 0) {
890 if (empty($days[$day])) {
891 $days[$day] = array();
892 }
893 $days[$day][] = $linkdate;
894 }
895
896 if (count($days) > $nb_of_days) {
897 break; // Have we collected enough days?
45034273 898 }
45034273 899 }
bb8f712d 900
45034273
SS
901 // Build the RSS feed.
902 header('Content-Type: application/rss+xml; charset=utf-8');
f3b8f9f0 903 $pageaddr = escape(indexUrl());
45034273 904 echo '<?xml version="1.0" encoding="UTF-8"?><rss version="2.0">';
f3b8f9f0
A
905 echo '<channel>';
906 echo '<title>Daily - '. $GLOBALS['title'] . '</title>';
907 echo '<link>'. $pageaddr .'</link>';
908 echo '<description>Daily shared links</description>';
909 echo '<language>en-en</language>';
910 echo '<copyright>'. $pageaddr .'</copyright>'. PHP_EOL;
911
912 // For each day.
913 foreach ($days as $day => $linkdates) {
914 $daydate = linkdate2timestamp($day.'_000000'); // Full text date
45034273 915 $rfc822date = linkdate2rfc822($day.'_000000');
f3b8f9f0 916 $absurl = escape(indexUrl().'?do=daily&day='.$day); // Absolute URL of the corresponding "Daily" page.
bb8f712d 917
45034273 918 // Build the HTML body of this RSS entry.
f3b8f9f0
A
919 $html = '';
920 $href = '';
921 $links = array();
922
45034273 923 // We pre-format some fields for proper output.
f3b8f9f0 924 foreach ($linkdates as $linkdate) {
45034273 925 $l = $LINKSDB[$linkdate];
f3b8f9f0 926 $l['formatedDescription'] = nl2br(keepMultipleSpaces(text2clickable($l['description'])));
bb8f712d 927 $l['thumbnail'] = thumbnail($l['url']);
a5752e77 928 $l['timestamp'] = linkdate2timestamp($l['linkdate']);
f3b8f9f0
A
929 if (startsWith($l['url'], '?')) {
930 $l['url'] = indexUrl() . $l['url']; // make permalink URL absolute
931 }
932 $links[$linkdate] = $l;
45034273 933 }
f3b8f9f0 934
45034273 935 // Then build the HTML for this day:
bb8f712d 936 $tpl = new RainTPL;
f3b8f9f0
A
937 $tpl->assign('title', $GLOBALS['title']);
938 $tpl->assign('daydate', $daydate);
939 $tpl->assign('absurl', $absurl);
940 $tpl->assign('links', $links);
941 $tpl->assign('rfc822date', escape($rfc822date));
942 $html = $tpl->draw('dailyrss', $return_string=true);
45034273 943
f3b8f9f0 944 echo $html . PHP_EOL;
bb8f712d 945 }
f3b8f9f0 946 echo '</channel></rss><!-- Cached version of '. escape(pageUrl()) .' -->';
bb8f712d 947
45034273
SS
948 $cache->cache(ob_get_contents());
949 ob_end_flush();
950 exit;
951}
952
953// "Daily" page.
954function showDaily()
955{
9f15ca9e 956 $LINKSDB = new LinkDB(
9c8752a2 957 $GLOBALS['config']['DATASTORE'],
9f15ca9e
V
958 isLoggedIn() || $GLOBALS['config']['OPEN_SHAARLI'],
959 $GLOBALS['config']['HIDE_PUBLIC_LINKS']
960 );
45034273
SS
961
962 $day=Date('Ymd',strtotime('-1 day')); // Yesterday, in format YYYYMMDD.
963 if (isset($_GET['day'])) $day=$_GET['day'];
bb8f712d 964
45034273
SS
965 $days = $LINKSDB->days();
966 $i = array_search($day,$days);
f3db3774 967 if ($i===false) { $i=count($days)-1; $day=$days[$i]; }
bb8f712d
KT
968 $previousday='';
969 $nextday='';
45034273
SS
970 if ($i!==false)
971 {
f3db3774 972 if ($i>=1) $previousday=$days[$i-1];
45034273
SS
973 if ($i<count($days)-1) $nextday=$days[$i+1];
974 }
975
9186ab95
V
976 try {
977 $linksToDisplay = $LINKSDB->filterDay($day);
978 } catch (Exception $exc) {
979 error_log($exc);
d1e2f8e5 980 $linksToDisplay = array();
9186ab95
V
981 }
982
45034273
SS
983 // We pre-format some fields for proper output.
984 foreach($linksToDisplay as $key=>$link)
985 {
5f85fcd8 986
dd62b9ba
SS
987 $taglist = explode(' ',$link['tags']);
988 uasort($taglist, 'strcasecmp');
989 $linksToDisplay[$key]['taglist']=$taglist;
5f85fcd8 990 $linksToDisplay[$key]['formatedDescription']=nl2br(keepMultipleSpaces(text2clickable($link['description'])));
bb8f712d 991 $linksToDisplay[$key]['thumbnail'] = thumbnail($link['url']);
a5752e77 992 $linksToDisplay[$key]['timestamp'] = linkdate2timestamp($link['linkdate']);
45034273 993 }
bb8f712d 994
45034273 995 /* We need to spread the articles on 3 columns.
ad6c27b7 996 I did not want to use a JavaScript lib like http://masonry.desandro.com/
bb8f712d 997 so I manually spread entries with a simple method: I roughly evaluate the
45034273
SS
998 height of a div according to title and description length.
999 */
1000 $columns=array(array(),array(),array()); // Entries to display, for each column.
1001 $fill=array(0,0,0); // Rough estimate of columns fill.
1002 foreach($linksToDisplay as $key=>$link)
1003 {
1004 // Roughly estimate length of entry (by counting characters)
1005 // Title: 30 chars = 1 line. 1 line is 30 pixels height.
1006 // Description: 836 characters gives roughly 342 pixel height.
ad6c27b7 1007 // This is not perfect, but it's usually OK.
45034273
SS
1008 $length=strlen($link['title'])+(342*strlen($link['description']))/836;
1009 if ($link['thumbnail']) $length +=100; // 1 thumbnails roughly takes 100 pixels height.
1010 // Then put in column which is the less filled:
1011 $smallest=min($fill); // find smallest value in array.
1012 $index=array_search($smallest,$fill); // find index of this smallest value.
1013 array_push($columns[$index],$link); // Put entry in this column.
1014 $fill[$index]+=$length;
1015 }
1016 $PAGE = new pageBuilder;
1017 $PAGE->assign('linksToDisplay',$linksToDisplay);
1018 $PAGE->assign('linkcount',count($LINKSDB));
cae64e52 1019 $PAGE->assign('cols', $columns);
4de71445 1020 $PAGE->assign('day',linkdate2timestamp($day.'_000000'));
45034273 1021 $PAGE->assign('previousday',$previousday);
bb8f712d 1022 $PAGE->assign('nextday',$nextday);
45034273
SS
1023 $PAGE->renderPage('daily');
1024 exit;
1025}
1026
1027
1028// ------------------------------------------------------------------------------------------
1029// Render HTML page (according to URL parameters and user rights)
1030function renderPage()
1031{
9f15ca9e 1032 $LINKSDB = new LinkDB(
9c8752a2 1033 $GLOBALS['config']['DATASTORE'],
9f15ca9e
V
1034 isLoggedIn() || $GLOBALS['config']['OPEN_SHAARLI'],
1035 $GLOBALS['config']['HIDE_PUBLIC_LINKS']
1036 );
45034273
SS
1037
1038 // -------- Display login form.
1039 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=login'))
1040 {
1041 if ($GLOBALS['config']['OPEN_SHAARLI']) { header('Location: ?'); exit; } // No need to login for open Shaarli
1042 $token=''; if (ban_canLogin()) $token=getToken(); // Do not waste token generation if not useful.
1043 $PAGE = new pageBuilder;
1044 $PAGE->assign('token',$token);
5f85fcd8 1045 $PAGE->assign('returnurl',(isset($_SERVER['HTTP_REFERER']) ? escape($_SERVER['HTTP_REFERER']):''));
45034273
SS
1046 $PAGE->renderPage('loginform');
1047 exit;
1048 }
1049 // -------- User wants to logout.
1050 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=logout'))
1051 {
1052 invalidateCaches();
1053 logout();
1054 header('Location: ?');
1055 exit;
1056 }
1057
1058 // -------- Picture wall
1059 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=picwall'))
1060 {
ad6c27b7 1061 // Optionally filter the results:
45034273
SS
1062 $links=array();
1063 if (!empty($_GET['searchterm'])) $links = $LINKSDB->filterFulltext($_GET['searchterm']);
1064 elseif (!empty($_GET['searchtags'])) $links = $LINKSDB->filterTags(trim($_GET['searchtags']));
1065 else $links = $LINKSDB;
f3db3774 1066
45034273
SS
1067 $body='';
1068 $linksToDisplay=array();
1069
1070 // Get only links which have a thumbnail.
1071 foreach($links as $link)
1072 {
5f85fcd8 1073 $permalink='?'.escape(smallhash($link['linkdate']));
45034273
SS
1074 $thumb=lazyThumbnail($link['url'],$permalink);
1075 if ($thumb!='') // Only output links which have a thumbnail.
1076 {
1077 $link['thumbnail']=$thumb; // Thumbnail HTML code.
45034273
SS
1078 $linksToDisplay[]=$link; // Add to array.
1079 }
1080 }
f3db3774 1081
45034273
SS
1082 $PAGE = new pageBuilder;
1083 $PAGE->assign('linkcount',count($LINKSDB));
1084 $PAGE->assign('linksToDisplay',$linksToDisplay);
1085 $PAGE->renderPage('picwall');
1086 exit;
1087 }
1088
1089 // -------- Tag cloud
1090 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=tagcloud'))
1091 {
1092 $tags= $LINKSDB->allTags();
a037ac69 1093
45034273
SS
1094 // We sort tags alphabetically, then choose a font size according to count.
1095 // First, find max value.
1096 $maxcount=0; foreach($tags as $key=>$value) $maxcount=max($maxcount,$value);
1097 ksort($tags);
1098 $tagList=array();
1099 foreach($tags as $key=>$value)
1e3b2740 1100 // Tag font size scaling: default 15 and 30 logarithm bases affect scaling, 22 and 6 are arbitrary font sizes for max and min sizes.
45034273 1101 {
1e3b2740 1102 $tagList[$key] = array('count'=>$value,'size'=>log($value, 15) / log($maxcount, 30) * (22-6) + 6);
45034273
SS
1103 }
1104 $PAGE = new pageBuilder;
1105 $PAGE->assign('linkcount',count($LINKSDB));
1106 $PAGE->assign('tags',$tagList);
1107 $PAGE->renderPage('tagcloud');
bb8f712d 1108 exit;
45034273
SS
1109 }
1110
1111 // -------- User clicks on a tag in a link: The tag is added to the list of searched tags (searchtags=...)
1112 if (isset($_GET['addtag']))
1113 {
1114 // Get previous URL (http_referer) and add the tag to the searchtags parameters in query.
1115 if (empty($_SERVER['HTTP_REFERER'])) { header('Location: ?searchtags='.urlencode($_GET['addtag'])); exit; } // In case browser does not send HTTP_REFERER
1116 parse_str(parse_url($_SERVER['HTTP_REFERER'],PHP_URL_QUERY), $params);
732e683b 1117
775803a0
A
1118 // Prevent redirection loop
1119 if (isset($params['addtag'])) {
1120 unset($params['addtag']);
1121 }
1122
732e683b
FE
1123 // Check if this tag is already in the search query and ignore it if it is.
1124 // Each tag is always separated by a space
6ac95d9c
A
1125 if (isset($params['searchtags'])) {
1126 $current_tags = explode(' ', $params['searchtags']);
1127 } else {
1128 $current_tags = array();
1129 }
732e683b
FE
1130 $addtag = true;
1131 foreach ($current_tags as $value) {
1132 if ($value === $_GET['addtag']) {
1133 $addtag = false;
1134 break;
1135 }
1136 }
1137 // Append the tag if necessary
1138 if (empty($params['searchtags'])) {
1139 $params['searchtags'] = trim($_GET['addtag']);
1140 }
1141 else if ($addtag) {
1142 $params['searchtags'] = trim($params['searchtags']).' '.trim($_GET['addtag']);
1143 }
1144
45034273
SS
1145 unset($params['page']); // We also remove page (keeping the same page has no sense, since the results are different)
1146 header('Location: ?'.http_build_query($params));
1147 exit;
1148 }
1149
1150 // -------- User clicks on a tag in result count: Remove the tag from the list of searched tags (searchtags=...)
775803a0 1151 if (isset($_GET['removetag'])) {
45034273 1152 // Get previous URL (http_referer) and remove the tag from the searchtags parameters in query.
775803a0
A
1153 if (empty($_SERVER['HTTP_REFERER'])) {
1154 header('Location: ?');
1155 exit;
1156 }
1157
1158 // In case browser does not send HTTP_REFERER
1159 parse_str(parse_url($_SERVER['HTTP_REFERER'], PHP_URL_QUERY), $params);
1160
1161 // Prevent redirection loop
1162 if (isset($params['removetag'])) {
1163 unset($params['removetag']);
1164 }
1165
1166 if (isset($params['searchtags'])) {
45034273
SS
1167 $tags = explode(' ',$params['searchtags']);
1168 $tags=array_diff($tags, array($_GET['removetag'])); // Remove value from array $tags.
775803a0
A
1169 if (count($tags)==0) {
1170 unset($params['searchtags']);
1171 } else {
1172 $params['searchtags'] = implode(' ',$tags);
1173 }
45034273
SS
1174 unset($params['page']); // We also remove page (keeping the same page has no sense, since the results are different)
1175 }
1176 header('Location: ?'.http_build_query($params));
1177 exit;
1178 }
1179
1180 // -------- User wants to change the number of links per page (linksperpage=...)
775803a0
A
1181 if (isset($_GET['linksperpage'])) {
1182 if (is_numeric($_GET['linksperpage'])) {
1183 $_SESSION['LINKS_PER_PAGE']=abs(intval($_GET['linksperpage']));
1184 }
1185
1186 header('Location: '. generateLocation($_SERVER['HTTP_REFERER'], $_SERVER['HTTP_HOST'], array('linksperpage')));
45034273
SS
1187 exit;
1188 }
bb8f712d 1189
45034273 1190 // -------- User wants to see only private links (toggle)
775803a0
A
1191 if (isset($_GET['privateonly'])) {
1192 if (empty($_SESSION['privateonly'])) {
1193 $_SESSION['privateonly'] = 1; // See only private links
1194 } else {
45034273
SS
1195 unset($_SESSION['privateonly']); // See all links
1196 }
775803a0
A
1197
1198 header('Location: '. generateLocation($_SERVER['HTTP_REFERER'], $_SERVER['HTTP_HOST'], array('privateonly')));
45034273
SS
1199 exit;
1200 }
1201
1202 // -------- Handle other actions allowed for non-logged in users:
1203 if (!isLoggedIn())
1204 {
ad6c27b7 1205 // User tries to post new link but is not logged in:
45034273
SS
1206 // Show login screen, then redirect to ?post=...
1207 if (isset($_GET['post']))
1208 {
a1795ddc 1209 header('Location: ?do=login&post='.urlencode($_GET['post']).(!empty($_GET['title'])?'&title='.urlencode($_GET['title']):'').(!empty($_GET['description'])?'&description='.urlencode($_GET['description']):'').(!empty($_GET['source'])?'&source='.urlencode($_GET['source']):'')); // Redirect to login page, then back to post link.
45034273
SS
1210 exit;
1211 }
aedc912d
FE
1212
1213 // Same case as above except that user tried to access ?do=addlink without being logged in
1214 // Note: passing empty parameters makes Shaarli generate default URLs and descriptions.
1215 if (isset($_GET['do']) && $_GET['do'] === 'addlink') {
1216 header('Location: ?do=login&post=');
1217 exit;
1218 }
1219
45034273
SS
1220 $PAGE = new pageBuilder;
1221 buildLinkList($PAGE,$LINKSDB); // Compute list of links to display
1222 $PAGE->renderPage('linklist');
ad6c27b7 1223 exit; // Never remove this one! All operations below are reserved for logged in user.
45034273
SS
1224 }
1225
1226 // -------- All other functions are reserved for the registered user:
1227
1228 // -------- Display the Tools menu if requested (import/export/bookmarklet...)
1229 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=tools'))
1230 {
1231 $PAGE = new pageBuilder;
1232 $PAGE->assign('linkcount',count($LINKSDB));
1233 $PAGE->assign('pageabsaddr',indexUrl());
1234 $PAGE->renderPage('tools');
1235 exit;
1236 }
1237
1238 // -------- User wants to change his/her password.
1239 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=changepasswd'))
1240 {
1241 if ($GLOBALS['config']['OPEN_SHAARLI']) die('You are not supposed to change a password on an Open Shaarli.');
1242 if (!empty($_POST['setpassword']) && !empty($_POST['oldpassword']))
1243 {
ad6c27b7 1244 if (!tokenOk($_POST['token'])) die('Wrong token.'); // Go away!
45034273
SS
1245
1246 // Make sure old password is correct.
1247 $oldhash = sha1($_POST['oldpassword'].$GLOBALS['login'].$GLOBALS['salt']);
fe16b01e 1248 if ($oldhash!=$GLOBALS['hash']) { echo '<script>alert("The old password is not correct.");document.location=\'?do=changepasswd\';</script>'; exit; }
45034273
SS
1249 // Save new password
1250 $GLOBALS['salt'] = sha1(uniqid('',true).'_'.mt_rand()); // Salt renders rainbow-tables attacks useless.
1251 $GLOBALS['hash'] = sha1($_POST['setpassword'].$GLOBALS['login'].$GLOBALS['salt']);
dd484b90
A
1252 try {
1253 writeConfig($GLOBALS, isLoggedIn());
1254 }
1255 catch(Exception $e) {
1256 error_log(
1257 'ERROR while writing config file after changing password.' . PHP_EOL .
1258 $e->getMessage()
1259 );
1260
1261 // TODO: do not handle exceptions/errors in JS.
1262 echo '<script>alert("'. $e->getMessage() .'");document.location=\'?do=tools\';</script>';
1263 exit;
1264 }
fe16b01e 1265 echo '<script>alert("Your password has been changed.");document.location=\'?do=tools\';</script>';
45034273
SS
1266 exit;
1267 }
1268 else // show the change password form.
1269 {
1270 $PAGE = new pageBuilder;
1271 $PAGE->assign('linkcount',count($LINKSDB));
1272 $PAGE->assign('token',getToken());
1273 $PAGE->renderPage('changepassword');
1274 exit;
1275 }
1276 }
1277
1278 // -------- User wants to change configuration
1279 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=configure'))
1280 {
1281 if (!empty($_POST['title']) )
1282 {
ad6c27b7 1283 if (!tokenOk($_POST['token'])) die('Wrong token.'); // Go away!
45034273
SS
1284 $tz = 'UTC';
1285 if (!empty($_POST['continent']) && !empty($_POST['city']))
d1e2f8e5 1286 if (isTimeZoneValid($_POST['continent'],$_POST['city']))
45034273
SS
1287 $tz = $_POST['continent'].'/'.$_POST['city'];
1288 $GLOBALS['timezone'] = $tz;
1289 $GLOBALS['title']=$_POST['title'];
ebb2880d 1290 $GLOBALS['titleLink']=$_POST['titleLink'];
45034273
SS
1291 $GLOBALS['redirector']=$_POST['redirector'];
1292 $GLOBALS['disablesessionprotection']=!empty($_POST['disablesessionprotection']);
bb8f712d 1293 $GLOBALS['privateLinkByDefault']=!empty($_POST['privateLinkByDefault']);
ed5b38dd 1294 $GLOBALS['config']['ENABLE_RSS_PERMALINKS']= !empty($_POST['enableRssPermalinks']);
329e0768 1295 $GLOBALS['config']['ENABLE_UPDATECHECK'] = !empty($_POST['updateCheck']);
caee7ff9 1296 $GLOBALS['config']['HIDE_PUBLIC_LINKS'] = !empty($_POST['hidePublicLinks']);
dd484b90
A
1297 try {
1298 writeConfig($GLOBALS, isLoggedIn());
1299 }
1300 catch(Exception $e) {
1301 error_log(
1302 'ERROR while writing config file after configuration update.' . PHP_EOL .
1303 $e->getMessage()
1304 );
1305
1306 // TODO: do not handle exceptions/errors in JS.
1307 echo '<script>alert("'. $e->getMessage() .'");document.location=\'?do=tools\';</script>';
1308 exit;
1309 }
fe16b01e 1310 echo '<script>alert("Configuration was saved.");document.location=\'?do=tools\';</script>';
45034273
SS
1311 exit;
1312 }
1313 else // Show the configuration form.
1314 {
1315 $PAGE = new pageBuilder;
1316 $PAGE->assign('linkcount',count($LINKSDB));
1317 $PAGE->assign('token',getToken());
5f85fcd8
A
1318 $PAGE->assign('title', empty($GLOBALS['title']) ? '' : $GLOBALS['title'] );
1319 $PAGE->assign('redirector', empty($GLOBALS['redirector']) ? '' : $GLOBALS['redirector'] );
d1e2f8e5
V
1320 list($timezone_form, $timezone_js) = generateTimeZoneForm($GLOBALS['timezone']);
1321 $PAGE->assign('timezone_form', $timezone_form);
45034273
SS
1322 $PAGE->assign('timezone_js',$timezone_js);
1323 $PAGE->renderPage('configure');
1324 exit;
1325 }
1326 }
1327
1328 // -------- User wants to rename a tag or delete it
1329 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=changetag'))
1330 {
1331 if (empty($_POST['fromtag']))
1332 {
1333 $PAGE = new pageBuilder;
1334 $PAGE->assign('linkcount',count($LINKSDB));
1335 $PAGE->assign('token',getToken());
bdd1715b 1336 $PAGE->assign('tags', $LINKSDB->allTags());
45034273
SS
1337 $PAGE->renderPage('changetag');
1338 exit;
1339 }
1340 if (!tokenOk($_POST['token'])) die('Wrong token.');
1341
1342 // Delete a tag:
1343 if (!empty($_POST['deletetag']) && !empty($_POST['fromtag']))
1344 {
1345 $needle=trim($_POST['fromtag']);
ad6c27b7 1346 $linksToAlter = $LINKSDB->filterTags($needle,true); // True for case-sensitive tag search.
45034273
SS
1347 foreach($linksToAlter as $key=>$value)
1348 {
1349 $tags = explode(' ',trim($value['tags']));
1350 unset($tags[array_search($needle,$tags)]); // Remove tag.
1351 $value['tags']=trim(implode(' ',$tags));
1352 $LINKSDB[$key]=$value;
1353 }
ad6c27b7 1354 $LINKSDB->savedb(); // Save to disk.
fe16b01e 1355 echo '<script>alert("Tag was removed from '.count($linksToAlter).' links.");document.location=\'?\';</script>';
45034273
SS
1356 exit;
1357 }
1358
1359 // Rename a tag:
1360 if (!empty($_POST['renametag']) && !empty($_POST['fromtag']) && !empty($_POST['totag']))
1361 {
1362 $needle=trim($_POST['fromtag']);
1363 $linksToAlter = $LINKSDB->filterTags($needle,true); // true for case-sensitive tag search.
1364 foreach($linksToAlter as $key=>$value)
1365 {
1366 $tags = explode(' ',trim($value['tags']));
ad6c27b7 1367 $tags[array_search($needle,$tags)] = trim($_POST['totag']); // Replace tags value.
45034273
SS
1368 $value['tags']=trim(implode(' ',$tags));
1369 $LINKSDB[$key]=$value;
1370 }
ad6c27b7 1371 $LINKSDB->savedb(); // Save to disk.
fe16b01e 1372 echo '<script>alert("Tag was renamed in '.count($linksToAlter).' links.");document.location=\'?searchtags='.urlencode($_POST['totag']).'\';</script>';
45034273
SS
1373 exit;
1374 }
1375 }
1376
ad6c27b7 1377 // -------- User wants to add a link without using the bookmarklet: Show form.
45034273
SS
1378 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=addlink'))
1379 {
1380 $PAGE = new pageBuilder;
1381 $PAGE->assign('linkcount',count($LINKSDB));
1382 $PAGE->renderPage('addlink');
1383 exit;
1384 }
1385
1386 // -------- User clicked the "Save" button when editing a link: Save link to database.
1387 if (isset($_POST['save_edit']))
1388 {
ad6c27b7 1389 if (!tokenOk($_POST['token'])) die('Wrong token.'); // Go away!
45034273 1390 $tags = trim(preg_replace('/\s\s+/',' ', $_POST['lf_tags'])); // Remove multiple spaces.
781e8aad 1391 $tags = implode(' ', array_unique(explode(' ', $tags))); // Remove duplicates.
45034273 1392 $linkdate=$_POST['lf_linkdate'];
feebc6d4 1393 $url = trim($_POST['lf_url']);
f81139c9 1394 if (!startsWith($url,'http:') && !startsWith($url,'https:') && !startsWith($url,'ftp:') && !startsWith($url,'magnet:') && !startsWith($url,'?') && !startsWith($url,'javascript:'))
feebc6d4
SS
1395 $url = 'http://'.$url;
1396 $link = array('title'=>trim($_POST['lf_title']),'url'=>$url,'description'=>trim($_POST['lf_description']),'private'=>(isset($_POST['lf_private']) ? 1 : 0),
45034273
SS
1397 'linkdate'=>$linkdate,'tags'=>str_replace(',',' ',$tags));
1398 if ($link['title']=='') $link['title']=$link['url']; // If title is empty, use the URL as title.
1399 $LINKSDB[$linkdate] = $link;
ad6c27b7 1400 $LINKSDB->savedb(); // Save to disk.
45034273
SS
1401 pubsubhub();
1402
1403 // If we are called from the bookmarklet, we must close the popup:
d33c5d4c 1404 if (isset($_GET['source']) && ($_GET['source']=='bookmarklet' || $_GET['source']=='firefoxsocialapi')) { echo '<script>self.close();</script>'; exit; }
775803a0
A
1405 $returnurl = ( !empty($_POST['returnurl']) ? escape($_POST['returnurl']) : '?' );
1406 $returnurl .= '#'.smallHash($_POST['lf_linkdate']); // Scroll to the link which has been edited.
1407 $location = generateLocation($returnurl, $_SERVER['HTTP_HOST'], array('addlink', 'post', 'edit_link'));
1408 header('Location: '. $location); // After saving the link, redirect to the page the user was on.
45034273
SS
1409 exit;
1410 }
1411
1412 // -------- User clicked the "Cancel" button when editing a link.
1413 if (isset($_POST['cancel_edit']))
1414 {
ad6c27b7 1415 // If we are called from the bookmarklet, we must close the popup:
d33c5d4c 1416 if (isset($_GET['source']) && ($_GET['source']=='bookmarklet' || $_GET['source']=='firefoxsocialapi')) { echo '<script>self.close();</script>'; exit; }
45034273 1417 $returnurl = ( isset($_POST['returnurl']) ? $_POST['returnurl'] : '?' );
b342b2a4 1418 $returnurl .= '#'.smallHash($_POST['lf_linkdate']); // Scroll to the link which has been edited.
775803a0 1419 $returnurl = generateLocation($returnurl, $_SERVER['HTTP_HOST'], array('addlink', 'post', 'edit_link'));
45034273
SS
1420 header('Location: '.$returnurl); // After canceling, redirect to the page the user was on.
1421 exit;
1422 }
1423
ad6c27b7 1424 // -------- User clicked the "Delete" button when editing a link: Delete link from database.
45034273
SS
1425 if (isset($_POST['delete_link']))
1426 {
1427 if (!tokenOk($_POST['token'])) die('Wrong token.');
1428 // We do not need to ask for confirmation:
ad6c27b7 1429 // - confirmation is handled by JavaScript
45034273
SS
1430 // - we are protected from XSRF by the token.
1431 $linkdate=$_POST['lf_linkdate'];
1432 unset($LINKSDB[$linkdate]);
1433 $LINKSDB->savedb(); // save to disk
1434
1435 // If we are called from the bookmarklet, we must close the popup:
d33c5d4c 1436 if (isset($_GET['source']) && ($_GET['source']=='bookmarklet' || $_GET['source']=='firefoxsocialapi')) { echo '<script>self.close();</script>'; exit; }
d528433d 1437 // Pick where we're going to redirect
1438 // =============================================================
1439 // Basically, we can't redirect to where we were previously if it was a permalink
1440 // or an edit_link, because it would 404.
1441 // Cases:
1442 // - / : nothing in $_GET, redirect to self
1443 // - /?page : redirect to self
d33c5d4c 1444 // - /?searchterm : redirect to self (there might be other links)
d528433d 1445 // - /?searchtags : redirect to self
1446 // - /permalink : redirect to / (the link does not exist anymore)
1447 // - /?edit_link : redirect to / (the link does not exist anymore)
1448 // PHP treats the permalink as a $_GET variable, so we need to check if every condition for self
1449 // redirect is not satisfied, and only then redirect to /
1450 $location = "?";
1451 // Self redirection
775803a0
A
1452 if (count($_GET) == 0
1453 || isset($_GET['page'])
1454 || isset($_GET['searchterm'])
1455 || isset($_GET['searchtags'])
1456 ) {
d528433d 1457 if (isset($_POST['returnurl'])) {
1458 $location = $_POST['returnurl']; // Handle redirects given by the form
775803a0
A
1459 } else {
1460 $location = generateLocation($_SERVER['HTTP_REFERER'], $_SERVER['HTTP_HOST'], array('delete_link'));
d528433d 1461 }
1462 }
1463
1464 header('Location: ' . $location); // After deleting the link, redirect to appropriate location
45034273
SS
1465 exit;
1466 }
1467
1468 // -------- User clicked the "EDIT" button on a link: Display link edit form.
1469 if (isset($_GET['edit_link']))
1470 {
1471 $link = $LINKSDB[$_GET['edit_link']]; // Read database
1472 if (!$link) { header('Location: ?'); exit; } // Link not found in database.
1473 $PAGE = new pageBuilder;
1474 $PAGE->assign('linkcount',count($LINKSDB));
1475 $PAGE->assign('link',$link);
1476 $PAGE->assign('link_is_new',false);
1477 $PAGE->assign('token',getToken()); // XSRF protection.
5f85fcd8 1478 $PAGE->assign('http_referer',(isset($_SERVER['HTTP_REFERER']) ? escape($_SERVER['HTTP_REFERER']) : ''));
bdd1715b 1479 $PAGE->assign('tags', $LINKSDB->allTags());
45034273
SS
1480 $PAGE->renderPage('editlink');
1481 exit;
1482 }
1483
1484 // -------- User want to post a new link: Display link edit form.
1485 if (isset($_GET['post']))
1486 {
1487 $url=$_GET['post'];
1488
403a1994 1489
ad2a397c 1490 // We remove the annoying parameters added by FeedBurner, GoogleFeedProxy, Facebook...
cbecab77 1491 $annoyingpatterns = array('/[\?&]utm_source=[^&]*/',
1492 '/[\?&]utm_campaign=[^&]*/',
1493 '/[\?&]utm_medium=[^&]*/',
1494 '/#xtor=RSS-[^&]*/',
1495 '/[\?&]fb_[^&]*/',
1496 '/[\?&]__scoop[^&]*/',
1497 '/#tk\.rss_all\?/',
1498 '/[\?&]action_ref_map=[^&]*/',
1499 '/[\?&]action_type_map=[^&]*/',
1500 '/[\?&]action_object_map=[^&]*/',
1501 '/[\?&]utm_content=[^&]*/',
1502 '/[\?&]fb=[^&]*/',
1503 '/[\?&]xtor=[^&]*/'
1504 );
ad2a397c 1505 foreach($annoyingpatterns as $pattern)
1506 {
403a1994 1507 $url = preg_replace($pattern, "", $url);
ad2a397c 1508 }
45034273
SS
1509
1510 $link_is_new = false;
1511 $link = $LINKSDB->getLinkFromUrl($url); // Check if URL is not already in database (in this case, we will edit the existing link)
1512 if (!$link)
1513 {
1514 $link_is_new = true; // This is a new link
1515 $linkdate = strval(date('Ymd_His'));
1516 $title = (empty($_GET['title']) ? '' : $_GET['title'] ); // Get title if it was provided in URL (by the bookmarklet).
7b2186a6 1517 $description = (empty($_GET['description']) ? '' : $_GET['description']); // Get description if it was provided in URL (by the bookmarklet). [Bronco added that]
3fac0a52 1518 $tags = (empty($_GET['tags']) ? '' : $_GET['tags'] ); // Get tags if it was provided in URL
732e683b 1519 $private = (!empty($_GET['private']) && $_GET['private'] === "1" ? 1 : 0); // Get private if it was provided in URL
45034273 1520 if (($url!='') && parse_url($url,PHP_URL_SCHEME)=='') $url = 'http://'.$url;
ad6c27b7 1521 // If this is an HTTP link, we try go get the page to extract the title (otherwise we will to straight to the edit form.)
45034273
SS
1522 if (empty($title) && parse_url($url,PHP_URL_SCHEME)=='http')
1523 {
1524 list($status,$headers,$data) = getHTTP($url,4); // Short timeout to keep the application responsive.
1525 // FIXME: Decode charset according to specified in either 1) HTTP response headers or 2) <head> in html
002ef0e5
SS
1526 if (strpos($status,'200 OK')!==false)
1527 {
1528 // Look for charset in html header.
1529 preg_match('#<meta .*charset=.*>#Usi', $data, $meta);
732e683b 1530
002ef0e5
SS
1531 // If found, extract encoding.
1532 if (!empty($meta[0]))
1533 {
1534 // Get encoding specified in header.
1535 preg_match('#charset="?(.*)"#si', $meta[0], $enc);
1536 // If charset not found, use utf-8.
1537 $html_charset = (!empty($enc[1])) ? strtolower($enc[1]) : 'utf-8';
1538 }
1539 else { $html_charset = 'utf-8'; }
732e683b 1540
002ef0e5
SS
1541 // Extract title
1542 $title = html_extract_title($data);
1543 if (!empty($title))
1544 {
1545 // Re-encode title in utf-8 if necessary.
1546 $title = ($html_charset == 'iso-8859-1') ? utf8_encode($title) : $title;
1547 }
1548 }
45034273 1549 }
27646ca5 1550 if ($url=='') // In case of empty URL, this is just a text (with a link that points to itself)
1551 {
1552 $url='?'.smallHash($linkdate);
1553 $title='Note: ';
1554 }
3fac0a52 1555 $link = array('linkdate'=>$linkdate,'title'=>$title,'url'=>$url,'description'=>$description,'tags'=>$tags,'private'=>$private);
45034273
SS
1556 }
1557
1558 $PAGE = new pageBuilder;
1559 $PAGE->assign('linkcount',count($LINKSDB));
1560 $PAGE->assign('link',$link);
1561 $PAGE->assign('link_is_new',$link_is_new);
1562 $PAGE->assign('token',getToken()); // XSRF protection.
1563 $PAGE->assign('http_referer',(isset($_SERVER['HTTP_REFERER']) ? $_SERVER['HTTP_REFERER'] : ''));
d33c5d4c 1564 $PAGE->assign('source',(isset($_GET['source']) ? $_GET['source'] : ''));
bdd1715b 1565 $PAGE->assign('tags', $LINKSDB->allTags());
45034273
SS
1566 $PAGE->renderPage('editlink');
1567 exit;
1568 }
1569
1570 // -------- Export as Netscape Bookmarks HTML file.
1571 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=export'))
1572 {
1573 if (empty($_GET['what']))
1574 {
1575 $PAGE = new pageBuilder;
1576 $PAGE->assign('linkcount',count($LINKSDB));
1577 $PAGE->renderPage('export');
1578 exit;
1579 }
1580 $exportWhat=$_GET['what'];
ad6c27b7 1581 if (!array_intersect(array('all','public','private'),array($exportWhat))) die('What are you trying to export???');
45034273
SS
1582
1583 header('Content-Type: text/html; charset=utf-8');
1584 header('Content-disposition: attachment; filename=bookmarks_'.$exportWhat.'_'.strval(date('Ymd_His')).'.html');
1585 $currentdate=date('Y/m/d H:i:s');
1586 echo <<<HTML
1587<!DOCTYPE NETSCAPE-Bookmark-file-1>
1588<!-- This is an automatically generated file.
1589 It will be read and overwritten.
1590 DO NOT EDIT! -->
1591<!-- Shaarli {$exportWhat} bookmarks export on {$currentdate} -->
1592<META HTTP-EQUIV="Content-Type" CONTENT="text/html; charset=UTF-8">
1593<TITLE>Bookmarks</TITLE>
1594<H1>Bookmarks</H1>
1595HTML;
1596 foreach($LINKSDB as $link)
1597 {
1598 if ($exportWhat=='all' ||
1599 ($exportWhat=='private' && $link['private']!=0) ||
1600 ($exportWhat=='public' && $link['private']==0))
1601 {
5f85fcd8
A
1602 echo '<DT><A HREF="'.$link['url'].'" ADD_DATE="'.linkdate2timestamp($link['linkdate']).'" PRIVATE="'.$link['private'].'"';
1603 if ($link['tags']!='') echo ' TAGS="'.str_replace(' ',',',$link['tags']).'"';
1604 echo '>'.$link['title']."</A>\n";
1605 if ($link['description']!='') echo '<DD>'.$link['description']."\n";
45034273
SS
1606 }
1607 }
1608 exit;
1609 }
1610
1611 // -------- User is uploading a file for import
1612 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=upload'))
1613 {
1614 // If file is too big, some form field may be missing.
1615 if (!isset($_POST['token']) || (!isset($_FILES)) || (isset($_FILES['filetoupload']['size']) && $_FILES['filetoupload']['size']==0))
1616 {
1617 $returnurl = ( empty($_SERVER['HTTP_REFERER']) ? '?' : $_SERVER['HTTP_REFERER'] );
5f85fcd8 1618 echo '<script>alert("The file you are trying to upload is probably bigger than what this webserver can accept ('.getMaxFileSize().' bytes). Please upload in smaller chunks.");document.location=\''.escape($returnurl).'\';</script>';
45034273
SS
1619 exit;
1620 }
1621 if (!tokenOk($_POST['token'])) die('Wrong token.');
1622 importFile();
1623 exit;
1624 }
1625
1626 // -------- Show upload/import dialog:
1627 if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=import'))
1628 {
1629 $PAGE = new pageBuilder;
1630 $PAGE->assign('linkcount',count($LINKSDB));
1631 $PAGE->assign('token',getToken());
1632 $PAGE->assign('maxfilesize',getMaxFileSize());
1633 $PAGE->renderPage('import');
1634 exit;
1635 }
1636
1637 // -------- Otherwise, simply display search form and links:
1638 $PAGE = new pageBuilder;
45034273
SS
1639 buildLinkList($PAGE,$LINKSDB); // Compute list of links to display
1640 $PAGE->renderPage('linklist');
1641 exit;
1642}
1643
1644// -----------------------------------------------------------------------------------------------
1645// Process the import file form.
1646function importFile()
1647{
1648 if (!(isLoggedIn() || $GLOBALS['config']['OPEN_SHAARLI'])) { die('Not allowed.'); }
9f15ca9e 1649 $LINKSDB = new LinkDB(
9c8752a2 1650 $GLOBALS['config']['DATASTORE'],
9f15ca9e
V
1651 isLoggedIn() || $GLOBALS['config']['OPEN_SHAARLI'],
1652 $GLOBALS['config']['HIDE_PUBLIC_LINKS']
1653 );
45034273
SS
1654 $filename=$_FILES['filetoupload']['name'];
1655 $filesize=$_FILES['filetoupload']['size'];
1656 $data=file_get_contents($_FILES['filetoupload']['tmp_name']);
ad6c27b7 1657 $private = (empty($_POST['private']) ? 0 : 1); // Should the links be imported as private?
1658 $overwrite = !empty($_POST['overwrite']) ; // Should the imported links overwrite existing ones?
45034273
SS
1659 $import_count=0;
1660
1661 // Sniff file type:
1662 $type='unknown';
1663 if (startsWith($data,'<!DOCTYPE NETSCAPE-Bookmark-file-1>')) $type='netscape'; // Netscape bookmark file (aka Firefox).
1664
1665 // Then import the bookmarks.
1666 if ($type=='netscape')
1667 {
1668 // This is a standard Netscape-style bookmark file.
ad6c27b7 1669 // This format is supported by all browsers (except IE, of course), also Delicious, Diigo and others.
45034273
SS
1670 foreach(explode('<DT>',$data) as $html) // explode is very fast
1671 {
1672 $link = array('linkdate'=>'','title'=>'','url'=>'','description'=>'','tags'=>'','private'=>0);
1673 $d = explode('<DD>',$html);
1674 if (startswith($d[0],'<A '))
1675 {
1676 $link['description'] = (isset($d[1]) ? html_entity_decode(trim($d[1]),ENT_QUOTES,'UTF-8') : ''); // Get description (optional)
1677 preg_match('!<A .*?>(.*?)</A>!i',$d[0],$matches); $link['title'] = (isset($matches[1]) ? trim($matches[1]) : ''); // Get title
1678 $link['title'] = html_entity_decode($link['title'],ENT_QUOTES,'UTF-8');
1679 preg_match_all('! ([A-Z_]+)=\"(.*?)"!i',$html,$matches,PREG_SET_ORDER); // Get all other attributes
1680 $raw_add_date=0;
1681 foreach($matches as $m)
1682 {
1683 $attr=$m[1]; $value=$m[2];
1684 if ($attr=='HREF') $link['url']=html_entity_decode($value,ENT_QUOTES,'UTF-8');
fc93ae1d
AA
1685 elseif ($attr=='ADD_DATE')
1686 {
1687 $raw_add_date=intval($value);
1688 if ($raw_add_date>30000000000) $raw_add_date/=1000; //If larger than year 2920, then was likely stored in milliseconds instead of seconds
1689 }
45034273
SS
1690 elseif ($attr=='PRIVATE') $link['private']=($value=='0'?0:1);
1691 elseif ($attr=='TAGS') $link['tags']=html_entity_decode(str_replace(',',' ',$value),ENT_QUOTES,'UTF-8');
1692 }
1693 if ($link['url']!='')
1694 {
1695 if ($private==1) $link['private']=1;
1696 $dblink = $LINKSDB->getLinkFromUrl($link['url']); // See if the link is already in database.
1697 if ($dblink==false)
1698 { // Link not in database, let's import it...
1699 if (empty($raw_add_date)) $raw_add_date=time(); // In case of shitty bookmark file with no ADD_DATE
1700
1701 // Make sure date/time is not already used by another link.
1702 // (Some bookmark files have several different links with the same ADD_DATE)
ad6c27b7 1703 // We increment date by 1 second until we find a date which is not used in DB.
45034273
SS
1704 // (so that links that have the same date/time are more or less kept grouped by date, but do not conflict.)
1705 while (!empty($LINKSDB[date('Ymd_His',$raw_add_date)])) { $raw_add_date++; }// Yes, I know it's ugly.
1706 $link['linkdate']=date('Ymd_His',$raw_add_date);
1707 $LINKSDB[$link['linkdate']] = $link;
1708 $import_count++;
1709 }
ad6c27b7 1710 else // Link already present in database.
45034273
SS
1711 {
1712 if ($overwrite)
1713 { // If overwrite is required, we import link data, except date/time.
1714 $link['linkdate']=$dblink['linkdate'];
1715 $LINKSDB[$link['linkdate']] = $link;
1716 $import_count++;
1717 }
1718 }
1719
1720 }
1721 }
1722 }
1723 $LINKSDB->savedb();
1724
fe16b01e 1725 echo '<script>alert("File '.json_encode($filename).' ('.$filesize.' bytes) was successfully processed: '.$import_count.' links imported.");document.location=\'?\';</script>';
45034273
SS
1726 }
1727 else
1728 {
fe16b01e 1729 echo '<script>alert("File '.json_encode($filename).' ('.$filesize.' bytes) has an unknown file format. Nothing was imported.");document.location=\'?\';</script>';
45034273
SS
1730 }
1731}
1732
1733// -----------------------------------------------------------------------------------------------
1734// Template for the list of links (<div id="linklist">)
1735// This function fills all the necessary fields in the $PAGE for the template 'linklist.html'
1736function buildLinkList($PAGE,$LINKSDB)
1737{
1738 // ---- Filter link database according to parameters
1739 $linksToDisplay=array();
1740 $search_type='';
1741 $search_crits='';
1742 if (isset($_GET['searchterm'])) // Fulltext search
1743 {
1744 $linksToDisplay = $LINKSDB->filterFulltext(trim($_GET['searchterm']));
5f85fcd8 1745 $search_crits=escape(trim($_GET['searchterm']));
45034273
SS
1746 $search_type='fulltext';
1747 }
1748 elseif (isset($_GET['searchtags'])) // Search by tag
1749 {
1750 $linksToDisplay = $LINKSDB->filterTags(trim($_GET['searchtags']));
5f85fcd8 1751 $search_crits=explode(' ',escape(trim($_GET['searchtags'])));
45034273
SS
1752 $search_type='tags';
1753 }
1754 elseif (isset($_SERVER['QUERY_STRING']) && preg_match('/[a-zA-Z0-9-_@]{6}(&.+?)?/',$_SERVER['QUERY_STRING'])) // Detect smallHashes in URL
1755 {
1756 $linksToDisplay = $LINKSDB->filterSmallHash(substr(trim($_SERVER["QUERY_STRING"], '/'),0,6));
1757 if (count($linksToDisplay)==0)
1758 {
1759 header($_SERVER["SERVER_PROTOCOL"]." 404 Not Found");
1760 echo '<h1>404 Not found.</h1>Oh crap. The link you are trying to reach does not exist or has been deleted.';
1dcbe296 1761 echo '<br>Would you mind <a href="?">clicking here</a>?';
45034273
SS
1762 exit;
1763 }
1764 $search_type='permalink';
1765 }
1766 else
ad6c27b7 1767 $linksToDisplay = $LINKSDB; // Otherwise, display without filtering.
bb8f712d 1768
8fa1ebd6 1769
45034273
SS
1770 // Option: Show only private links
1771 if (!empty($_SESSION['privateonly']))
1772 {
1773 $tmp = array();
1774 foreach($linksToDisplay as $linkdate=>$link)
1775 {
1776 if ($link['private']!=0) $tmp[$linkdate]=$link;
1777 }
1778 $linksToDisplay=$tmp;
1779 }
1780
1781 // ---- Handle paging.
ad6c27b7 1782 /* Can someone explain to me why you get the following error when using array_keys() on an object which implements the interface ArrayAccess???
45034273
SS
1783 "Warning: array_keys() expects parameter 1 to be array, object given in ... "
1784 If my class implements ArrayAccess, why won't array_keys() accept it ? ( $keys=array_keys($linksToDisplay); )
1785 */
ad6c27b7 1786 $keys=array(); foreach($linksToDisplay as $key=>$value) { $keys[]=$key; } // Stupid and ugly. Thanks PHP.
45034273
SS
1787
1788 // If there is only a single link, we change on-the-fly the title of the page.
1789 if (count($linksToDisplay)==1) $GLOBALS['pagetitle'] = $linksToDisplay[$keys[0]]['title'].' - '.$GLOBALS['title'];
1790
1791 // Select articles according to paging.
1792 $pagecount = ceil(count($keys)/$_SESSION['LINKS_PER_PAGE']);
1793 $pagecount = ($pagecount==0 ? 1 : $pagecount);
1794 $page=( empty($_GET['page']) ? 1 : intval($_GET['page']));
1795 $page = ( $page<1 ? 1 : $page );
1796 $page = ( $page>$pagecount ? $pagecount : $page );
1797 $i = ($page-1)*$_SESSION['LINKS_PER_PAGE']; // Start index.
1798 $end = $i+$_SESSION['LINKS_PER_PAGE'];
1799 $linkDisp=array(); // Links to display
1800 while ($i<$end && $i<count($keys))
1801 {
1802 $link = $linksToDisplay[$keys[$i]];
5f85fcd8 1803 $link['description']=nl2br(keepMultipleSpaces(text2clickable($link['description'])));
a5752e77
A
1804 $title=$link['title'];
1805 $classLi = $i%2!=0 ? '' : 'publicLinkHightLight';
45034273 1806 $link['class'] = ($link['private']==0 ? $classLi : 'private');
bec18701 1807 $link['timestamp']=linkdate2timestamp($link['linkdate']);
a5752e77
A
1808 $taglist = explode(' ',$link['tags']);
1809 uasort($taglist, 'strcasecmp');
dd62b9ba 1810 $link['taglist']=$taglist;
b47f515a
FE
1811
1812 if ($link["url"][0] === '?' && // Check for both signs of a note: starting with ? and 7 chars long. I doubt that you'll post any links that look like this.
1813 strlen($link["url"]) === 7) {
1814 $link["url"] = indexUrl() . $link["url"];
1815 }
d33c5d4c 1816
45034273
SS
1817 $linkDisp[$keys[$i]] = $link;
1818 $i++;
1819 }
bb8f712d 1820
45034273
SS
1821 // Compute paging navigation
1822 $searchterm= ( empty($_GET['searchterm']) ? '' : '&searchterm='.$_GET['searchterm'] );
1823 $searchtags= ( empty($_GET['searchtags']) ? '' : '&searchtags='.$_GET['searchtags'] );
1824 $paging='';
1825 $previous_page_url=''; if ($i!=count($keys)) $previous_page_url='?page='.($page+1).$searchterm.$searchtags;
1826 $next_page_url='';if ($page>1) $next_page_url='?page='.($page-1).$searchterm.$searchtags;
1827
bb8f712d
KT
1828 $token = ''; if (isLoggedIn()) $token=getToken();
1829
45034273
SS
1830 // Fill all template fields.
1831 $PAGE->assign('linkcount',count($LINKSDB));
1832 $PAGE->assign('previous_page_url',$previous_page_url);
1833 $PAGE->assign('next_page_url',$next_page_url);
1834 $PAGE->assign('page_current',$page);
1835 $PAGE->assign('page_max',$pagecount);
1836 $PAGE->assign('result_count',count($linksToDisplay));
1837 $PAGE->assign('search_type',$search_type);
bb8f712d 1838 $PAGE->assign('search_crits',$search_crits);
ad6c27b7 1839 $PAGE->assign('redirector',empty($GLOBALS['redirector']) ? '' : $GLOBALS['redirector']); // Optional redirector URL.
45034273
SS
1840 $PAGE->assign('token',$token);
1841 $PAGE->assign('links',$linkDisp);
65d62517 1842 $PAGE->assign('tags', $LINKSDB->allTags());
45034273
SS
1843 return;
1844}
1845
1846// Compute the thumbnail for a link.
bb8f712d 1847//
ad6c27b7 1848// With a link to the original URL.
45034273 1849// Understands various services (youtube.com...)
ad6c27b7 1850// Input: $url = URL for which the thumbnail must be found.
45034273
SS
1851// $href = if provided, this URL will be followed instead of $url
1852// Returns an associative array with thumbnail attributes (src,href,width,height,style,alt)
1853// Some of them may be missing.
1854// Return an empty array if no thumbnail available.
1855function computeThumbnail($url,$href=false)
1856{
1857 if (!$GLOBALS['config']['ENABLE_THUMBNAILS']) return array();
1858 if ($href==false) $href=$url;
1859
1860 // For most hosts, the URL of the thumbnail can be easily deduced from the URL of the link.
ad6c27b7 1861 // (e.g. http://www.youtube.com/watch?v=spVypYk4kto ---> http://img.youtube.com/vi/spVypYk4kto/default.jpg )
45034273
SS
1862 // ^^^^^^^^^^^ ^^^^^^^^^^^
1863 $domain = parse_url($url,PHP_URL_HOST);
1864 if ($domain=='youtube.com' || $domain=='www.youtube.com')
1865 {
1866 parse_str(parse_url($url,PHP_URL_QUERY), $params); // Extract video ID and get thumbnail
1a663a0f 1867 if (!empty($params['v'])) return array('src'=>'https://img.youtube.com/vi/'.$params['v'].'/default.jpg',
45034273
SS
1868 'href'=>$href,'width'=>'120','height'=>'90','alt'=>'YouTube thumbnail');
1869 }
1870 if ($domain=='youtu.be') // Youtube short links
1871 {
1872 $path = parse_url($url,PHP_URL_PATH);
1a663a0f 1873 return array('src'=>'https://img.youtube.com/vi'.$path.'/default.jpg',
bb8f712d 1874 'href'=>$href,'width'=>'120','height'=>'90','alt'=>'YouTube thumbnail');
45034273
SS
1875 }
1876 if ($domain=='pix.toile-libre.org') // pix.toile-libre.org image hosting
1877 {
1878 parse_str(parse_url($url,PHP_URL_QUERY), $params); // Extract image filename.
1879 if (!empty($params) && !empty($params['img'])) return array('src'=>'http://pix.toile-libre.org/upload/thumb/'.urlencode($params['img']),
bb8f712d
KT
1880 'href'=>$href,'style'=>'max-width:120px; max-height:150px','alt'=>'pix.toile-libre.org thumbnail');
1881 }
1882
45034273
SS
1883 if ($domain=='imgur.com')
1884 {
1885 $path = parse_url($url,PHP_URL_PATH);
1886 if (startsWith($path,'/a/')) return array(); // Thumbnails for albums are not available.
1a663a0f 1887 if (startsWith($path,'/r/')) return array('src'=>'https://i.imgur.com/'.basename($path).'s.jpg',
45034273 1888 'href'=>$href,'width'=>'90','height'=>'90','alt'=>'imgur.com thumbnail');
1a663a0f 1889 if (startsWith($path,'/gallery/')) return array('src'=>'https://i.imgur.com'.substr($path,8).'s.jpg',
45034273
SS
1890 'href'=>$href,'width'=>'90','height'=>'90','alt'=>'imgur.com thumbnail');
1891
1a663a0f 1892 if (substr_count($path,'/')==1) return array('src'=>'https://i.imgur.com/'.substr($path,1).'s.jpg',
45034273
SS
1893 'href'=>$href,'width'=>'90','height'=>'90','alt'=>'imgur.com thumbnail');
1894 }
1895 if ($domain=='i.imgur.com')
1896 {
1897 $pi = pathinfo(parse_url($url,PHP_URL_PATH));
1a663a0f 1898 if (!empty($pi['filename'])) return array('src'=>'https://i.imgur.com/'.$pi['filename'].'s.jpg',
45034273
SS
1899 'href'=>$href,'width'=>'90','height'=>'90','alt'=>'imgur.com thumbnail');
1900 }
1901 if ($domain=='dailymotion.com' || $domain=='www.dailymotion.com')
1902 {
1903 if (strpos($url,'dailymotion.com/video/')!==false)
1904 {
1905 $thumburl=str_replace('dailymotion.com/video/','dailymotion.com/thumbnail/video/',$url);
1906 return array('src'=>$thumburl,
1907 'href'=>$href,'width'=>'120','style'=>'height:auto;','alt'=>'DailyMotion thumbnail');
1908 }
1909 }
1910 if (endsWith($domain,'.imageshack.us'))
1911 {
1912 $ext=strtolower(pathinfo($url,PATHINFO_EXTENSION));
1913 if ($ext=='jpg' || $ext=='jpeg' || $ext=='png' || $ext=='gif')
1914 {
1915 $thumburl = substr($url,0,strlen($url)-strlen($ext)).'th.'.$ext;
1916 return array('src'=>$thumburl,
1917 'href'=>$href,'width'=>'120','style'=>'height:auto;','alt'=>'imageshack.us thumbnail');
1918 }
1919 }
1920
1921 // Some other hosts are SLOW AS HELL and usually require an extra HTTP request to get the thumbnail URL.
1922 // So we deport the thumbnail generation in order not to slow down page generation
1923 // (and we also cache the thumbnail)
1924
1925 if (!$GLOBALS['config']['ENABLE_LOCALCACHE']) return array(); // If local cache is disabled, no thumbnails for services which require the use a local cache.
1926
1927 if ($domain=='flickr.com' || endsWith($domain,'.flickr.com')
1928 || $domain=='vimeo.com'
1929 || $domain=='ted.com' || endsWith($domain,'.ted.com')
1930 || $domain=='xkcd.com' || endsWith($domain,'.xkcd.com')
1931 )
1932 {
1933 if ($domain=='vimeo.com')
ad6c27b7 1934 { // Make sure this vimeo URL points to a video (/xxx... where xxx is numeric)
45034273
SS
1935 $path = parse_url($url,PHP_URL_PATH);
1936 if (!preg_match('!/\d+.+?!',$path)) return array(); // This is not a single video URL.
1937 }
1938 if ($domain=='xkcd.com' || endsWith($domain,'.xkcd.com'))
ad6c27b7 1939 { // Make sure this URL points to a single comic (/xxx... where xxx is numeric)
45034273
SS
1940 $path = parse_url($url,PHP_URL_PATH);
1941 if (!preg_match('!/\d+.+?!',$path)) return array();
1942 }
1943 if ($domain=='ted.com' || endsWith($domain,'.ted.com'))
ad6c27b7 1944 { // Make sure this TED URL points to a video (/talks/...)
45034273
SS
1945 $path = parse_url($url,PHP_URL_PATH);
1946 if ("/talks/" !== substr($path,0,7)) return array(); // This is not a single video URL.
1947 }
1948 $sign = hash_hmac('sha256', $url, $GLOBALS['salt']); // We use the salt to sign data (it's random, secret, and specific to each installation)
5f85fcd8 1949 return array('src'=>indexUrl().'?do=genthumbnail&hmac='.$sign.'&url='.urlencode($url),
45034273
SS
1950 'href'=>$href,'width'=>'120','style'=>'height:auto;','alt'=>'thumbnail');
1951 }
1952
1953 // For all other, we try to make a thumbnail of links ending with .jpg/jpeg/png/gif
1954 // Technically speaking, we should download ALL links and check their Content-Type to see if they are images.
1955 // But using the extension will do.
1956 $ext=strtolower(pathinfo($url,PATHINFO_EXTENSION));
1957 if ($ext=='jpg' || $ext=='jpeg' || $ext=='png' || $ext=='gif')
1958 {
1959 $sign = hash_hmac('sha256', $url, $GLOBALS['salt']); // We use the salt to sign data (it's random, secret, and specific to each installation)
5f85fcd8 1960 return array('src'=>indexUrl().'?do=genthumbnail&hmac='.$sign.'&url='.urlencode($url),
bb8f712d 1961 'href'=>$href,'width'=>'120','style'=>'height:auto;','alt'=>'thumbnail');
45034273
SS
1962 }
1963 return array(); // No thumbnail.
1964
1965}
1966
1967
1968// Returns the HTML code to display a thumbnail for a link
1969// with a link to the original URL.
1970// Understands various services (youtube.com...)
ad6c27b7 1971// Input: $url = URL for which the thumbnail must be found.
45034273
SS
1972// $href = if provided, this URL will be followed instead of $url
1973// Returns '' if no thumbnail available.
1974function thumbnail($url,$href=false)
1975{
1976 $t = computeThumbnail($url,$href);
1977 if (count($t)==0) return ''; // Empty array = no thumbnail for this URL.
bb8f712d 1978
5f85fcd8
A
1979 $html='<a href="'.escape($t['href']).'"><img src="'.escape($t['src']).'"';
1980 if (!empty($t['width'])) $html.=' width="'.escape($t['width']).'"';
1981 if (!empty($t['height'])) $html.=' height="'.escape($t['height']).'"';
1982 if (!empty($t['style'])) $html.=' style="'.escape($t['style']).'"';
1983 if (!empty($t['alt'])) $html.=' alt="'.escape($t['alt']).'"';
45034273
SS
1984 $html.='></a>';
1985 return $html;
1986}
1987
45034273
SS
1988// Returns the HTML code to display a thumbnail for a link
1989// for the picture wall (using lazy image loading)
1990// Understands various services (youtube.com...)
ad6c27b7 1991// Input: $url = URL for which the thumbnail must be found.
45034273
SS
1992// $href = if provided, this URL will be followed instead of $url
1993// Returns '' if no thumbnail available.
1994function lazyThumbnail($url,$href=false)
1995{
bb8f712d 1996 $t = computeThumbnail($url,$href);
45034273
SS
1997 if (count($t)==0) return ''; // Empty array = no thumbnail for this URL.
1998
5f85fcd8 1999 $html='<a href="'.escape($t['href']).'">';
bb8f712d 2000
34047d23 2001 // Lazy image
5f85fcd8 2002 $html.='<img class="b-lazy" src="#" data-src="'.escape($t['src']).'"';
858c5c2b 2003
5f85fcd8
A
2004 if (!empty($t['width'])) $html.=' width="'.escape($t['width']).'"';
2005 if (!empty($t['height'])) $html.=' height="'.escape($t['height']).'"';
2006 if (!empty($t['style'])) $html.=' style="'.escape($t['style']).'"';
2007 if (!empty($t['alt'])) $html.=' alt="'.escape($t['alt']).'"';
45034273 2008 $html.='>';
bb8f712d 2009
ad6c27b7 2010 // No-JavaScript fallback.
5f85fcd8
A
2011 $html.='<noscript><img src="'.escape($t['src']).'"';
2012 if (!empty($t['width'])) $html.=' width="'.escape($t['width']).'"';
2013 if (!empty($t['height'])) $html.=' height="'.escape($t['height']).'"';
2014 if (!empty($t['style'])) $html.=' style="'.escape($t['style']).'"';
2015 if (!empty($t['alt'])) $html.=' alt="'.escape($t['alt']).'"';
45034273 2016 $html.='></noscript></a>';
bb8f712d 2017
45034273
SS
2018 return $html;
2019}
2020
2021
2022// -----------------------------------------------------------------------------------------------
2023// Installation
2024// This function should NEVER be called if the file data/config.php exists.
2025function install()
2026{
2027 // On free.fr host, make sure the /sessions directory exists, otherwise login will not work.
f6a6ca0a 2028 if (endsWith($_SERVER['HTTP_HOST'],'.free.fr') && !is_dir($_SERVER['DOCUMENT_ROOT'].'/sessions')) mkdir($_SERVER['DOCUMENT_ROOT'].'/sessions',0705);
45034273 2029
f37664a2
SS
2030
2031 // This part makes sure sessions works correctly.
2032 // (Because on some hosts, session.save_path may not be set correctly,
2033 // or we may not have write access to it.)
2034 if (isset($_GET['test_session']) && ( !isset($_SESSION) || !isset($_SESSION['session_tested']) || $_SESSION['session_tested']!='Working'))
2035 { // Step 2: Check if data in session is correct.
2036 echo '<pre>Sessions do not seem to work correctly on your server.<br>';
2037 echo 'Make sure the variable session.save_path is set correctly in your php config, and that you have write access to it.<br>';
01ec1791 2038 echo 'It currently points to '.session_save_path().'<br>';
2039 echo 'Check that the hostname used to access Shaarli contains a dot. On some browsers, accessing your server via a hostname like \'localhost\' or any custom hostname without a dot causes cookie storage to fail. We recommend accessing your server via it\'s IP address or Fully Qualified Domain Name.<br>';
2040 echo '<br><a href="?">Click to try again.</a></pre>';
f37664a2
SS
2041 die;
2042 }
2043 if (!isset($_SESSION['session_tested']))
2044 { // Step 1 : Try to store data in session and reload page.
2045 $_SESSION['session_tested'] = 'Working'; // Try to set a variable in session.
2046 header('Location: '.indexUrl().'?test_session'); // Redirect to check stored data.
2047 }
2048 if (isset($_GET['test_session']))
ad6c27b7 2049 { // Step 3: Sessions are OK. Remove test parameter from URL.
f37664a2
SS
2050 header('Location: '.indexUrl());
2051 }
2052
2053
45034273
SS
2054 if (!empty($_POST['setlogin']) && !empty($_POST['setpassword']))
2055 {
2056 $tz = 'UTC';
d1e2f8e5
V
2057 if (!empty($_POST['continent']) && !empty($_POST['city'])) {
2058 if (isTimeZoneValid($_POST['continent'], $_POST['city'])) {
45034273 2059 $tz = $_POST['continent'].'/'.$_POST['city'];
d1e2f8e5
V
2060 }
2061 }
45034273
SS
2062 $GLOBALS['timezone'] = $tz;
2063 // Everything is ok, let's create config file.
2064 $GLOBALS['login'] = $_POST['setlogin'];
2065 $GLOBALS['salt'] = sha1(uniqid('',true).'_'.mt_rand()); // Salt renders rainbow-tables attacks useless.
2066 $GLOBALS['hash'] = sha1($_POST['setpassword'].$GLOBALS['login'].$GLOBALS['salt']);
5f85fcd8 2067 $GLOBALS['title'] = (empty($_POST['title']) ? 'Shared links on '.escape(indexUrl()) : $_POST['title'] );
329e0768 2068 $GLOBALS['config']['ENABLE_UPDATECHECK'] = !empty($_POST['updateCheck']);
dd484b90
A
2069 try {
2070 writeConfig($GLOBALS, isLoggedIn());
2071 }
2072 catch(Exception $e) {
2073 error_log(
2074 'ERROR while writing config file after installation.' . PHP_EOL .
2075 $e->getMessage()
2076 );
2077
2078 // TODO: do not handle exceptions/errors in JS.
2079 echo '<script>alert("'. $e->getMessage() .'");document.location=\'?\';</script>';
2080 exit;
2081 }
fe16b01e 2082 echo '<script>alert("Shaarli is now configured. Please enter your login/password and start shaaring your links!");document.location=\'?do=login\';</script>';
45034273
SS
2083 exit;
2084 }
2085
2086 // Display config form:
d1e2f8e5
V
2087 list($timezone_form, $timezone_js) = generateTimeZoneForm();
2088 $timezone_html = '';
2089 if ($timezone_form != '') {
2090 $timezone_html = '<tr><td><b>Timezone:</b></td><td>'.$timezone_form.'</td></tr>';
2091 }
bb8f712d 2092
45034273
SS
2093 $PAGE = new pageBuilder;
2094 $PAGE->assign('timezone_html',$timezone_html);
2095 $PAGE->assign('timezone_js',$timezone_js);
2096 $PAGE->renderPage('install');
2097 exit;
2098}
2099
3385af12
LM
2100if (!function_exists('json_encode')) {
2101 function json_encode($data) {
2102 switch ($type = gettype($data)) {
2103 case 'NULL':
2104 return 'null';
2105 case 'boolean':
2106 return ($data ? 'true' : 'false');
2107 case 'integer':
2108 case 'double':
2109 case 'float':
2110 return $data;
2111 case 'string':
2112 return '"' . addslashes($data) . '"';
2113 case 'object':
2114 $data = get_object_vars($data);
2115 case 'array':
2116 $output_index_count = 0;
2117 $output_indexed = array();
2118 $output_associative = array();
2119 foreach ($data as $key => $value) {
2120 $output_indexed[] = json_encode($value);
2121 $output_associative[] = json_encode($key) . ':' . json_encode($value);
2122 if ($output_index_count !== NULL && $output_index_count++ !== $key) {
2123 $output_index_count = NULL;
2124 }
2125 }
2126 if ($output_index_count !== NULL) {
2127 return '[' . implode(',', $output_indexed) . ']';
2128 } else {
2129 return '{' . implode(',', $output_associative) . '}';
2130 }
2131 default:
2132 return ''; // Not supported
2133 }
2134 }
2135}
45034273 2136
dd484b90 2137
45034273 2138
ad6c27b7 2139/* Because some f*cking services like flickr require an extra HTTP request to get the thumbnail URL,
45034273 2140 I have deported the thumbnail URL code generation here, otherwise this would slow down page generation.
ad6c27b7 2141 The following function takes the URL a link (e.g. a flickr page) and return the proper thumbnail.
2142 This function is called by passing the URL:
45034273 2143 http://mywebsite.com/shaarli/?do=genthumbnail&hmac=[HMAC]&url=[URL]
ad6c27b7 2144 [URL] is the URL of the link (e.g. a flickr page)
45034273
SS
2145 [HMAC] is the signature for the [URL] (so that these URL cannot be forged).
2146 The function below will fetch the image from the webservice and store it in the cache.
2147*/
2148function genThumbnail()
2149{
2150 // Make sure the parameters in the URL were generated by us.
2151 $sign = hash_hmac('sha256', $_GET['url'], $GLOBALS['salt']);
ad6c27b7 2152 if ($sign!=$_GET['hmac']) die('Naughty boy!');
45034273
SS
2153
2154 // Let's see if we don't already have the image for this URL in the cache.
2155 $thumbname=hash('sha1',$_GET['url']).'.jpg';
2156 if (is_file($GLOBALS['config']['CACHEDIR'].'/'.$thumbname))
2157 { // We have the thumbnail, just serve it:
2158 header('Content-Type: image/jpeg');
2159 echo file_get_contents($GLOBALS['config']['CACHEDIR'].'/'.$thumbname);
2160 return;
2161 }
2162 // We may also serve a blank image (if service did not respond)
2163 $blankname=hash('sha1',$_GET['url']).'.gif';
2164 if (is_file($GLOBALS['config']['CACHEDIR'].'/'.$blankname))
2165 {
2166 header('Content-Type: image/gif');
2167 echo file_get_contents($GLOBALS['config']['CACHEDIR'].'/'.$blankname);
2168 return;
2169 }
2170
2171 // Otherwise, generate the thumbnail.
2172 $url = $_GET['url'];
2173 $domain = parse_url($url,PHP_URL_HOST);
2174
2175 if ($domain=='flickr.com' || endsWith($domain,'.flickr.com'))
2176 {
ad6c27b7 2177 // Crude replacement to handle new flickr domain policy (They prefer www. now)
45034273
SS
2178 $url = str_replace('http://flickr.com/','http://www.flickr.com/',$url);
2179
2180 // Is this a link to an image, or to a flickr page ?
2181 $imageurl='';
2182 if (endswith(parse_url($url,PHP_URL_PATH),'.jpg'))
ad6c27b7 2183 { // This is a direct link to an image. e.g. http://farm1.staticflickr.com/5/5921913_ac83ed27bd_o.jpg
45034273
SS
2184 preg_match('!(http://farm\d+\.staticflickr\.com/\d+/\d+_\w+_)\w.jpg!',$url,$matches);
2185 if (!empty($matches[1])) $imageurl=$matches[1].'m.jpg';
2186 }
ad6c27b7 2187 else // This is a flickr page (html)
45034273
SS
2188 {
2189 list($httpstatus,$headers,$data) = getHTTP($url,20); // Get the flickr html page.
2190 if (strpos($httpstatus,'200 OK')!==false)
2191 {
ad6c27b7 2192 // flickr now nicely provides the URL of the thumbnail in each flickr page.
45034273
SS
2193 preg_match('!<link rel=\"image_src\" href=\"(.+?)\"!',$data,$matches);
2194 if (!empty($matches[1])) $imageurl=$matches[1];
2195
2196 // In albums (and some other pages), the link rel="image_src" is not provided,
2197 // but flickr provides:
2198 // <meta property="og:image" content="http://farm4.staticflickr.com/3398/3239339068_25d13535ff_z.jpg" />
2199 if ($imageurl=='')
2200 {
2201 preg_match('!<meta property=\"og:image\" content=\"(.+?)\"!',$data,$matches);
2202 if (!empty($matches[1])) $imageurl=$matches[1];
2203 }
2204 }
2205 }
2206
2207 if ($imageurl!='')
2208 { // Let's download the image.
2209 list($httpstatus,$headers,$data) = getHTTP($imageurl,10); // Image is 240x120, so 10 seconds to download should be enough.
2210 if (strpos($httpstatus,'200 OK')!==false)
2211 {
2212 file_put_contents($GLOBALS['config']['CACHEDIR'].'/'.$thumbname,$data); // Save image to cache.
2213 header('Content-Type: image/jpeg');
2214 echo $data;
2215 return;
2216 }
2217 }
2218 }
2219
2220 elseif ($domain=='vimeo.com' )
2221 {
2222 // This is more complex: we have to perform a HTTP request, then parse the result.
ad6c27b7 2223 // Maybe we should deport this to JavaScript ? Example: http://stackoverflow.com/questions/1361149/get-img-thumbnails-from-vimeo/4285098#4285098
45034273 2224 $vid = substr(parse_url($url,PHP_URL_PATH),1);
5f85fcd8 2225 list($httpstatus,$headers,$data) = getHTTP('https://vimeo.com/api/v2/video/'.escape($vid).'.php',5);
45034273
SS
2226 if (strpos($httpstatus,'200 OK')!==false)
2227 {
2228 $t = unserialize($data);
2229 $imageurl = $t[0]['thumbnail_medium'];
2230 // Then we download the image and serve it to our client.
2231 list($httpstatus,$headers,$data) = getHTTP($imageurl,10);
2232 if (strpos($httpstatus,'200 OK')!==false)
2233 {
2234 file_put_contents($GLOBALS['config']['CACHEDIR'].'/'.$thumbname,$data); // Save image to cache.
2235 header('Content-Type: image/jpeg');
2236 echo $data;
2237 return;
2238 }
2239 }
2240 }
2241
2242 elseif ($domain=='ted.com' || endsWith($domain,'.ted.com'))
2243 {
2244 // The thumbnail for TED talks is located in the <link rel="image_src" [...]> tag on that page
2245 // http://www.ted.com/talks/mikko_hypponen_fighting_viruses_defending_the_net.html
2246 // <link rel="image_src" href="http://images.ted.com/images/ted/28bced335898ba54d4441809c5b1112ffaf36781_389x292.jpg" />
bb8f712d 2247 list($httpstatus,$headers,$data) = getHTTP($url,5);
45034273
SS
2248 if (strpos($httpstatus,'200 OK')!==false)
2249 {
2250 // Extract the link to the thumbnail
2251 preg_match('!link rel="image_src" href="(http://images.ted.com/images/ted/.+_\d+x\d+\.jpg)"!',$data,$matches);
2252 if (!empty($matches[1]))
2253 { // Let's download the image.
2254 $imageurl=$matches[1];
2255 list($httpstatus,$headers,$data) = getHTTP($imageurl,20); // No control on image size, so wait long enough.
2256 if (strpos($httpstatus,'200 OK')!==false)
2257 {
2258 $filepath=$GLOBALS['config']['CACHEDIR'].'/'.$thumbname;
2259 file_put_contents($filepath,$data); // Save image to cache.
2260 if (resizeImage($filepath))
2261 {
2262 header('Content-Type: image/jpeg');
2263 echo file_get_contents($filepath);
2264 return;
2265 }
2266 }
2267 }
2268 }
2269 }
bb8f712d 2270
45034273
SS
2271 elseif ($domain=='xkcd.com' || endsWith($domain,'.xkcd.com'))
2272 {
2273 // There is no thumbnail available for xkcd comics, so download the whole image and resize it.
2274 // http://xkcd.com/327/
2275 // <img src="http://imgs.xkcd.com/comics/exploits_of_a_mom.png" title="<BLABLA>" alt="<BLABLA>" />
2276 list($httpstatus,$headers,$data) = getHTTP($url,5);
2277 if (strpos($httpstatus,'200 OK')!==false)
2278 {
2279 // Extract the link to the thumbnail
2280 preg_match('!<img src="(http://imgs.xkcd.com/comics/.*)" title="[^s]!',$data,$matches);
2281 if (!empty($matches[1]))
2282 { // Let's download the image.
2283 $imageurl=$matches[1];
2284 list($httpstatus,$headers,$data) = getHTTP($imageurl,20); // No control on image size, so wait long enough.
2285 if (strpos($httpstatus,'200 OK')!==false)
2286 {
2287 $filepath=$GLOBALS['config']['CACHEDIR'].'/'.$thumbname;
2288 file_put_contents($filepath,$data); // Save image to cache.
2289 if (resizeImage($filepath))
2290 {
2291 header('Content-Type: image/jpeg');
2292 echo file_get_contents($filepath);
2293 return;
2294 }
2295 }
2296 }
2297 }
bb8f712d 2298 }
45034273
SS
2299
2300 else
2301 {
2302 // For all other domains, we try to download the image and make a thumbnail.
2303 list($httpstatus,$headers,$data) = getHTTP($url,30); // We allow 30 seconds max to download (and downloads are limited to 4 Mb)
2304 if (strpos($httpstatus,'200 OK')!==false)
2305 {
2306 $filepath=$GLOBALS['config']['CACHEDIR'].'/'.$thumbname;
2307 file_put_contents($filepath,$data); // Save image to cache.
2308 if (resizeImage($filepath))
2309 {
2310 header('Content-Type: image/jpeg');
2311 echo file_get_contents($filepath);
2312 return;
2313 }
2314 }
2315 }
2316
2317
2318 // Otherwise, return an empty image (8x8 transparent gif)
2319 $blankgif = base64_decode('R0lGODlhCAAIAIAAAP///////yH5BAEKAAEALAAAAAAIAAgAAAIHjI+py+1dAAA7');
2320 file_put_contents($GLOBALS['config']['CACHEDIR'].'/'.$blankname,$blankgif); // Also put something in cache so that this URL is not requested twice.
2321 header('Content-Type: image/gif');
2322 echo $blankgif;
2323}
2324
2325// Make a thumbnail of the image (to width: 120 pixels)
2326// Returns true if success, false otherwise.
2327function resizeImage($filepath)
2328{
2329 if (!function_exists('imagecreatefromjpeg')) return false; // GD not present: no thumbnail possible.
2330
2331 // Trick: some stupid people rename GIF as JPEG... or else.
2332 // So we really try to open each image type whatever the extension is.
2333 $header=file_get_contents($filepath,false,NULL,0,256); // Read first 256 bytes and try to sniff file type.
2334 $im=false;
2335 $i=strpos($header,'GIF8'); if (($i!==false) && ($i==0)) $im = imagecreatefromgif($filepath); // Well this is crude, but it should be enough.
2336 $i=strpos($header,'PNG'); if (($i!==false) && ($i==1)) $im = imagecreatefrompng($filepath);
2337 $i=strpos($header,'JFIF'); if ($i!==false) $im = imagecreatefromjpeg($filepath);
2338 if (!$im) return false; // Unable to open image (corrupted or not an image)
2339 $w = imagesx($im);
2340 $h = imagesy($im);
2341 $ystart = 0; $yheight=$h;
2342 if ($h>$w) { $ystart= ($h/2)-($w/2); $yheight=$w/2; }
2343 $nw = 120; // Desired width
2344 $nh = min(floor(($h*$nw)/$w),120); // Compute new width/height, but maximum 120 pixels height.
2345 // Resize image:
2346 $im2 = imagecreatetruecolor($nw,$nh);
2347 imagecopyresampled($im2, $im, 0, 0, 0, $ystart, $nw, $nh, $w, $yheight);
2348 imageinterlace($im2,true); // For progressive JPEG.
2349 $tempname=$filepath.'_TEMP.jpg';
2350 imagejpeg($im2, $tempname, 90);
2351 imagedestroy($im);
2352 imagedestroy($im2);
9e820906 2353 unlink($filepath);
45034273
SS
2354 rename($tempname,$filepath); // Overwrite original picture with thumbnail.
2355 return true;
2356}
2357
2358// Invalidate caches when the database is changed or the user logs out.
ad6c27b7 2359// (e.g. tags cache).
45034273
SS
2360function invalidateCaches()
2361{
2362 unset($_SESSION['tags']); // Purge cache attached to session.
2363 pageCache::purgeCache(); // Purge page cache shared by sessions.
2364}
2365
dd484b90
A
2366try {
2367 mergeDeprecatedConfig($GLOBALS, isLoggedIn());
2368} catch(Exception $e) {
2369 error_log(
2370 'ERROR while merging deprecated options.php file.' . PHP_EOL .
2371 $e->getMessage()
2372 );
2373}
2374
45034273
SS
2375if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=genthumbnail')) { genThumbnail(); exit; } // Thumbnail generation/cache does not need the link database.
2376if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=rss')) { showRSS(); exit; }
2377if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=atom')) { showATOM(); exit; }
2378if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=dailyrss')) { showDailyRSS(); exit; }
bb8f712d 2379if (isset($_SERVER["QUERY_STRING"]) && startswith($_SERVER["QUERY_STRING"],'do=daily')) { showDaily(); exit; }
45034273
SS
2380if (!isset($_SESSION['LINKS_PER_PAGE'])) $_SESSION['LINKS_PER_PAGE']=$GLOBALS['config']['LINKS_PER_PAGE'];
2381renderPage();
03545ef6 2382?>