]> git.mxchange.org Git - quix0rs-gnu-social.git/blob - lib/util.php
Drop a debug info line that isn't really needed
[quix0rs-gnu-social.git] / lib / util.php
1 <?php
2 /*
3  * StatusNet - the distributed open-source microblogging tool
4  * Copyright (C) 2008, 2009, StatusNet, Inc.
5  *
6  * This program is free software: you can redistribute it and/or modify
7  * it under the terms of the GNU Affero General Public License as published by
8  * the Free Software Foundation, either version 3 of the License, or
9  * (at your option) any later version.
10  *
11  * This program is distributed in the hope that it will be useful,
12  * but WITHOUT ANY WARRANTY; without even the implied warranty of
13  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14  * GNU Affero General Public License for more details.
15  *
16  * You should have received a copy of the GNU Affero General Public License
17  * along with this program.  If not, see <http://www.gnu.org/licenses/>.
18  */
19
20 /* XXX: break up into separate modules (HTTP, user, files) */
21
22 // Show a server error
23
24 function common_server_error($msg, $code=500)
25 {
26     $err = new ServerErrorAction($msg, $code);
27     $err->showPage();
28 }
29
30 // Show a user error
31 function common_user_error($msg, $code=400)
32 {
33     $err = new ClientErrorAction($msg, $code);
34     $err->showPage();
35 }
36
37 function common_init_locale($language=null)
38 {
39     if(!$language) {
40         $language = common_language();
41     }
42     putenv('LANGUAGE='.$language);
43     putenv('LANG='.$language);
44     return setlocale(LC_ALL, $language . ".utf8",
45                      $language . ".UTF8",
46                      $language . ".utf-8",
47                      $language . ".UTF-8",
48                      $language);
49 }
50
51 function common_init_language()
52 {
53     mb_internal_encoding('UTF-8');
54
55     // gettext seems very picky... We first need to setlocale()
56     // to a locale which _does_ exist on the system, and _then_
57     // we can set in another locale that may not be set up
58     // (say, ga_ES for Galego/Galician) it seems to take it.
59     common_init_locale("en_US");
60     
61     $language = common_language();
62     $locale_set = common_init_locale($language);
63     setlocale(LC_CTYPE, 'C');
64     
65     // So we don't have to make people install the gettext locales
66     $path = common_config('site','locale_path');
67     bindtextdomain("statusnet", $path);
68     bind_textdomain_codeset("statusnet", "UTF-8");
69     textdomain("statusnet");
70
71     if(!$locale_set) {
72         common_log(LOG_INFO, 'Language requested:' . $language . ' - locale could not be set. Perhaps that system locale is not installed.', __FILE__);
73     }
74 }
75
76 function common_timezone()
77 {
78     if (common_logged_in()) {
79         $user = common_current_user();
80         if ($user->timezone) {
81             return $user->timezone;
82         }
83     }
84
85     return common_config('site', 'timezone');
86 }
87
88 function common_language()
89 {
90
91     // If there is a user logged in and they've set a language preference
92     // then return that one...
93     if (_have_config() && common_logged_in()) {
94         $user = common_current_user();
95         $user_language = $user->language;
96         if ($user_language)
97           return $user_language;
98     }
99
100     // Otherwise, find the best match for the languages requested by the
101     // user's browser...
102     $httplang = isset($_SERVER['HTTP_ACCEPT_LANGUAGE']) ? $_SERVER['HTTP_ACCEPT_LANGUAGE'] : null;
103     if (!empty($httplang)) {
104         $language = client_prefered_language($httplang);
105         if ($language)
106           return $language;
107     }
108
109     // Finally, if none of the above worked, use the site's default...
110     return common_config('site', 'language');
111 }
112 // salted, hashed passwords are stored in the DB
113
114 function common_munge_password($password, $id)
115 {
116     return md5($password . $id);
117 }
118
119 // check if a username exists and has matching password
120 function common_check_user($nickname, $password)
121 {
122     // NEVER allow blank passwords, even if they match the DB
123     if (mb_strlen($password) == 0) {
124         return false;
125     }
126     $user = User::staticGet('nickname', $nickname);
127     if (is_null($user) || $user === false) {
128         return false;
129     } else {
130         if (0 == strcmp(common_munge_password($password, $user->id),
131                         $user->password)) {
132             return $user;
133         } else {
134             return false;
135         }
136     }
137 }
138
139 // is the current user logged in?
140 function common_logged_in()
141 {
142     return (!is_null(common_current_user()));
143 }
144
145 function common_have_session()
146 {
147     return (0 != strcmp(session_id(), ''));
148 }
149
150 function common_ensure_session()
151 {
152     $c = null;
153     if (array_key_exists(session_name(), $_COOKIE)) {
154         $c = $_COOKIE[session_name()];
155     }
156     if (!common_have_session()) {
157         if (common_config('sessions', 'handle')) {
158             Session::setSaveHandler();
159         }
160         @session_start();
161         if (!isset($_SESSION['started'])) {
162             $_SESSION['started'] = time();
163             if (!empty($c)) {
164                 common_log(LOG_WARNING, 'Session cookie "' . $_COOKIE[session_name()] . '" ' .
165                            ' is set but started value is null');
166             }
167         }
168     }
169 }
170
171 // Three kinds of arguments:
172 // 1) a user object
173 // 2) a nickname
174 // 3) null to clear
175
176 // Initialize to false; set to null if none found
177
178 $_cur = false;
179
180 function common_set_user($user)
181 {
182
183     global $_cur;
184
185     if (is_null($user) && common_have_session()) {
186         $_cur = null;
187         unset($_SESSION['userid']);
188         return true;
189     } else if (is_string($user)) {
190         $nickname = $user;
191         $user = User::staticGet('nickname', $nickname);
192     } else if (!($user instanceof User)) {
193         return false;
194     }
195
196     if ($user) {
197         common_ensure_session();
198         $_SESSION['userid'] = $user->id;
199         $_cur = $user;
200         return $_cur;
201     }
202     return false;
203 }
204
205 function common_set_cookie($key, $value, $expiration=0)
206 {
207     $path = common_config('site', 'path');
208     $server = common_config('site', 'server');
209
210     if ($path && ($path != '/')) {
211         $cookiepath = '/' . $path . '/';
212     } else {
213         $cookiepath = '/';
214     }
215     return setcookie($key,
216                      $value,
217                      $expiration,
218                      $cookiepath,
219                      $server);
220 }
221
222 define('REMEMBERME', 'rememberme');
223 define('REMEMBERME_EXPIRY', 30 * 24 * 60 * 60); // 30 days
224
225 function common_rememberme($user=null)
226 {
227     if (!$user) {
228         $user = common_current_user();
229         if (!$user) {
230             common_debug('No current user to remember', __FILE__);
231             return false;
232         }
233     }
234
235     $rm = new Remember_me();
236
237     $rm->code = common_good_rand(16);
238     $rm->user_id = $user->id;
239
240     // Wrap the insert in some good ol' fashioned transaction code
241
242     $rm->query('BEGIN');
243
244     $result = $rm->insert();
245
246     if (!$result) {
247         common_log_db_error($rm, 'INSERT', __FILE__);
248         common_debug('Error adding rememberme record for ' . $user->nickname, __FILE__);
249         return false;
250     }
251
252     $rm->query('COMMIT');
253
254     common_debug('Inserted rememberme record (' . $rm->code . ', ' . $rm->user_id . '); result = ' . $result . '.', __FILE__);
255
256     $cookieval = $rm->user_id . ':' . $rm->code;
257
258     common_log(LOG_INFO, 'adding rememberme cookie "' . $cookieval . '" for ' . $user->nickname);
259
260     common_set_cookie(REMEMBERME, $cookieval, time() + REMEMBERME_EXPIRY);
261
262     return true;
263 }
264
265 function common_remembered_user()
266 {
267
268     $user = null;
269
270     $packed = isset($_COOKIE[REMEMBERME]) ? $_COOKIE[REMEMBERME] : null;
271
272     if (!$packed) {
273         return null;
274     }
275
276     list($id, $code) = explode(':', $packed);
277
278     if (!$id || !$code) {
279         common_log(LOG_WARNING, 'Malformed rememberme cookie: ' . $packed);
280         common_forgetme();
281         return null;
282     }
283
284     $rm = Remember_me::staticGet($code);
285
286     if (!$rm) {
287         common_log(LOG_WARNING, 'No such remember code: ' . $code);
288         common_forgetme();
289         return null;
290     }
291
292     if ($rm->user_id != $id) {
293         common_log(LOG_WARNING, 'Rememberme code for wrong user: ' . $rm->user_id . ' != ' . $id);
294         common_forgetme();
295         return null;
296     }
297
298     $user = User::staticGet($rm->user_id);
299
300     if (!$user) {
301         common_log(LOG_WARNING, 'No such user for rememberme: ' . $rm->user_id);
302         common_forgetme();
303         return null;
304     }
305
306     // successful!
307     $result = $rm->delete();
308
309     if (!$result) {
310         common_log_db_error($rm, 'DELETE', __FILE__);
311         common_log(LOG_WARNING, 'Could not delete rememberme: ' . $code);
312         common_forgetme();
313         return null;
314     }
315
316     common_log(LOG_INFO, 'logging in ' . $user->nickname . ' using rememberme code ' . $rm->code);
317
318     common_set_user($user);
319     common_real_login(false);
320
321     // We issue a new cookie, so they can log in
322     // automatically again after this session
323
324     common_rememberme($user);
325
326     return $user;
327 }
328
329 // must be called with a valid user!
330
331 function common_forgetme()
332 {
333     common_set_cookie(REMEMBERME, '', 0);
334 }
335
336 // who is the current user?
337 function common_current_user()
338 {
339     global $_cur;
340
341     if (!_have_config()) {
342         return null;
343     }
344
345     if ($_cur === false) {
346
347         if (isset($_REQUEST[session_name()]) || (isset($_SESSION['userid']) && $_SESSION['userid'])) {
348             common_ensure_session();
349             $id = isset($_SESSION['userid']) ? $_SESSION['userid'] : false;
350             if ($id) {
351                 $_cur = User::staticGet($id);
352                 return $_cur;
353             }
354         }
355
356         // that didn't work; try to remember; will init $_cur to null on failure
357         $_cur = common_remembered_user();
358
359         if ($_cur) {
360             common_debug("Got User " . $_cur->nickname);
361             common_debug("Faking session on remembered user");
362             // XXX: Is this necessary?
363             $_SESSION['userid'] = $_cur->id;
364         }
365     }
366
367     return $_cur;
368 }
369
370 // Logins that are 'remembered' aren't 'real' -- they're subject to
371 // cookie-stealing. So, we don't let them do certain things. New reg,
372 // OpenID, and password logins _are_ real.
373
374 function common_real_login($real=true)
375 {
376     common_ensure_session();
377     $_SESSION['real_login'] = $real;
378 }
379
380 function common_is_real_login()
381 {
382     return common_logged_in() && $_SESSION['real_login'];
383 }
384
385 // get canonical version of nickname for comparison
386 function common_canonical_nickname($nickname)
387 {
388     // XXX: UTF-8 canonicalization (like combining chars)
389     return strtolower($nickname);
390 }
391
392 // get canonical version of email for comparison
393 function common_canonical_email($email)
394 {
395     // XXX: canonicalize UTF-8
396     // XXX: lcase the domain part
397     return $email;
398 }
399
400 function common_render_content($text, $notice)
401 {
402     $r = common_render_text($text);
403     $id = $notice->profile_id;
404     $r = preg_replace('/(^|\s+)@([A-Za-z0-9]{1,64})/e', "'\\1@'.common_at_link($id, '\\2')", $r);
405     $r = preg_replace('/^T ([A-Z0-9]{1,64}) /e', "'T '.common_at_link($id, '\\1').' '", $r);
406     $r = preg_replace('/(^|\s+)@#([A-Za-z0-9]{1,64})/e', "'\\1@#'.common_at_hash_link($id, '\\2')", $r);
407     $r = preg_replace('/(^|\s)!([A-Za-z0-9]{1,64})/e', "'\\1!'.common_group_link($id, '\\2')", $r);
408     return $r;
409 }
410
411 function common_render_text($text)
412 {
413     $r = htmlspecialchars($text);
414
415     $r = preg_replace('/[\x{0}-\x{8}\x{b}-\x{c}\x{e}-\x{19}]/', '', $r);
416     $r = common_replace_urls_callback($r, 'common_linkify');
417     $r = preg_replace('/(^|\&quot\;|\'|\(|\[|\{|\s+)#([\pL\pN_\-\.]{1,64})/e', "'\\1#'.common_tag_link('\\2')", $r);
418     // XXX: machine tags
419     return $r;
420 }
421
422 function common_replace_urls_callback($text, $callback, $notice_id = null) {
423     // Start off with a regex
424     $regex = '#'.
425     '(?:^|[\s\(\)\[\]\{\}\\\'\\\";]+)(?![\@\!\#])'.
426     '('.
427         '(?:'.
428             '(?:'. //Known protocols
429                 '(?:'.
430                     '(?:(?:https?|ftps?|mms|rtsp|gopher|news|nntp|telnet|wais|file|prospero|webcal|irc)://)'.
431                     '|'.
432                     '(?:(?:mailto|aim|tel|xmpp):)'.
433                 ')'.
434                 '(?:[\pN\pL\-\_\+\%\~]+(?::[\pN\pL\-\_\+\%\~]+)?\@)?'. //user:pass@
435                 '(?:'.
436                     '(?:'.
437                         '\[[\pN\pL\-\_\:\.]+(?<![\.\:])\]'. //[dns]
438                     ')|(?:'.
439                         '[\pN\pL\-\_\:\.]+(?<![\.\:])'. //dns
440                     ')'.
441                 ')'.
442             ')'.
443             '|(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)'. //IPv4
444             '|(?:'. //IPv6
445                 '\[?(?:(?:(?:[0-9A-Fa-f]{1,4}:){7}(?:(?:[0-9A-Fa-f]{1,4})|:))|(?:(?:[0-9A-Fa-f]{1,4}:){6}(?::|(?:(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})(?:\.(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})){3})|(?::[0-9A-Fa-f]{1,4})))|(?:(?:[0-9A-Fa-f]{1,4}:){5}(?:(?::(?:(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})(?:\.(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})){3})?)|(?:(?::[0-9A-Fa-f]{1,4}){1,2})))|(?:(?:[0-9A-Fa-f]{1,4}:){4}(?::[0-9A-Fa-f]{1,4}){0,1}(?:(?::(?:(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})(?:\.(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})){3})?)|(?:(?::[0-9A-Fa-f]{1,4}){1,2})))|(?:(?:[0-9A-Fa-f]{1,4}:){3}(?::[0-9A-Fa-f]{1,4}){0,2}(?:(?::(?:(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})(?:\.(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})){3})?)|(?:(?::[0-9A-Fa-f]{1,4}){1,2})))|(?:(?:[0-9A-Fa-f]{1,4}:){2}(?::[0-9A-Fa-f]{1,4}){0,3}(?:(?::(?:(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})(?:\.(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})){3})?)|(?:(?::[0-9A-Fa-f]{1,4}){1,2})))|(?:(?:[0-9A-Fa-f]{1,4}:)(?::[0-9A-Fa-f]{1,4}){0,4}(?:(?::(?:(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})(?:\.(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})){3})?)|(?:(?::[0-9A-Fa-f]{1,4}){1,2})))|(?::(?::[0-9A-Fa-f]{1,4}){0,5}(?:(?::(?:(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})(?:\.(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})){3})?)|(?:(?::[0-9A-Fa-f]{1,4}){1,2})))|(?:(?:(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})(?:\.(?:25[0-5]|2[0-4]\d|[01]?\d{1,2})){3})))\]?(?<!:)'.
446             ')|(?:'. //DNS
447                 '(?:[\pN\pL\-\_\+\%\~]+(?:\:[\pN\pL\-\_\+\%\~]+)?\@)?'. //user:pass@
448                 '[\pN\pL\-\_]+(?:\.[\pN\pL\-\_]+)*\.'.
449                 //tld list from http://data.iana.org/TLD/tlds-alpha-by-domain.txt, also added local, loc, and onion
450                 '(?:AC|AD|AE|AERO|AF|AG|AI|AL|AM|AN|AO|AQ|AR|ARPA|AS|ASIA|AT|AU|AW|AX|AZ|BA|BB|BD|BE|BF|BG|BH|BI|BIZ|BJ|BM|BN|BO|BR|BS|BT|BV|BW|BY|BZ|CA|CAT|CC|CD|CF|CG|CH|CI|CK|CL|CM|CN|CO|COM|COOP|CR|CU|CV|CX|CY|CZ|DE|DJ|DK|DM|DO|DZ|EC|EDU|EE|EG|ER|ES|ET|EU|FI|FJ|FK|FM|FO|FR|GA|GB|GD|GE|GF|GG|GH|GI|GL|GM|GN|GOV|GP|GQ|GR|GS|GT|GU|GW|GY|HK|HM|HN|HR|HT|HU|ID|IE|IL|IM|IN|INFO|INT|IO|IQ|IR|IS|IT|JE|JM|JO|JOBS|JP|KE|KG|KH|KI|KM|KN|KP|KR|KW|KY|KZ|LA|LB|LC|LI|LK|LR|LS|LT|LU|LV|LY|MA|MC|MD|ME|MG|MH|MIL|MK|ML|MM|MN|MO|MOBI|MP|MQ|MR|MS|MT|MU|MUSEUM|MV|MW|MX|MY|MZ|NA|NAME|NC|NE|NET|NF|NG|NI|NL|NO|NP|NR|NU|NZ|OM|ORG|PA|PE|PF|PG|PH|PK|PL|PM|PN|PR|PRO|PS|PT|PW|PY|QA|RE|RO|RS|RU|RW|SA|SB|SC|SD|SE|SG|SH|SI|SJ|SK|SL|SM|SN|SO|SR|ST|SU|SV|SY|SZ|TC|TD|TEL|TF|TG|TH|TJ|TK|TL|TM|TN|TO|TP|TR|TRAVEL|TT|TV|TW|TZ|UA|UG|UK|US|UY|UZ|VA|VC|VE|VG|VI|VN|VU|WF|WS|XN--0ZWM56D|测试|XN--11B5BS3A9AJ6G|परीक्षा|XN--80AKHBYKNJ4F|испытание|XN--9T4B11YI5A|테스트|XN--DEBA0AD|טעסט|XN--G6W251D|測試|XN--HGBK6AJ7F53BBA|آزمایشی|XN--HLCJ6AYA9ESC7A|பரிட்சை|XN--JXALPDLP|δοκιμή|XN--KGBECHTV|إختبار|XN--ZCKZAH|テスト|YE|YT|YU|ZA|ZM|ZW|local|loc|onion)'.
451             ')(?![\pN\pL\-\_])'.
452         ')'.
453         '(?:'.
454             '(?:\:\d+)?'. //:port
455             '(?:/[\pN\pL$\[\]\,\!\(\)\.\:\-\_\+\/\=\&\;\%\~\*\$\+\'\"@]*)?'. // /path
456             '(?:\?[\pN\pL\$\[\]\,\!\(\)\.\:\-\_\+\/\=\&\;\%\~\*\$\+\'\"@\/]*)?'. // ?query string
457             '(?:\#[\pN\pL$\[\]\,\!\(\)\.\:\-\_\+\/\=\&\;\%\~\*\$\+\'\"\@/\?\#]*)?'. // #fragment
458         ')(?<![\?\.\,\#\,])'.
459     ')'.
460     '#ixu';
461     //preg_match_all($regex,$text,$matches);
462     //print_r($matches);
463     return preg_replace_callback($regex, curry('callback_helper',$callback,$notice_id) ,$text);
464 }
465
466 function callback_helper($matches, $callback, $notice_id) {
467     $url=$matches[1];
468     $left = strpos($matches[0],$url);
469     $right = $left+strlen($url);
470
471     $groupSymbolSets=array(
472         array(
473             'left'=>'(',
474             'right'=>')'
475         ),
476         array(
477             'left'=>'[',
478             'right'=>']'
479         ),
480         array(
481             'left'=>'{',
482             'right'=>'}'
483         )
484     );
485     $cannotEndWith=array('.','?',',','#');
486     $original_url=$url;
487     do{
488         $original_url=$url;
489         foreach($groupSymbolSets as $groupSymbolSet){
490             if(substr($url,-1)==$groupSymbolSet['right']){
491                 $group_left_count = substr_count($url,$groupSymbolSet['left']);
492                 $group_right_count = substr_count($url,$groupSymbolSet['right']);
493                 if($group_left_count<$group_right_count){
494                     $right-=1;
495                     $url=substr($url,0,-1);
496                 }
497             }
498         }
499         if(in_array(substr($url,-1),$cannotEndWith)){
500             $right-=1;
501             $url=substr($url,0,-1);
502         }
503     }while($original_url!=$url);
504
505     if(empty($notice_id)){
506         $result = call_user_func_array($callback,$url);
507     }else{
508         $result = call_user_func_array($callback, array(array($url,$notice_id)) );
509     }
510     return substr($matches[0],0,$left) . $result . substr($matches[0],$right);
511 }
512
513 function curry($fn) {
514     //TODO switch to a PHP 5.3 function closure based approach if PHP 5.3 is used
515     $args = func_get_args();
516     array_shift($args);
517     $id = uniqid('_partial');
518     $GLOBALS[$id] = array($fn, $args);
519     return create_function('',
520                            '$args = func_get_args(); '.
521                            'return call_user_func_array('.
522                            '$GLOBALS["'.$id.'"][0],'.
523                            'array_merge('.
524                            '$args,'.
525                            '$GLOBALS["'.$id.'"][1]));');
526 }
527
528 function common_linkify($url) {
529     // It comes in special'd, so we unspecial it before passing to the stringifying
530     // functions
531     $url = htmlspecialchars_decode($url);
532
533    if(strpos($url, '@') !== false && strpos($url, ':') === false) {
534        //url is an email address without the mailto: protocol
535        return XMLStringer::estring('a', array('href' => "mailto:$url", 'rel' => 'external'), $url);
536    }
537
538     $canon = File_redirection::_canonUrl($url);
539
540     $longurl_data = File_redirection::where($url);
541     if (is_array($longurl_data)) {
542         $longurl = $longurl_data['url'];
543     } elseif (is_string($longurl_data)) {
544         $longurl = $longurl_data;
545     } else {
546         throw new ServerException("Can't linkify url '$url'");
547     }
548
549     $attrs = array('href' => $canon, 'rel' => 'external');
550
551     $is_attachment = false;
552     $attachment_id = null;
553     $has_thumb = false;
554
555     // Check to see whether this is a known "attachment" URL.
556
557     $f = File::staticGet('url', $longurl);
558
559     if (empty($f)) {
560         // XXX: this writes to the database. :<
561         $f = File::processNew($longurl);
562     }
563
564     if (!empty($f)) {
565         if ($f->isEnclosure()) {
566             $is_attachment = true;
567             $attachment_id = $f->id;
568         } else {
569             $foe = File_oembed::staticGet('file_id', $f->id);
570             if (!empty($foe)) {
571                 // if it has OEmbed info, it's an attachment, too
572                 $is_attachment = true;
573                 $attachment_id = $f->id;
574
575                 $thumb = File_thumbnail::staticGet('file_id', $f->id);
576                 if (!empty($thumb)) {
577                     $has_thumb = true;
578                 }
579             }
580         }
581     }
582
583     // Add clippy
584     if ($is_attachment) {
585         $attrs['class'] = 'attachment';
586         if ($has_thumb) {
587             $attrs['class'] = 'attachment thumbnail';
588         }
589         $attrs['id'] = "attachment-{$attachment_id}";
590     }
591
592     return XMLStringer::estring('a', $attrs, $url);
593 }
594
595 function common_shorten_links($text)
596 {
597     if (mb_strlen($text) <= 140) return $text;
598     return common_replace_urls_callback($text, array('File_redirection', 'makeShort'));
599 }
600
601 function common_xml_safe_str($str)
602 {
603     // Neutralize control codes and surrogates
604         return preg_replace('/[\p{Cc}\p{Cs}]/u', '*', $str);
605 }
606
607 function common_tag_link($tag)
608 {
609     $canonical = common_canonical_tag($tag);
610     $url = common_local_url('tag', array('tag' => $canonical));
611     $xs = new XMLStringer();
612     $xs->elementStart('span', 'tag');
613     $xs->element('a', array('href' => $url,
614                             'rel' => 'tag'),
615                  $tag);
616     $xs->elementEnd('span');
617     return $xs->getString();
618 }
619
620 function common_canonical_tag($tag)
621 {
622   $tag = mb_convert_case($tag, MB_CASE_LOWER, "UTF-8");
623   return str_replace(array('-', '_', '.'), '', $tag);
624 }
625
626 function common_valid_profile_tag($str)
627 {
628     return preg_match('/^[A-Za-z0-9_\-\.]{1,64}$/', $str);
629 }
630
631 function common_at_link($sender_id, $nickname)
632 {
633     $sender = Profile::staticGet($sender_id);
634     $recipient = common_relative_profile($sender, common_canonical_nickname($nickname));
635     if ($recipient) {
636         $user = User::staticGet('id', $recipient->id);
637         if ($user) {
638             $url = common_local_url('userbyid', array('id' => $user->id));
639         } else {
640             $url = $recipient->profileurl;
641         }
642         $xs = new XMLStringer(false);
643         $attrs = array('href' => $url,
644                        'class' => 'url');
645         if (!empty($recipient->fullname)) {
646             $attrs['title'] = $recipient->fullname . ' (' . $recipient->nickname . ')';
647         }
648         $xs->elementStart('span', 'vcard');
649         $xs->elementStart('a', $attrs);
650         $xs->element('span', 'fn nickname', $nickname);
651         $xs->elementEnd('a');
652         $xs->elementEnd('span');
653         return $xs->getString();
654     } else {
655         return $nickname;
656     }
657 }
658
659 function common_group_link($sender_id, $nickname)
660 {
661     $sender = Profile::staticGet($sender_id);
662     $group = User_group::getForNickname($nickname);
663     if ($group && $sender->isMember($group)) {
664         $attrs = array('href' => $group->permalink(),
665                        'class' => 'url');
666         if (!empty($group->fullname)) {
667             $attrs['title'] = $group->fullname . ' (' . $group->nickname . ')';
668         }
669         $xs = new XMLStringer();
670         $xs->elementStart('span', 'vcard');
671         $xs->elementStart('a', $attrs);
672         $xs->element('span', 'fn nickname', $nickname);
673         $xs->elementEnd('a');
674         $xs->elementEnd('span');
675         return $xs->getString();
676     } else {
677         return $nickname;
678     }
679 }
680
681 function common_at_hash_link($sender_id, $tag)
682 {
683     $user = User::staticGet($sender_id);
684     if (!$user) {
685         return $tag;
686     }
687     $tagged = Profile_tag::getTagged($user->id, common_canonical_tag($tag));
688     if ($tagged) {
689         $url = common_local_url('subscriptions',
690                                 array('nickname' => $user->nickname,
691                                       'tag' => $tag));
692         $xs = new XMLStringer();
693         $xs->elementStart('span', 'tag');
694         $xs->element('a', array('href' => $url,
695                                 'rel' => $tag),
696                      $tag);
697         $xs->elementEnd('span');
698         return $xs->getString();
699     } else {
700         return $tag;
701     }
702 }
703
704 function common_relative_profile($sender, $nickname, $dt=null)
705 {
706     // Try to find profiles this profile is subscribed to that have this nickname
707     $recipient = new Profile();
708     // XXX: use a join instead of a subquery
709     $recipient->whereAdd('EXISTS (SELECT subscribed from subscription where subscriber = '.$sender->id.' and subscribed = id)', 'AND');
710     $recipient->whereAdd("nickname = '" . trim($nickname) . "'", 'AND');
711     if ($recipient->find(true)) {
712         // XXX: should probably differentiate between profiles with
713         // the same name by date of most recent update
714         return $recipient;
715     }
716     // Try to find profiles that listen to this profile and that have this nickname
717     $recipient = new Profile();
718     // XXX: use a join instead of a subquery
719     $recipient->whereAdd('EXISTS (SELECT subscriber from subscription where subscribed = '.$sender->id.' and subscriber = id)', 'AND');
720     $recipient->whereAdd("nickname = '" . trim($nickname) . "'", 'AND');
721     if ($recipient->find(true)) {
722         // XXX: should probably differentiate between profiles with
723         // the same name by date of most recent update
724         return $recipient;
725     }
726     // If this is a local user, try to find a local user with that nickname.
727     $sender = User::staticGet($sender->id);
728     if ($sender) {
729         $recipient_user = User::staticGet('nickname', $nickname);
730         if ($recipient_user) {
731             return $recipient_user->getProfile();
732         }
733     }
734     // Otherwise, no links. @messages from local users to remote users,
735     // or from remote users to other remote users, are just
736     // outside our ability to make intelligent guesses about
737     return null;
738 }
739
740 function common_local_url($action, $args=null, $params=null, $fragment=null)
741 {
742     static $sensitive = array('login', 'register', 'passwordsettings',
743                               'twittersettings', 'finishopenidlogin',
744                               'finishaddopenid', 'api');
745
746     $r = Router::get();
747     $path = $r->build($action, $args, $params, $fragment);
748
749     $ssl = in_array($action, $sensitive);
750
751     if (common_config('site','fancy')) {
752         $url = common_path(mb_substr($path, 1), $ssl);
753     } else {
754         if (mb_strpos($path, '/index.php') === 0) {
755             $url = common_path(mb_substr($path, 1), $ssl);
756         } else {
757             $url = common_path('index.php'.$path, $ssl);
758         }
759     }
760     return $url;
761 }
762
763 function common_path($relative, $ssl=false)
764 {
765     $pathpart = (common_config('site', 'path')) ? common_config('site', 'path')."/" : '';
766
767     if (($ssl && (common_config('site', 'ssl') === 'sometimes'))
768         || common_config('site', 'ssl') === 'always') {
769         $proto = 'https';
770         if (is_string(common_config('site', 'sslserver')) &&
771             mb_strlen(common_config('site', 'sslserver')) > 0) {
772             $serverpart = common_config('site', 'sslserver');
773         } else {
774             $serverpart = common_config('site', 'server');
775         }
776     } else {
777         $proto = 'http';
778         $serverpart = common_config('site', 'server');
779     }
780
781     return $proto.'://'.$serverpart.'/'.$pathpart.$relative;
782 }
783
784 function common_date_string($dt)
785 {
786     // XXX: do some sexy date formatting
787     // return date(DATE_RFC822, $dt);
788     $t = strtotime($dt);
789     $now = time();
790     $diff = $now - $t;
791
792     if ($now < $t) { // that shouldn't happen!
793         return common_exact_date($dt);
794     } else if ($diff < 60) {
795         return _('a few seconds ago');
796     } else if ($diff < 92) {
797         return _('about a minute ago');
798     } else if ($diff < 3300) {
799         return sprintf(_('about %d minutes ago'), round($diff/60));
800     } else if ($diff < 5400) {
801         return _('about an hour ago');
802     } else if ($diff < 22 * 3600) {
803         return sprintf(_('about %d hours ago'), round($diff/3600));
804     } else if ($diff < 37 * 3600) {
805         return _('about a day ago');
806     } else if ($diff < 24 * 24 * 3600) {
807         return sprintf(_('about %d days ago'), round($diff/(24*3600)));
808     } else if ($diff < 46 * 24 * 3600) {
809         return _('about a month ago');
810     } else if ($diff < 330 * 24 * 3600) {
811         return sprintf(_('about %d months ago'), round($diff/(30*24*3600)));
812     } else if ($diff < 480 * 24 * 3600) {
813         return _('about a year ago');
814     } else {
815         return common_exact_date($dt);
816     }
817 }
818
819 function common_exact_date($dt)
820 {
821     static $_utc;
822     static $_siteTz;
823
824     if (!$_utc) {
825         $_utc = new DateTimeZone('UTC');
826         $_siteTz = new DateTimeZone(common_timezone());
827     }
828
829     $dateStr = date('d F Y H:i:s', strtotime($dt));
830     $d = new DateTime($dateStr, $_utc);
831     $d->setTimezone($_siteTz);
832     return $d->format(DATE_RFC850);
833 }
834
835 function common_date_w3dtf($dt)
836 {
837     $dateStr = date('d F Y H:i:s', strtotime($dt));
838     $d = new DateTime($dateStr, new DateTimeZone('UTC'));
839     $d->setTimezone(new DateTimeZone(common_timezone()));
840     return $d->format(DATE_W3C);
841 }
842
843 function common_date_rfc2822($dt)
844 {
845     $dateStr = date('d F Y H:i:s', strtotime($dt));
846     $d = new DateTime($dateStr, new DateTimeZone('UTC'));
847     $d->setTimezone(new DateTimeZone(common_timezone()));
848     return $d->format('r');
849 }
850
851 function common_date_iso8601($dt)
852 {
853     $dateStr = date('d F Y H:i:s', strtotime($dt));
854     $d = new DateTime($dateStr, new DateTimeZone('UTC'));
855     $d->setTimezone(new DateTimeZone(common_timezone()));
856     return $d->format('c');
857 }
858
859 function common_sql_now()
860 {
861     return common_sql_date(time());
862 }
863
864 function common_sql_date($datetime)
865 {
866     return strftime('%Y-%m-%d %H:%M:%S', $datetime);
867 }
868
869 function common_redirect($url, $code=307)
870 {
871     static $status = array(301 => "Moved Permanently",
872                            302 => "Found",
873                            303 => "See Other",
874                            307 => "Temporary Redirect");
875
876     header('HTTP/1.1 '.$code.' '.$status[$code]);
877     header("Location: $url");
878
879     $xo = new XMLOutputter();
880     $xo->startXML('a',
881                   '-//W3C//DTD XHTML 1.0 Strict//EN',
882                   'http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd');
883     $xo->element('a', array('href' => $url), $url);
884     $xo->endXML();
885     exit;
886 }
887
888 function common_broadcast_notice($notice, $remote=false)
889 {
890     return common_enqueue_notice($notice);
891 }
892
893 // Stick the notice on the queue
894
895 function common_enqueue_notice($notice)
896 {
897     static $localTransports = array('omb',
898                                     'twitter',
899                                     'facebook',
900                                     'ping');
901     static $allTransports = array('sms');
902
903     $transports = $allTransports;
904
905     $xmpp = common_config('xmpp', 'enabled');
906
907     if ($xmpp) {
908         $transports[] = 'jabber';
909     }
910
911     if ($notice->is_local == Notice::LOCAL_PUBLIC ||
912         $notice->is_local == Notice::LOCAL_NONPUBLIC) {
913         $transports = array_merge($transports, $localTransports);
914         if ($xmpp) {
915             $transports[] = 'public';
916         }
917     }
918
919     $qm = QueueManager::get();
920
921     foreach ($transports as $transport)
922     {
923         $qm->enqueue($notice, $transport);
924     }
925
926     return true;
927 }
928
929 function common_broadcast_profile($profile)
930 {
931     // XXX: optionally use a queue system like http://code.google.com/p/microapps/wiki/NQDQ
932     require_once(INSTALLDIR.'/lib/omb.php');
933     omb_broadcast_profile($profile);
934     // XXX: Other broadcasts...?
935     return true;
936 }
937
938 function common_profile_url($nickname)
939 {
940     return common_local_url('showstream', array('nickname' => $nickname));
941 }
942
943 // Should make up a reasonable root URL
944
945 function common_root_url($ssl=false)
946 {
947     return common_path('', $ssl);
948 }
949
950 // returns $bytes bytes of random data as a hexadecimal string
951 // "good" here is a goal and not a guarantee
952
953 function common_good_rand($bytes)
954 {
955     // XXX: use random.org...?
956     if (@file_exists('/dev/urandom')) {
957         return common_urandom($bytes);
958     } else { // FIXME: this is probably not good enough
959         return common_mtrand($bytes);
960     }
961 }
962
963 function common_urandom($bytes)
964 {
965     $h = fopen('/dev/urandom', 'rb');
966     // should not block
967     $src = fread($h, $bytes);
968     fclose($h);
969     $enc = '';
970     for ($i = 0; $i < $bytes; $i++) {
971         $enc .= sprintf("%02x", (ord($src[$i])));
972     }
973     return $enc;
974 }
975
976 function common_mtrand($bytes)
977 {
978     $enc = '';
979     for ($i = 0; $i < $bytes; $i++) {
980         $enc .= sprintf("%02x", mt_rand(0, 255));
981     }
982     return $enc;
983 }
984
985 function common_set_returnto($url)
986 {
987     common_ensure_session();
988     $_SESSION['returnto'] = $url;
989 }
990
991 function common_get_returnto()
992 {
993     common_ensure_session();
994     return (array_key_exists('returnto', $_SESSION)) ? $_SESSION['returnto'] : null;
995 }
996
997 function common_timestamp()
998 {
999     return date('YmdHis');
1000 }
1001
1002 function common_ensure_syslog()
1003 {
1004     static $initialized = false;
1005     if (!$initialized) {
1006         openlog(common_config('syslog', 'appname'), 0,
1007             common_config('syslog', 'facility'));
1008         $initialized = true;
1009     }
1010 }
1011
1012 function common_log_line($priority, $msg)
1013 {
1014     static $syslog_priorities = array('LOG_EMERG', 'LOG_ALERT', 'LOG_CRIT', 'LOG_ERR',
1015                                       'LOG_WARNING', 'LOG_NOTICE', 'LOG_INFO', 'LOG_DEBUG');
1016     return date('Y-m-d H:i:s') . ' ' . $syslog_priorities[$priority] . ': ' . $msg . "\n";
1017 }
1018
1019 function common_log($priority, $msg, $filename=null)
1020 {
1021     $logfile = common_config('site', 'logfile');
1022     if ($logfile) {
1023         $log = fopen($logfile, "a");
1024         if ($log) {
1025             $output = common_log_line($priority, $msg);
1026             fwrite($log, $output);
1027             fclose($log);
1028         }
1029     } else {
1030         common_ensure_syslog();
1031         syslog($priority, $msg);
1032     }
1033 }
1034
1035 function common_debug($msg, $filename=null)
1036 {
1037     if ($filename) {
1038         common_log(LOG_DEBUG, basename($filename).' - '.$msg);
1039     } else {
1040         common_log(LOG_DEBUG, $msg);
1041     }
1042 }
1043
1044 function common_log_db_error(&$object, $verb, $filename=null)
1045 {
1046     $objstr = common_log_objstring($object);
1047     $last_error = &PEAR::getStaticProperty('DB_DataObject','lastError');
1048     common_log(LOG_ERR, $last_error->message . '(' . $verb . ' on ' . $objstr . ')', $filename);
1049 }
1050
1051 function common_log_objstring(&$object)
1052 {
1053     if (is_null($object)) {
1054         return "null";
1055     }
1056     if (!($object instanceof DB_DataObject)) {
1057         return "(unknown)";
1058     }
1059     $arr = $object->toArray();
1060     $fields = array();
1061     foreach ($arr as $k => $v) {
1062         $fields[] = "$k='$v'";
1063     }
1064     $objstring = $object->tableName() . '[' . implode(',', $fields) . ']';
1065     return $objstring;
1066 }
1067
1068 function common_valid_http_url($url)
1069 {
1070     return Validate::uri($url, array('allowed_schemes' => array('http', 'https')));
1071 }
1072
1073 function common_valid_tag($tag)
1074 {
1075     if (preg_match('/^tag:(.*?),(\d{4}(-\d{2}(-\d{2})?)?):(.*)$/', $tag, $matches)) {
1076         return (Validate::email($matches[1]) ||
1077                 preg_match('/^([\w-\.]+)$/', $matches[1]));
1078     }
1079     return false;
1080 }
1081
1082 /* Following functions are copied from MediaWiki GlobalFunctions.php
1083  * and written by Evan Prodromou. */
1084
1085 function common_accept_to_prefs($accept, $def = '*/*')
1086 {
1087     // No arg means accept anything (per HTTP spec)
1088     if(!$accept) {
1089         return array($def => 1);
1090     }
1091
1092     $prefs = array();
1093
1094     $parts = explode(',', $accept);
1095
1096     foreach($parts as $part) {
1097         // FIXME: doesn't deal with params like 'text/html; level=1'
1098         @list($value, $qpart) = explode(';', trim($part));
1099         $match = array();
1100         if(!isset($qpart)) {
1101             $prefs[$value] = 1;
1102         } elseif(preg_match('/q\s*=\s*(\d*\.\d+)/', $qpart, $match)) {
1103             $prefs[$value] = $match[1];
1104         }
1105     }
1106
1107     return $prefs;
1108 }
1109
1110 function common_mime_type_match($type, $avail)
1111 {
1112     if(array_key_exists($type, $avail)) {
1113         return $type;
1114     } else {
1115         $parts = explode('/', $type);
1116         if(array_key_exists($parts[0] . '/*', $avail)) {
1117             return $parts[0] . '/*';
1118         } elseif(array_key_exists('*/*', $avail)) {
1119             return '*/*';
1120         } else {
1121             return null;
1122         }
1123     }
1124 }
1125
1126 function common_negotiate_type($cprefs, $sprefs)
1127 {
1128     $combine = array();
1129
1130     foreach(array_keys($sprefs) as $type) {
1131         $parts = explode('/', $type);
1132         if($parts[1] != '*') {
1133             $ckey = common_mime_type_match($type, $cprefs);
1134             if($ckey) {
1135                 $combine[$type] = $sprefs[$type] * $cprefs[$ckey];
1136             }
1137         }
1138     }
1139
1140     foreach(array_keys($cprefs) as $type) {
1141         $parts = explode('/', $type);
1142         if($parts[1] != '*' && !array_key_exists($type, $sprefs)) {
1143             $skey = common_mime_type_match($type, $sprefs);
1144             if($skey) {
1145                 $combine[$type] = $sprefs[$skey] * $cprefs[$type];
1146             }
1147         }
1148     }
1149
1150     $bestq = 0;
1151     $besttype = 'text/html';
1152
1153     foreach(array_keys($combine) as $type) {
1154         if($combine[$type] > $bestq) {
1155             $besttype = $type;
1156             $bestq = $combine[$type];
1157         }
1158     }
1159
1160     if ('text/html' === $besttype) {
1161         return "text/html";
1162     }
1163     return $besttype;
1164 }
1165
1166 function common_config($main, $sub)
1167 {
1168     global $config;
1169     return isset($config[$main][$sub]) ? $config[$main][$sub] : false;
1170 }
1171
1172 function common_copy_args($from)
1173 {
1174     $to = array();
1175     $strip = get_magic_quotes_gpc();
1176     foreach ($from as $k => $v) {
1177         $to[$k] = ($strip) ? stripslashes($v) : $v;
1178     }
1179     return $to;
1180 }
1181
1182 // Neutralise the evil effects of magic_quotes_gpc in the current request.
1183 // This is used before handing a request off to OAuthRequest::from_request.
1184 function common_remove_magic_from_request()
1185 {
1186     if(get_magic_quotes_gpc()) {
1187         $_POST=array_map('stripslashes',$_POST);
1188         $_GET=array_map('stripslashes',$_GET);
1189     }
1190 }
1191
1192 function common_user_uri(&$user)
1193 {
1194     return common_local_url('userbyid', array('id' => $user->id));
1195 }
1196
1197 function common_notice_uri(&$notice)
1198 {
1199     return common_local_url('shownotice',
1200                             array('notice' => $notice->id));
1201 }
1202
1203 // 36 alphanums - lookalikes (0, O, 1, I) = 32 chars = 5 bits
1204
1205 function common_confirmation_code($bits)
1206 {
1207     // 36 alphanums - lookalikes (0, O, 1, I) = 32 chars = 5 bits
1208     static $codechars = '23456789ABCDEFGHJKLMNPQRSTUVWXYZ';
1209     $chars = ceil($bits/5);
1210     $code = '';
1211     for ($i = 0; $i < $chars; $i++) {
1212         // XXX: convert to string and back
1213         $num = hexdec(common_good_rand(1));
1214         // XXX: randomness is too precious to throw away almost
1215         // 40% of the bits we get!
1216         $code .= $codechars[$num%32];
1217     }
1218     return $code;
1219 }
1220
1221 // convert markup to HTML
1222
1223 function common_markup_to_html($c)
1224 {
1225     $c = preg_replace('/%%action.(\w+)%%/e', "common_local_url('\\1')", $c);
1226     $c = preg_replace('/%%doc.(\w+)%%/e', "common_local_url('doc', array('title'=>'\\1'))", $c);
1227     $c = preg_replace('/%%(\w+).(\w+)%%/e', 'common_config(\'\\1\', \'\\2\')', $c);
1228     return Markdown($c);
1229 }
1230
1231 function common_profile_uri($profile)
1232 {
1233     if (!$profile) {
1234         return null;
1235     }
1236     $user = User::staticGet($profile->id);
1237     if ($user) {
1238         return $user->uri;
1239     }
1240
1241     $remote = Remote_profile::staticGet($profile->id);
1242     if ($remote) {
1243         return $remote->uri;
1244     }
1245     // XXX: this is a very bad profile!
1246     return null;
1247 }
1248
1249 function common_canonical_sms($sms)
1250 {
1251     // strip non-digits
1252     preg_replace('/\D/', '', $sms);
1253     return $sms;
1254 }
1255
1256 function common_error_handler($errno, $errstr, $errfile, $errline, $errcontext)
1257 {
1258     switch ($errno) {
1259
1260      case E_ERROR:
1261      case E_COMPILE_ERROR:
1262      case E_CORE_ERROR:
1263      case E_USER_ERROR:
1264      case E_PARSE:
1265      case E_RECOVERABLE_ERROR:
1266         common_log(LOG_ERR, "[$errno] $errstr ($errfile:$errline) [ABORT]");
1267         die();
1268         break;
1269
1270      case E_WARNING:
1271      case E_COMPILE_WARNING:
1272      case E_CORE_WARNING:
1273      case E_USER_WARNING:
1274         common_log(LOG_WARNING, "[$errno] $errstr ($errfile:$errline)");
1275         break;
1276
1277      case E_NOTICE:
1278      case E_USER_NOTICE:
1279         common_log(LOG_NOTICE, "[$errno] $errstr ($errfile:$errline)");
1280         break;
1281
1282      case E_STRICT:
1283      case E_DEPRECATED:
1284      case E_USER_DEPRECATED:
1285         // XXX: config variable to log this stuff, too
1286         break;
1287
1288      default:
1289         common_log(LOG_ERR, "[$errno] $errstr ($errfile:$errline) [UNKNOWN LEVEL, die()'ing]");
1290         die();
1291         break;
1292     }
1293
1294     // FIXME: show error page if we're on the Web
1295     /* Don't execute PHP internal error handler */
1296     return true;
1297 }
1298
1299 function common_session_token()
1300 {
1301     common_ensure_session();
1302     if (!array_key_exists('token', $_SESSION)) {
1303         $_SESSION['token'] = common_good_rand(64);
1304     }
1305     return $_SESSION['token'];
1306 }
1307
1308 function common_cache_key($extra)
1309 {
1310     $base_key = common_config('memcached', 'base');
1311
1312     if (empty($base_key)) {
1313         $base_key = common_keyize(common_config('site', 'name'));
1314     }
1315
1316     return 'statusnet:' . $base_key . ':' . $extra;
1317 }
1318
1319 function common_keyize($str)
1320 {
1321     $str = strtolower($str);
1322     $str = preg_replace('/\s/', '_', $str);
1323     return $str;
1324 }
1325
1326 function common_memcache()
1327 {
1328     static $cache = null;
1329     if (!common_config('memcached', 'enabled')) {
1330         return null;
1331     } else {
1332         if (!$cache) {
1333             $cache = new Memcache();
1334             $servers = common_config('memcached', 'server');
1335             if (is_array($servers)) {
1336                 foreach($servers as $server) {
1337                     $cache->addServer($server);
1338                 }
1339             } else {
1340                 $cache->addServer($servers);
1341             }
1342         }
1343         return $cache;
1344     }
1345 }
1346
1347 function common_compatible_license($from, $to)
1348 {
1349     // XXX: better compatibility check needed here!
1350     return ($from == $to);
1351 }
1352
1353 /**
1354  * returns a quoted table name, if required according to config
1355  */
1356 function common_database_tablename($tablename)
1357 {
1358
1359   if(common_config('db','quote_identifiers')) {
1360       $tablename = '"'. $tablename .'"';
1361   }
1362   //table prefixes could be added here later
1363   return $tablename;
1364 }
1365
1366 function common_shorten_url($long_url)
1367 {
1368     $user = common_current_user();
1369     if (empty($user)) {
1370         // common current user does not find a user when called from the XMPP daemon
1371         // therefore we'll set one here fix, so that XMPP given URLs may be shortened
1372         $svc = 'ur1.ca';
1373     } else {
1374         $svc = $user->urlshorteningservice;
1375     }
1376
1377     $curlh = curl_init();
1378     curl_setopt($curlh, CURLOPT_CONNECTTIMEOUT, 20); // # seconds to wait
1379     curl_setopt($curlh, CURLOPT_USERAGENT, 'StatusNet');
1380     curl_setopt($curlh, CURLOPT_RETURNTRANSFER, true);
1381
1382     switch($svc) {
1383      case 'ur1.ca':
1384         require_once INSTALLDIR.'/lib/Shorturl_api.php';
1385         $short_url_service = new LilUrl;
1386         $short_url = $short_url_service->shorten($long_url);
1387         break;
1388
1389      case '2tu.us':
1390         $short_url_service = new TightUrl;
1391         require_once INSTALLDIR.'/lib/Shorturl_api.php';
1392         $short_url = $short_url_service->shorten($long_url);
1393         break;
1394
1395      case 'ptiturl.com':
1396         require_once INSTALLDIR.'/lib/Shorturl_api.php';
1397         $short_url_service = new PtitUrl;
1398         $short_url = $short_url_service->shorten($long_url);
1399         break;
1400
1401      case 'bit.ly':
1402         curl_setopt($curlh, CURLOPT_URL, 'http://bit.ly/api?method=shorten&long_url='.urlencode($long_url));
1403         $short_url = current(json_decode(curl_exec($curlh))->results)->hashUrl;
1404         break;
1405
1406      case 'is.gd':
1407         curl_setopt($curlh, CURLOPT_URL, 'http://is.gd/api.php?longurl='.urlencode($long_url));
1408         $short_url = curl_exec($curlh);
1409         break;
1410      case 'snipr.com':
1411         curl_setopt($curlh, CURLOPT_URL, 'http://snipr.com/site/snip?r=simple&link='.urlencode($long_url));
1412         $short_url = curl_exec($curlh);
1413         break;
1414      case 'metamark.net':
1415         curl_setopt($curlh, CURLOPT_URL, 'http://metamark.net/api/rest/simple?long_url='.urlencode($long_url));
1416         $short_url = curl_exec($curlh);
1417         break;
1418      case 'tinyurl.com':
1419         curl_setopt($curlh, CURLOPT_URL, 'http://tinyurl.com/api-create.php?url='.urlencode($long_url));
1420         $short_url = curl_exec($curlh);
1421         break;
1422      default:
1423         $short_url = false;
1424     }
1425
1426     curl_close($curlh);
1427
1428     return $short_url;
1429 }
1430
1431 function common_client_ip()
1432 {
1433     if (!isset($_SERVER) || !array_key_exists('REQUEST_METHOD', $_SERVER)) {
1434         return null;
1435     }
1436
1437     if (array_key_exists('HTTP_X_FORWARDED_FOR', $_SERVER)) {
1438         if (array_key_exists('HTTP_CLIENT_IP', $_SERVER)) {
1439             $proxy = $_SERVER['HTTP_CLIENT_IP'];
1440         } else {
1441             $proxy = $_SERVER['REMOTE_ADDR'];
1442         }
1443         $ip = $_SERVER['HTTP_X_FORWARDED_FOR'];
1444     } else {
1445         $proxy = null;
1446         if (array_key_exists('HTTP_CLIENT_IP', $_SERVER)) {
1447             $ip = $_SERVER['HTTP_CLIENT_IP'];
1448         } else {
1449             $ip = $_SERVER['REMOTE_ADDR'];
1450         }
1451     }
1452
1453     return array($proxy, $ip);
1454 }