]> git.mxchange.org Git - friendica.git/blob - include/api.php
c7e7360a729ad9bb4c51071279ba5e36b7109f27
[friendica.git] / include / api.php
1 <?php
2 /* To-Do:
3  - Automatically detect if incoming data is HTML or BBCode
4 */
5         require_once("include/bbcode.php");
6         require_once("include/datetime.php");
7         require_once("include/conversation.php");
8         require_once("include/oauth.php");
9         require_once("include/html2plain.php");
10         /*
11          * Twitter-Like API
12          *
13          */
14
15         $API = Array();
16         $called_api = Null;
17
18         function api_user() {
19                 // It is not sufficient to use local_user() to check whether someone is allowed to use the API,
20                 // because this will open CSRF holes (just embed an image with src=friendicasite.com/api/statuses/update?status=CSRF
21                 // into a page, and visitors will post something without noticing it).
22                 // Instead, use this function.
23                 if ($_SESSION["allow_api"])
24                         return local_user();
25
26                 return false;
27         }
28
29         function api_date($str){
30                 //Wed May 23 06:01:13 +0000 2007
31                 return datetime_convert('UTC', 'UTC', $str, "D M d H:i:s +0000 Y" );
32         }
33
34
35         function api_register_func($path, $func, $auth=false){
36                 global $API;
37                 $API[$path] = array('func'=>$func, 'auth'=>$auth);
38
39                 // Workaround for hotot
40                 $path = str_replace("api/", "api/1.1/", $path);
41                 $API[$path] = array('func'=>$func, 'auth'=>$auth);
42         }
43
44         /**
45          * Simple HTTP Login
46          */
47
48         function api_login(&$a){
49                 // login with oauth
50                 try{
51                         $oauth = new FKOAuth1();
52                         list($consumer,$token) = $oauth->verify_request(OAuthRequest::from_request());
53                         if (!is_null($token)){
54                                 $oauth->loginUser($token->uid);
55                                 call_hooks('logged_in', $a->user);
56                                 return;
57                         }
58                         echo __file__.__line__.__function__."<pre>"; var_dump($consumer, $token); die();
59                 }catch(Exception $e){
60                         logger(__file__.__line__.__function__."\n".$e);
61                         //die(__file__.__line__.__function__."<pre>".$e); die();
62                 }
63
64
65
66                 // workaround for HTTP-auth in CGI mode
67                 if(x($_SERVER,'REDIRECT_REMOTE_USER')) {
68                         $userpass = base64_decode(substr($_SERVER["REDIRECT_REMOTE_USER"],6)) ;
69                         if(strlen($userpass)) {
70                                 list($name, $password) = explode(':', $userpass);
71                                 $_SERVER['PHP_AUTH_USER'] = $name;
72                                 $_SERVER['PHP_AUTH_PW'] = $password;
73                         }
74                 }
75
76                 if (!isset($_SERVER['PHP_AUTH_USER'])) {
77                         logger('API_login: ' . print_r($_SERVER,true), LOGGER_DEBUG);
78                         header('WWW-Authenticate: Basic realm="Friendica"');
79                         header('HTTP/1.0 401 Unauthorized');
80                         die((api_error($a, 'json', "This api requires login")));
81
82                         //die('This api requires login');
83                 }
84
85                 $user = $_SERVER['PHP_AUTH_USER'];
86                 $encrypted = hash('whirlpool',trim($_SERVER['PHP_AUTH_PW']));
87
88
89                 /**
90                  *  next code from mod/auth.php. needs better solution
91                  */
92
93                 // process normal login request
94
95                 $r = q("SELECT * FROM `user` WHERE ( `email` = '%s' OR `nickname` = '%s' )
96                         AND `password` = '%s' AND `blocked` = 0 AND `account_expired` = 0 AND `account_removed` = 0 AND `verified` = 1 LIMIT 1",
97                         dbesc(trim($user)),
98                         dbesc(trim($user)),
99                         dbesc($encrypted)
100                 );
101                 if(count($r)){
102                         $record = $r[0];
103                 } else {
104                         logger('API_login failure: ' . print_r($_SERVER,true), LOGGER_DEBUG);
105                         header('WWW-Authenticate: Basic realm="Friendica"');
106                         header('HTTP/1.0 401 Unauthorized');
107                         die('This api requires login');
108                 }
109
110                 require_once('include/security.php');
111                 authenticate_success($record); $_SESSION["allow_api"] = true;
112
113                 call_hooks('logged_in', $a->user);
114
115         }
116
117         /**************************
118          *  MAIN API ENTRY POINT  *
119          **************************/
120         function api_call(&$a){
121                 GLOBAL $API, $called_api;
122
123                 // preset
124                 $type="json";
125
126                 foreach ($API as $p=>$info){
127                         if (strpos($a->query_string, $p)===0){
128                                 $called_api= explode("/",$p);
129                                 //unset($_SERVER['PHP_AUTH_USER']);
130                                 if ($info['auth']===true && api_user()===false) {
131                                                 api_login($a);
132                                 }
133
134                                 load_contact_links(api_user());
135
136                                 logger('API call for ' . $a->user['username'] . ': ' . $a->query_string);
137                                 logger('API parameters: ' . print_r($_REQUEST,true));
138                                 $type="json";
139                                 if (strpos($a->query_string, ".xml")>0) $type="xml";
140                                 if (strpos($a->query_string, ".json")>0) $type="json";
141                                 if (strpos($a->query_string, ".rss")>0) $type="rss";
142                                 if (strpos($a->query_string, ".atom")>0) $type="atom";
143                                 if (strpos($a->query_string, ".as")>0) $type="as";
144
145                                 $r = call_user_func($info['func'], $a, $type);
146                                 if ($r===false) return;
147
148                                 switch($type){
149                                         case "xml":
150                                                 $r = mb_convert_encoding($r, "UTF-8",mb_detect_encoding($r));
151                                                 header ("Content-Type: text/xml");
152                                                 return '<?xml version="1.0" encoding="UTF-8"?>'."\n".$r;
153                                                 break;
154                                         case "json":
155                                                 header ("Content-Type: application/json");
156                                                 foreach($r as $rr)
157                                                         return json_encode($rr);
158                                                 break;
159                                         case "rss":
160                                                 header ("Content-Type: application/rss+xml");
161                                                 return '<?xml version="1.0" encoding="UTF-8"?>'."\n".$r;
162                                                 break;
163                                         case "atom":
164                                                 header ("Content-Type: application/atom+xml");
165                                                 return '<?xml version="1.0" encoding="UTF-8"?>'."\n".$r;
166                                                 break;
167                                         case "as":
168                                                 //header ("Content-Type: application/json");
169                                                 //foreach($r as $rr)
170                                                 //      return json_encode($rr);
171                                                 return json_encode($r);
172                                                 break;
173
174                                 }
175                                 //echo "<pre>"; var_dump($r); die();
176                         }
177                 }
178                 header("HTTP/1.1 404 Not Found");
179                 logger('API call not implemented: '.$a->query_string." - ".print_r($_REQUEST,true));
180                 return(api_error($a, $type, "not implemented"));
181
182         }
183
184         function api_error(&$a, $type, $error) {
185                 $r = "<status><error>".$error."</error><request>".$a->query_string."</request></status>";
186                 switch($type){
187                         case "xml":
188                                 header ("Content-Type: text/xml");
189                                 return '<?xml version="1.0" encoding="UTF-8"?>'."\n".$r;
190                                 break;
191                         case "json":
192                                 header ("Content-Type: application/json");
193                                 return json_encode(array('error' => $error, 'request' => $a->query_string));
194                                 break;
195                         case "rss":
196                                 header ("Content-Type: application/rss+xml");
197                                 return '<?xml version="1.0" encoding="UTF-8"?>'."\n".$r;
198                                 break;
199                         case "atom":
200                                 header ("Content-Type: application/atom+xml");
201                                 return '<?xml version="1.0" encoding="UTF-8"?>'."\n".$r;
202                                 break;
203                 }
204         }
205
206         /**
207          * RSS extra info
208          */
209         function api_rss_extra(&$a, $arr, $user_info){
210                 if (is_null($user_info)) $user_info = api_get_user($a);
211                 $arr['$user'] = $user_info;
212                 $arr['$rss'] = array(
213                         'alternate' => $user_info['url'],
214                         'self' => $a->get_baseurl(). "/". $a->query_string,
215                         'base' => $a->get_baseurl(),
216                         'updated' => api_date(null),
217                         'atom_updated' => datetime_convert('UTC','UTC','now',ATOM_TIME),
218                         'language' => $user_info['language'],
219                         'logo'  => $a->get_baseurl()."/images/friendica-32.png",
220                 );
221
222                 return $arr;
223         }
224
225
226         /**
227          * Unique contact to contact url.
228          */
229         function api_unique_id_to_url($id){
230                 $r = q("SELECT url FROM unique_contacts WHERE id=%d LIMIT 1",
231                         intval($id));
232                 if ($r)
233                         return ($r[0]["url"]);
234                 else
235                         return false;
236         }
237
238         /**
239          * Returns user info array.
240          */
241         function api_get_user(&$a, $contact_id = Null, $type = "json"){
242                 global $called_api;
243                 $user = null;
244                 $extra_query = "";
245                 $url = "";
246                 $nick = "";
247
248                 logger("api_get_user: Fetching user data for user ".$contact_id, LOGGER_DEBUG);
249
250                 // Searching for contact URL
251                 if(!is_null($contact_id) AND (intval($contact_id) == 0)){
252                         $user = dbesc(normalise_link($contact_id));
253                         $url = $user;
254                         $extra_query = "AND `contact`.`nurl` = '%s' ";
255                         if (api_user()!==false)  $extra_query .= "AND `contact`.`uid`=".intval(api_user());
256                 }
257
258                 // Searching for unique contact id
259                 if(!is_null($contact_id) AND (intval($contact_id) != 0)){
260                         $user = dbesc(api_unique_id_to_url($contact_id));
261
262                         if ($user == "")
263                                 die(api_error($a, $type, t("User not found.")));
264
265                         $url = $user;
266                         $extra_query = "AND `contact`.`nurl` = '%s' ";
267                         if (api_user()!==false)  $extra_query .= "AND `contact`.`uid`=".intval(api_user());
268                 }
269
270                 if(is_null($user) && x($_GET, 'user_id')) {
271                         $user = dbesc(api_unique_id_to_url($_GET['user_id']));
272
273                         if ($user == "")
274                                 die(api_error($a, $type, t("User not found.")));
275
276                         $url = $user;
277                         $extra_query = "AND `contact`.`nurl` = '%s' ";
278                         if (api_user()!==false)  $extra_query .= "AND `contact`.`uid`=".intval(api_user());
279                 }
280                 if(is_null($user) && x($_GET, 'screen_name')) {
281                         $user = dbesc($_GET['screen_name']);
282                         $nick = $user;
283                         $extra_query = "AND `contact`.`nick` = '%s' ";
284                         if (api_user()!==false)  $extra_query .= "AND `contact`.`uid`=".intval(api_user());
285                 }
286
287                 if (is_null($user) AND ($a->argc > (count($called_api)-1)) AND (count($called_api) > 0)){
288                         $argid = count($called_api);
289                         list($user, $null) = explode(".",$a->argv[$argid]);
290                         if(is_numeric($user)){
291                                 $user = dbesc(api_unique_id_to_url($user));
292
293                                 if ($user == "")
294                                         return false;
295
296                                 $url = $user;
297                                 $extra_query = "AND `contact`.`nurl` = '%s' ";
298                                 if (api_user()!==false)  $extra_query .= "AND `contact`.`uid`=".intval(api_user());
299                         } else {
300                                 $user = dbesc($user);
301                                 $nick = $user;
302                                 $extra_query = "AND `contact`.`nick` = '%s' ";
303                                 if (api_user()!==false)  $extra_query .= "AND `contact`.`uid`=".intval(api_user());
304                         }
305                 }
306
307                 logger("api_get_user: user ".$user, LOGGER_DEBUG);
308
309                 if (!$user) {
310                         if (api_user()===false) {
311                                 api_login($a); return False;
312                         } else {
313                                 $user = $_SESSION['uid'];
314                                 $extra_query = "AND `contact`.`uid` = %d AND `contact`.`self` = 1 ";
315                         }
316
317                 }
318
319                 logger('api_user: ' . $extra_query . ', user: ' . $user);
320                 // user info
321                 $uinfo = q("SELECT *, `contact`.`id` as `cid` FROM `contact`
322                                 WHERE 1
323                                 $extra_query",
324                                 $user
325                 );
326
327                 // Selecting the id by priority, friendica first
328                 api_best_nickname($uinfo);
329
330                 // if the contact wasn't found, fetch it from the unique contacts
331                 if (count($uinfo)==0) {
332                         $r = array();
333
334                         if ($url != "")
335                                 $r = q("SELECT * FROM unique_contacts WHERE url='%s' LIMIT 1", $url);
336                         elseif ($nick != "")
337                                 $r = q("SELECT * FROM unique_contacts WHERE nick='%s' LIMIT 1", $nick);
338
339                         if ($r) {
340                                 // If no nick where given, extract it from the address
341                                 if (($r[0]['nick'] == "") OR ($r[0]['name'] == $r[0]['nick']))
342                                         $r[0]['nick'] = api_get_nick($r[0]["url"]);
343
344                                 $ret = array(
345                                         'id' => $r[0]["id"],
346                                         'id_str' => (string) $r[0]["id"],
347                                         'name' => $r[0]["name"],
348                                         'screen_name' => (($r[0]['nick']) ? $r[0]['nick'] : $r[0]['name']),
349                                         'location' => NULL,
350                                         'description' => NULL,
351                                         'profile_image_url' => $r[0]["avatar"],
352                                         'profile_image_url_https' => $r[0]["avatar"],
353                                         'url' => $r[0]["url"],
354                                         'protected' => false,
355                                         'followers_count' => 0,
356                                         'friends_count' => 0,
357                                         'created_at' => api_date(0),
358                                         'favourites_count' => 0,
359                                         'utc_offset' => 0,
360                                         'time_zone' => 'UTC',
361                                         'statuses_count' => 0,
362                                         'following' => false,
363                                         'verified' => false,
364                                         'statusnet_blocking' => false,
365                                         'notifications' => false,
366                                         'statusnet_profile_url' => $r[0]["url"],
367                                         'uid' => 0,
368                                         'cid' => 0,
369                                         'self' => 0,
370                                         'network' => '',
371                                 );
372
373                                 return $ret;
374                         } else
375                                 die(api_error($a, $type, t("User not found.")));
376
377                 }
378
379                 if($uinfo[0]['self']) {
380                         $usr = q("select * from user where uid = %d limit 1",
381                                 intval(api_user())
382                         );
383                         $profile = q("select * from profile where uid = %d and `is-default` = 1 limit 1",
384                                 intval(api_user())
385                         );
386
387                         //AND `allow_cid`='' AND `allow_gid`='' AND `deny_cid`='' AND `deny_gid`=''",
388                         // count public wall messages
389                         $r = q("SELECT count(*) as `count` FROM `item`
390                                         WHERE  `uid` = %d
391                                         AND `type`='wall'",
392                                         intval($uinfo[0]['uid'])
393                         );
394                         $countitms = $r[0]['count'];
395                 }
396                 else {
397                         //AND `allow_cid`='' AND `allow_gid`='' AND `deny_cid`='' AND `deny_gid`=''",
398                         $r = q("SELECT count(*) as `count` FROM `item`
399                                         WHERE  `contact-id` = %d",
400                                         intval($uinfo[0]['id'])
401                         );
402                         $countitms = $r[0]['count'];
403                 }
404
405                 // count friends
406                 $r = q("SELECT count(*) as `count` FROM `contact`
407                                 WHERE  `uid` = %d AND `rel` IN ( %d, %d )
408                                 AND `self`=0 AND `blocked`=0 AND `pending`=0 AND `hidden`=0",
409                                 intval($uinfo[0]['uid']),
410                                 intval(CONTACT_IS_SHARING),
411                                 intval(CONTACT_IS_FRIEND)
412                 );
413                 $countfriends = $r[0]['count'];
414
415                 $r = q("SELECT count(*) as `count` FROM `contact`
416                                 WHERE  `uid` = %d AND `rel` IN ( %d, %d )
417                                 AND `self`=0 AND `blocked`=0 AND `pending`=0 AND `hidden`=0",
418                                 intval($uinfo[0]['uid']),
419                                 intval(CONTACT_IS_FOLLOWER),
420                                 intval(CONTACT_IS_FRIEND)
421                 );
422                 $countfollowers = $r[0]['count'];
423
424                 $r = q("SELECT count(*) as `count` FROM item where starred = 1 and uid = %d and deleted = 0",
425                         intval($uinfo[0]['uid'])
426                 );
427                 $starred = $r[0]['count'];
428
429
430                 if(! $uinfo[0]['self']) {
431                         $countfriends = 0;
432                         $countfollowers = 0;
433                         $starred = 0;
434                 }
435
436                 // Add a nick if it isn't present there
437                 if (($uinfo[0]['nick'] == "") OR ($uinfo[0]['name'] == $uinfo[0]['nick'])) {
438                         $uinfo[0]['nick'] = api_get_nick($uinfo[0]["url"]);
439                 }
440
441                 // Fetching unique id
442                 $r = q("SELECT id FROM unique_contacts WHERE url='%s' LIMIT 1", dbesc(normalise_link($uinfo[0]['url'])));
443
444                 // If not there, then add it
445                 if (count($r) == 0) {
446                         q("INSERT INTO unique_contacts (url, name, nick, avatar) VALUES ('%s', '%s', '%s', '%s')",
447                                 dbesc(normalise_link($uinfo[0]['url'])), dbesc($uinfo[0]['name']),dbesc($uinfo[0]['nick']), dbesc($uinfo[0]['micro']));
448
449                         $r = q("SELECT id FROM unique_contacts WHERE url='%s' LIMIT 1", dbesc(normalise_link($uinfo[0]['url'])));
450                 }
451
452                 require_once('include/contact_selectors.php');
453                 $network_name = network_to_name($uinfo[0]['network']);
454
455                 $ret = Array(
456                         'id' => intval($r[0]['id']),
457                         'id_str' => (string) intval($r[0]['id']),
458                         'name' => (($uinfo[0]['name']) ? $uinfo[0]['name'] : $uinfo[0]['nick']),
459                         'screen_name' => (($uinfo[0]['nick']) ? $uinfo[0]['nick'] : $uinfo[0]['name']),
460                         'location' => ($usr) ? $usr[0]['default-location'] : $network_name,
461                         'description' => (($profile) ? $profile[0]['pdesc'] : NULL),
462                         'profile_image_url' => $uinfo[0]['micro'],
463                         'profile_image_url_https' => $uinfo[0]['micro'],
464                         'url' => $uinfo[0]['url'],
465                         'protected' => false,
466                         'followers_count' => intval($countfollowers),
467                         'friends_count' => intval($countfriends),
468                         'created_at' => api_date($uinfo[0]['created']),
469                         'favourites_count' => intval($starred),
470                         'utc_offset' => "0",
471                         'time_zone' => 'UTC',
472                         'statuses_count' => intval($countitms),
473                         'following' => (($uinfo[0]['rel'] == CONTACT_IS_FOLLOWER) OR ($uinfo[0]['rel'] == CONTACT_IS_FRIEND)),
474                         'verified' => true,
475                         'statusnet_blocking' => false,
476                         'notifications' => false,
477                         'statusnet_profile_url' => $a->get_baseurl()."/contacts/".$uinfo[0]['cid'],
478                         'uid' => intval($uinfo[0]['uid']),
479                         'cid' => intval($uinfo[0]['cid']),
480                         'self' => $uinfo[0]['self'],
481                         'network' => $uinfo[0]['network'],
482                 );
483
484                 return $ret;
485
486         }
487
488         function api_item_get_user(&$a, $item) {
489
490                 $author = q("SELECT * FROM unique_contacts WHERE url='%s' LIMIT 1",
491                         dbesc(normalise_link($item['author-link'])));
492
493                 if (count($author) == 0) {
494                         q("INSERT INTO unique_contacts (url, name, avatar) VALUES ('%s', '%s', '%s')",
495                         dbesc(normalise_link($item["author-link"])), dbesc($item["author-name"]), dbesc($item["author-avatar"]));
496
497                         $author = q("SELECT id FROM unique_contacts WHERE url='%s' LIMIT 1",
498                                 dbesc(normalise_link($item['author-link'])));
499                 } else if ($item["author-link"].$item["author-name"] != $author[0]["url"].$author[0]["name"]) {
500                         q("UPDATE unique_contacts SET name = '%s', avatar = '%s' WHERE url = '%s'",
501                         dbesc($item["author-name"]), dbesc($item["author-avatar"]), dbesc(normalise_link($item["author-link"])));
502                 }
503
504                 $owner = q("SELECT id FROM unique_contacts WHERE url='%s' LIMIT 1",
505                         dbesc(normalise_link($item['owner-link'])));
506
507                 if (count($owner) == 0) {
508                         q("INSERT INTO unique_contacts (url, name, avatar) VALUES ('%s', '%s', '%s')",
509                         dbesc(normalise_link($item["owner-link"])), dbesc($item["owner-name"]), dbesc($item["owner-avatar"]));
510
511                         $owner = q("SELECT id FROM unique_contacts WHERE url='%s' LIMIT 1",
512                                 dbesc(normalise_link($item['owner-link'])));
513                 } else if ($item["owner-link"].$item["owner-name"] != $owner[0]["url"].$owner[0]["name"]) {
514                         q("UPDATE unique_contacts SET name = '%s', avatar = '%s' WHERE url = '%s'",
515                         dbesc($item["owner-name"]), dbesc($item["owner-avatar"]), dbesc(normalise_link($item["owner-link"])));
516                 }
517
518                 // Comments in threads may appear as wall-to-wall postings.
519                 // So only take the owner at the top posting.
520                 if ($item["id"] == $item["parent"])
521                         $status_user = api_get_user($a,$item["owner-link"]);
522                 else
523                         $status_user = api_get_user($a,$item["author-link"]);
524
525                 $status_user["protected"] = (($item["allow_cid"] != "") OR
526                                                 ($item["allow_gid"] != "") OR
527                                                 ($item["deny_cid"] != "") OR
528                                                 ($item["deny_gid"] != "") OR
529                                                 $item["private"]);
530
531                 return ($status_user);
532         }
533
534
535         /**
536          *  load api $templatename for $type and replace $data array
537          */
538         function api_apply_template($templatename, $type, $data){
539
540                 $a = get_app();
541
542                 switch($type){
543                         case "atom":
544                         case "rss":
545                         case "xml":
546                                 $data = array_xmlify($data);
547                                 $tpl = get_markup_template("api_".$templatename."_".$type.".tpl");
548                                 if(! $tpl) {
549                                         header ("Content-Type: text/xml");
550                                         echo '<?xml version="1.0" encoding="UTF-8"?>'."\n".'<status><error>not implemented</error></status>';
551                                         killme();
552                                 }
553                                 $ret = replace_macros($tpl, $data);
554                                 break;
555                         case "json":
556                                 $ret = $data;
557                                 break;
558                 }
559
560                 return $ret;
561         }
562
563         /**
564          ** TWITTER API
565          */
566
567         /**
568          * Returns an HTTP 200 OK response code and a representation of the requesting user if authentication was successful;
569          * returns a 401 status code and an error message if not.
570          * http://developer.twitter.com/doc/get/account/verify_credentials
571          */
572         function api_account_verify_credentials(&$a, $type){
573                 if (api_user()===false) return false;
574
575                 unset($_REQUEST["user_id"]);
576                 unset($_GET["user_id"]);
577
578                 unset($_REQUEST["screen_name"]);
579                 unset($_GET["screen_name"]);
580
581                 $skip_status = (x($_REQUEST,'skip_status')?$_REQUEST['skip_status']:false);
582
583                 $user_info = api_get_user($a);
584
585                 // "verified" isn't used here in the standard
586                 unset($user_info["verified"]);
587
588                 // - Adding last status
589                 if (!$skip_status) {
590                         $user_info["status"] = api_status_show($a,"raw");
591                         if (!count($user_info["status"]))
592                                 unset($user_info["status"]);
593                         else
594                                 unset($user_info["status"]["user"]);
595                 }
596
597                 // "uid" and "self" are only needed for some internal stuff, so remove it from here
598                 unset($user_info["uid"]);
599                 unset($user_info["self"]);
600
601                 return api_apply_template("user", $type, array('$user' => $user_info));
602
603         }
604         api_register_func('api/account/verify_credentials','api_account_verify_credentials', true);
605
606
607         /**
608          * get data from $_POST or $_GET
609          */
610         function requestdata($k){
611                 if (isset($_POST[$k])){
612                         return $_POST[$k];
613                 }
614                 if (isset($_GET[$k])){
615                         return $_GET[$k];
616                 }
617                 return null;
618         }
619
620 /*Waitman Gobble Mod*/
621         function api_statuses_mediap(&$a, $type) {
622                 if (api_user()===false) {
623                         logger('api_statuses_update: no user');
624                         return false;
625                 }
626                 $user_info = api_get_user($a);
627
628                 $_REQUEST['type'] = 'wall';
629                 $_REQUEST['profile_uid'] = api_user();
630                 $_REQUEST['api_source'] = true;
631                 $txt = requestdata('status');
632                 //$txt = urldecode(requestdata('status'));
633
634                 require_once('library/HTMLPurifier.auto.php');
635                 require_once('include/html2bbcode.php');
636
637                 if((strpos($txt,'<') !== false) || (strpos($txt,'>') !== false)) {
638                         $txt = html2bb_video($txt);
639                         $config = HTMLPurifier_Config::createDefault();
640                         $config->set('Cache.DefinitionImpl', null);
641                         $purifier = new HTMLPurifier($config);
642                         $txt = $purifier->purify($txt);
643                 }
644                 $txt = html2bbcode($txt);
645
646                 $a->argv[1]=$user_info['screen_name']; //should be set to username?
647
648                 $_REQUEST['hush']='yeah'; //tell wall_upload function to return img info instead of echo
649                 require_once('mod/wall_upload.php');
650                 $bebop = wall_upload_post($a);
651
652                 //now that we have the img url in bbcode we can add it to the status and insert the wall item.
653                 $_REQUEST['body']=$txt."\n\n".$bebop;
654                 require_once('mod/item.php');
655                 item_post($a);
656
657                 // this should output the last post (the one we just posted).
658                 return api_status_show($a,$type);
659         }
660         api_register_func('api/statuses/mediap','api_statuses_mediap', true);
661 /*Waitman Gobble Mod*/
662
663
664         function api_statuses_update(&$a, $type) {
665                 if (api_user()===false) {
666                         logger('api_statuses_update: no user');
667                         return false;
668                 }
669                 $user_info = api_get_user($a);
670
671                 // convert $_POST array items to the form we use for web posts.
672
673                 // logger('api_post: ' . print_r($_POST,true));
674
675                 if(requestdata('htmlstatus')) {
676                         require_once('library/HTMLPurifier.auto.php');
677                         require_once('include/html2bbcode.php');
678
679                         $txt = requestdata('htmlstatus');
680                         if((strpos($txt,'<') !== false) || (strpos($txt,'>') !== false)) {
681
682                                 $txt = html2bb_video($txt);
683
684                                 $config = HTMLPurifier_Config::createDefault();
685                                 $config->set('Cache.DefinitionImpl', null);
686
687
688                                 $purifier = new HTMLPurifier($config);
689                                 $txt = $purifier->purify($txt);
690
691                                 $_REQUEST['body'] = html2bbcode($txt);
692                         }
693
694                 }
695                 else
696                         $_REQUEST['body'] = requestdata('status');
697
698                 $_REQUEST['title'] = requestdata('title');
699
700                 $parent = requestdata('in_reply_to_status_id');
701                 if(ctype_digit($parent))
702                         $_REQUEST['parent'] = $parent;
703                 else
704                         $_REQUEST['parent_uri'] = $parent;
705
706                 if(requestdata('lat') && requestdata('long'))
707                         $_REQUEST['coord'] = sprintf("%s %s",requestdata('lat'),requestdata('long'));
708                 $_REQUEST['profile_uid'] = api_user();
709
710                 if($parent)
711                         $_REQUEST['type'] = 'net-comment';
712                 else {
713 //                      logger("api_statuses_update: upload ".print_r($_FILES, true)." ".print_r($_POST, true)." ".print_r($_GET, true), LOGGER_DEBUG);
714 //die("blubb");
715                         $_REQUEST['type'] = 'wall';
716                         if(x($_FILES,'media')) {
717                                 // upload the image if we have one
718                                 $_REQUEST['hush']='yeah'; //tell wall_upload function to return img info instead of echo
719                                 require_once('mod/wall_upload.php');
720                                 $media = wall_upload_post($a);
721                                 if(strlen($media)>0)
722                                         $_REQUEST['body'] .= "\n\n".$media;
723                         }
724                 }
725
726                 // set this so that the item_post() function is quiet and doesn't redirect or emit json
727
728                 $_REQUEST['api_source'] = true;
729
730                 // call out normal post function
731
732                 require_once('mod/item.php');
733                 item_post($a);
734
735                 // this should output the last post (the one we just posted).
736                 return api_status_show($a,$type);
737         }
738         api_register_func('api/statuses/update','api_statuses_update', true);
739         api_register_func('api/statuses/update_with_media','api_statuses_update', true);
740
741
742         function api_status_show(&$a, $type){
743                 $user_info = api_get_user($a);
744
745                 logger('api_status_show: user_info: '.print_r($user_info, true), LOGGER_DEBUG);
746
747                 // get last public wall message
748                 $lastwall = q("SELECT `item`.*, `i`.`contact-id` as `reply_uid`, `i`.`author-link` AS `item-author`
749                                 FROM `item`, `item` as `i`
750                                 WHERE `item`.`contact-id` = %d
751                                         AND ((`item`.`author-link` IN ('%s', '%s')) OR (`item`.`owner-link` IN ('%s', '%s')))
752                                         AND `i`.`id` = `item`.`parent`
753                                         AND `item`.`type`!='activity'
754                                         AND `item`.`allow_cid`='' AND `item`.`allow_gid`='' AND `item`.`deny_cid`='' AND `item`.`deny_gid`=''
755                                 ORDER BY `item`.`created` DESC
756                                 LIMIT 1",
757                                 intval($user_info['cid']),
758                                 dbesc($user_info['url']),
759                                 dbesc(normalise_link($user_info['url'])),
760                                 dbesc($user_info['url']),
761                                 dbesc(normalise_link($user_info['url']))
762                 );
763
764                 if (count($lastwall)>0){
765                         $lastwall = $lastwall[0];
766
767                         $in_reply_to_status_id = NULL;
768                         $in_reply_to_user_id = NULL;
769                         $in_reply_to_status_id_str = NULL;
770                         $in_reply_to_user_id_str = NULL;
771                         $in_reply_to_screen_name = NULL;
772                         if (intval($lastwall['parent']) != intval($lastwall['id'])) {
773                                 $in_reply_to_status_id= intval($lastwall['parent']);
774                                 $in_reply_to_status_id_str = (string) intval($lastwall['parent']);
775
776                                 $r = q("SELECT * FROM unique_contacts WHERE `url` = '%s'", dbesc(normalise_link($lastwall['item-author'])));
777                                 if ($r) {
778                                         if ($r[0]['nick'] == "")
779                                                 $r[0]['nick'] = api_get_nick($r[0]["url"]);
780
781                                         $in_reply_to_screen_name = (($r[0]['nick']) ? $r[0]['nick'] : $r[0]['name']);
782                                         $in_reply_to_user_id = intval($r[0]['id']);
783                                         $in_reply_to_user_id_str = (string) intval($r[0]['id']);
784                                 }
785                         }
786
787                         // There seems to be situation, where both fields are identical:
788                         // https://github.com/friendica/friendica/issues/1010
789                         // This is a bugfix for that.
790                         if (intval($in_reply_to_status_id) == intval($lastwall['id'])) {
791                                 logger('api_status_show: this message should never appear: id: '.$lastwall['id'].' similar to reply-to: '.$in_reply_to_status_id, LOGGER_DEBUG);
792                                 $in_reply_to_status_id = NULL;
793                                 $in_reply_to_user_id = NULL;
794                                 $in_reply_to_status_id_str = NULL;
795                                 $in_reply_to_user_id_str = NULL;
796                                 $in_reply_to_screen_name = NULL;
797                         }
798
799                         $status_info = array(
800                                 'text' => trim(html2plain(bbcode(api_clean_plain_items($lastwall['body']), false, false, 2, true), 0)),
801                                 'truncated' => false,
802                                 'created_at' => api_date($lastwall['created']),
803                                 'in_reply_to_status_id' => $in_reply_to_status_id,
804                                 'in_reply_to_status_id_str' => $in_reply_to_status_id_str,
805                                 'source' => (($lastwall['app']) ? $lastwall['app'] : 'web'),
806                                 'id' => intval($lastwall['id']),
807                                 'id_str' => (string) $lastwall['id'],
808                                 'in_reply_to_user_id' => $in_reply_to_user_id,
809                                 'in_reply_to_user_id_str' => $in_reply_to_user_id_str,
810                                 'in_reply_to_screen_name' => $in_reply_to_screen_name,
811                                 'geo' => NULL,
812                                 'favorited' => false,
813                                 // attachments
814                                 'user' => $user_info,
815                                 'statusnet_html'                => trim(bbcode($lastwall['body'], false, false)),
816                                 'statusnet_conversation_id'     => $lastwall['parent'],
817                         );
818
819                         if ($lastwall['title'] != "")
820                                 $status_info['statusnet_html'] = "<h4>".bbcode($lastwall['title'])."</h4>\n".$status_info['statusnet_html'];
821
822                         $entities = api_get_entitities($status_info['text'], $lastwall['body']);
823                         if (count($entities) > 0)
824                                 $status_info['entities'] = $entities;
825
826                         if (($lastwall['item_network'] != "") AND ($status["source"] == 'web'))
827                                 $status_info["source"] = network_to_name($lastwall['item_network']);
828                         elseif (($lastwall['item_network'] != "") AND (network_to_name($lastwall['item_network']) != $status_info["source"]))
829                                 $status_info["source"] = trim($status_info["source"].' ('.network_to_name($lastwall['item_network']).')');
830
831                         // "uid" and "self" are only needed for some internal stuff, so remove it from here
832                         unset($status_info["user"]["uid"]);
833                         unset($status_info["user"]["self"]);
834                 }
835
836                 if ($type == "raw")
837                         return($status_info);
838
839                 return  api_apply_template("status", $type, array('$status' => $status_info));
840
841         }
842
843
844
845
846
847         /**
848          * Returns extended information of a given user, specified by ID or screen name as per the required id parameter.
849          * The author's most recent status will be returned inline.
850          * http://developer.twitter.com/doc/get/users/show
851          */
852         function api_users_show(&$a, $type){
853                 $user_info = api_get_user($a);
854
855                 $lastwall = q("SELECT `item`.*
856                                 FROM `item`, `contact`
857                                 WHERE `item`.`uid` = %d AND `verb` = '%s' AND `item`.`contact-id` = %d
858                                         AND ((`item`.`author-link` IN ('%s', '%s')) OR (`item`.`owner-link` IN ('%s', '%s')))
859                                         AND `contact`.`id`=`item`.`contact-id`
860                                         AND `type`!='activity'
861                                         AND `item`.`allow_cid`='' AND `item`.`allow_gid`='' AND `item`.`deny_cid`='' AND `item`.`deny_gid`=''
862                                 ORDER BY `created` DESC
863                                 LIMIT 1",
864                                 intval(api_user()),
865                                 dbesc(ACTIVITY_POST),
866                                 intval($user_info['cid']),
867                                 dbesc($user_info['url']),
868                                 dbesc(normalise_link($user_info['url'])),
869                                 dbesc($user_info['url']),
870                                 dbesc(normalise_link($user_info['url']))
871                 );
872                 if (count($lastwall)>0){
873                         $lastwall = $lastwall[0];
874
875                         $in_reply_to_status_id = NULL;
876                         $in_reply_to_user_id = NULL;
877                         $in_reply_to_status_id_str = NULL;
878                         $in_reply_to_user_id_str = NULL;
879                         $in_reply_to_screen_name = NULL;
880                         if ($lastwall['parent']!=$lastwall['id']) {
881                                 $reply = q("SELECT `item`.`id`, `item`.`contact-id` as `reply_uid`, `contact`.`nick` as `reply_author`, `item`.`author-link` AS `item-author`
882                                                 FROM `item`,`contact` WHERE `contact`.`id`=`item`.`contact-id` AND `item`.`id` = %d", intval($lastwall['parent']));
883                                 if (count($reply)>0) {
884                                         $in_reply_to_status_id = intval($lastwall['parent']);
885                                         $in_reply_to_status_id_str = (string) intval($lastwall['parent']);
886
887                                         $r = q("SELECT * FROM unique_contacts WHERE `url` = '%s'", dbesc(normalise_link($reply[0]['item-author'])));
888                                         if ($r) {
889                                                 if ($r[0]['nick'] == "")
890                                                         $r[0]['nick'] = api_get_nick($r[0]["url"]);
891
892                                                 $in_reply_to_screen_name = (($r[0]['nick']) ? $r[0]['nick'] : $r[0]['name']);
893                                                 $in_reply_to_user_id = intval($r[0]['id']);
894                                                 $in_reply_to_user_id_str = (string) intval($r[0]['id']);
895                                         }
896                                 }
897                         }
898                         $user_info['status'] = array(
899                                 'text' => trim(html2plain(bbcode(api_clean_plain_items($lastwall['body']), false, false, 2, true), 0)),
900                                 'truncated' => false,
901                                 'created_at' => api_date($lastwall['created']),
902                                 'in_reply_to_status_id' => $in_reply_to_status_id,
903                                 'in_reply_to_status_id_str' => $in_reply_to_status_id_str,
904                                 'source' => (($lastwall['app']) ? $lastwall['app'] : 'web'),
905                                 'id' => intval($lastwall['contact-id']),
906                                 'id_str' => (string) $lastwall['contact-id'],
907                                 'in_reply_to_user_id' => $in_reply_to_user_id,
908                                 'in_reply_to_user_id_str' => $in_reply_to_user_id_str,
909                                 'in_reply_to_screen_name' => $in_reply_to_screen_name,
910                                 'geo' => NULL,
911                                 'favorited' => false,
912                                 'statusnet_html'                => trim(bbcode($lastwall['body'], false, false)),
913                                 'statusnet_conversation_id'     => $lastwall['parent'],
914                         );
915
916                         if ($lastwall['title'] != "")
917                                 $user_info['statusnet_html'] = "<h4>".bbcode($lastwall['title'])."</h4>\n".$user_info['statusnet_html'];
918
919                         $entities = api_get_entitities($user_info['text'], $lastwall['body']);
920                         if (count($entities) > 0)
921                                 $user_info['entities'] = $entities;
922
923                         if (($lastwall['item_network'] != "") AND ($user_info["status"]["source"] == 'web'))
924                                 $user_info["status"]["source"] = network_to_name($lastwall['item_network']);
925                         if (($lastwall['item_network'] != "") AND (network_to_name($lastwall['item_network']) != $user_info["status"]["source"]))
926                                 $user_info["status"]["source"] = trim($user_info["status"]["source"].' ('.network_to_name($lastwall['item_network']).')');
927
928                 }
929
930                 // "uid" and "self" are only needed for some internal stuff, so remove it from here
931                 unset($user_info["uid"]);
932                 unset($user_info["self"]);
933
934                 return  api_apply_template("user", $type, array('$user' => $user_info));
935
936         }
937         api_register_func('api/users/show','api_users_show');
938
939         /**
940          *
941          * http://developer.twitter.com/doc/get/statuses/home_timeline
942          *
943          * TODO: Optional parameters
944          * TODO: Add reply info
945          */
946         function api_statuses_home_timeline(&$a, $type){
947                 if (api_user()===false) return false;
948
949                 unset($_REQUEST["user_id"]);
950                 unset($_GET["user_id"]);
951
952                 unset($_REQUEST["screen_name"]);
953                 unset($_GET["screen_name"]);
954
955                 $user_info = api_get_user($a);
956                 // get last newtork messages
957
958
959                 // params
960                 $count = (x($_REQUEST,'count')?$_REQUEST['count']:20);
961                 $page = (x($_REQUEST,'page')?$_REQUEST['page']-1:0);
962                 if ($page<0) $page=0;
963                 $since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
964                 $max_id = (x($_REQUEST,'max_id')?$_REQUEST['max_id']:0);
965                 //$since_id = 0;//$since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
966                 $exclude_replies = (x($_REQUEST,'exclude_replies')?1:0);
967                 $conversation_id = (x($_REQUEST,'conversation_id')?$_REQUEST['conversation_id']:0);
968
969                 $start = $page*$count;
970
971                 $sql_extra = '';
972                 if ($max_id > 0)
973                         $sql_extra .= ' AND `item`.`id` <= '.intval($max_id);
974                 if ($exclude_replies > 0)
975                         $sql_extra .= ' AND `item`.`parent` = `item`.`id`';
976                 if ($conversation_id > 0)
977                         $sql_extra .= ' AND `item`.`parent` = '.intval($conversation_id);
978
979                 $r = q("SELECT `item`.*, `item`.`id` AS `item_id`, `item`.`network` AS `item_network`,
980                         `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`rel`,
981                         `contact`.`network`, `contact`.`thumb`, `contact`.`dfrn-id`, `contact`.`self`,
982                         `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid`
983                         FROM `item`, `contact`
984                         WHERE `item`.`uid` = %d AND `verb` = '%s'
985                         AND `item`.`visible` = 1 and `item`.`moderated` = 0 AND `item`.`deleted` = 0
986                         AND `contact`.`id` = `item`.`contact-id`
987                         AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0
988                         $sql_extra
989                         AND `item`.`id`>%d
990                         ORDER BY `item`.`id` DESC LIMIT %d ,%d ",
991                         intval(api_user()),
992                         dbesc(ACTIVITY_POST),
993                         intval($since_id),
994                         intval($start), intval($count)
995                 );
996
997                 $ret = api_format_items($r,$user_info);
998
999                 // We aren't going to try to figure out at the item, group, and page
1000                 // level which items you've seen and which you haven't. If you're looking
1001                 // at the network timeline just mark everything seen. 
1002
1003                 $r = q("UPDATE `item` SET `unseen` = 0 
1004                         WHERE `unseen` = 1 AND `uid` = %d",
1005                         //intval($user_info['uid'])
1006                         intval(api_user())
1007                 );
1008
1009
1010                 $data = array('$statuses' => $ret);
1011                 switch($type){
1012                         case "atom":
1013                         case "rss":
1014                                 $data = api_rss_extra($a, $data, $user_info);
1015                                 break;
1016                         case "as":
1017                                 $as = api_format_as($a, $ret, $user_info);
1018                                 $as['title'] = $a->config['sitename']." Home Timeline";
1019                                 $as['link']['url'] = $a->get_baseurl()."/".$user_info["screen_name"]."/all";
1020                                 return($as);
1021                                 break;
1022                 }
1023
1024                 return  api_apply_template("timeline", $type, $data);
1025         }
1026         api_register_func('api/statuses/home_timeline','api_statuses_home_timeline', true);
1027         api_register_func('api/statuses/friends_timeline','api_statuses_home_timeline', true);
1028
1029         function api_statuses_public_timeline(&$a, $type){
1030                 if (api_user()===false) return false;
1031
1032                 $user_info = api_get_user($a);
1033                 // get last newtork messages
1034
1035
1036                 // params
1037                 $count = (x($_REQUEST,'count')?$_REQUEST['count']:20);
1038                 $page = (x($_REQUEST,'page')?$_REQUEST['page']-1:0);
1039                 if ($page<0) $page=0;
1040                 $since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
1041                 $max_id = (x($_REQUEST,'max_id')?$_REQUEST['max_id']:0);
1042                 //$since_id = 0;//$since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
1043                 $exclude_replies = (x($_REQUEST,'exclude_replies')?1:0);
1044                 $conversation_id = (x($_REQUEST,'conversation_id')?$_REQUEST['conversation_id']:0);
1045
1046                 $start = $page*$count;
1047
1048                 if ($max_id > 0)
1049                         $sql_extra = 'AND `item`.`id` <= '.intval($max_id);
1050                 if ($exclude_replies > 0)
1051                         $sql_extra .= ' AND `item`.`parent` = `item`.`id`';
1052                 if ($conversation_id > 0)
1053                         $sql_extra .= ' AND `item`.`parent` = '.intval($conversation_id);
1054
1055                 $r = q("SELECT `item`.*, `item`.`id` AS `item_id`, `item`.`network` AS `item_network`,
1056                         `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`rel`,
1057                         `contact`.`network`, `contact`.`thumb`, `contact`.`self`, `contact`.`writable`,
1058                         `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid`,
1059                         `user`.`nickname`, `user`.`hidewall`
1060                         FROM `item` STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`contact-id`
1061                         STRAIGHT_JOIN `user` ON `user`.`uid` = `item`.`uid`
1062                         WHERE `verb` = '%s' AND `item`.`visible` = 1 AND `item`.`deleted` = 0 and `item`.`moderated` = 0
1063                         AND `item`.`allow_cid` = ''  AND `item`.`allow_gid` = ''
1064                         AND `item`.`deny_cid`  = '' AND `item`.`deny_gid`  = ''
1065                         AND `item`.`private` = 0 AND `item`.`wall` = 1 AND `user`.`hidewall` = 0
1066                         AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0
1067                         $sql_extra
1068                         AND `item`.`id`>%d
1069                         ORDER BY `item`.`id` DESC LIMIT %d, %d ",
1070                         dbesc(ACTIVITY_POST),
1071                         intval($since_id),
1072                         intval($start),
1073                         intval($count));
1074
1075                 $ret = api_format_items($r,$user_info);
1076
1077
1078                 $data = array('$statuses' => $ret);
1079                 switch($type){
1080                         case "atom":
1081                         case "rss":
1082                                 $data = api_rss_extra($a, $data, $user_info);
1083                                 break;
1084                         case "as":
1085                                 $as = api_format_as($a, $ret, $user_info);
1086                                 $as['title'] = $a->config['sitename']." Public Timeline";
1087                                 $as['link']['url'] = $a->get_baseurl()."/";
1088                                 return($as);
1089                                 break;
1090                 }
1091
1092                 return  api_apply_template("timeline", $type, $data);
1093         }
1094         api_register_func('api/statuses/public_timeline','api_statuses_public_timeline', true);
1095
1096         /**
1097          * 
1098          */
1099         function api_statuses_show(&$a, $type){
1100                 if (api_user()===false) return false;
1101
1102                 $user_info = api_get_user($a);
1103
1104                 // params
1105                 $id = intval($a->argv[3]);
1106
1107                 if ($id == 0)
1108                         $id = intval($_REQUEST["id"]);
1109
1110                 // Hotot workaround
1111                 if ($id == 0)
1112                         $id = intval($a->argv[4]);
1113
1114                 logger('API: api_statuses_show: '.$id);
1115
1116                 $conversation = (x($_REQUEST,'conversation')?1:0);
1117
1118                 $sql_extra = '';
1119                 if ($conversation)
1120                         $sql_extra .= " AND `item`.`parent` = %d ORDER BY `received` ASC ";
1121                 else
1122                         $sql_extra .= " AND `item`.`id` = %d";
1123
1124                 $r = q("SELECT `item`.*, `item`.`id` AS `item_id`, `item`.`network` AS `item_network`,
1125                         `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`rel`,
1126                         `contact`.`network`, `contact`.`thumb`, `contact`.`dfrn-id`, `contact`.`self`,
1127                         `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid`
1128                         FROM `item`, `contact`
1129                         WHERE `item`.`visible` = 1 and `item`.`moderated` = 0 AND `item`.`deleted` = 0
1130                         AND `contact`.`id` = `item`.`contact-id` AND `item`.`uid` = %d AND `item`.`verb` = '%s'
1131                         AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0
1132                         $sql_extra",
1133                         intval(api_user()),
1134                         dbesc(ACTIVITY_POST),
1135                         intval($id)
1136                 );
1137
1138                 if (!$r)
1139                         die(api_error($a, $type, t("There is no status with this id.")));
1140
1141                 $ret = api_format_items($r,$user_info);
1142
1143                 if ($conversation) {
1144                         $data = array('$statuses' => $ret);
1145                         return api_apply_template("timeline", $type, $data);
1146                 } else {
1147                         $data = array('$status' => $ret[0]);
1148                         /*switch($type){
1149                                 case "atom":
1150                                 case "rss":
1151                                         $data = api_rss_extra($a, $data, $user_info);
1152                         }*/
1153                         return  api_apply_template("status", $type, $data);
1154                 }
1155         }
1156         api_register_func('api/statuses/show','api_statuses_show', true);
1157
1158
1159         /**
1160          *
1161          */
1162         function api_conversation_show(&$a, $type){
1163                 if (api_user()===false) return false;
1164
1165                 $user_info = api_get_user($a);
1166
1167                 // params
1168                 $id = intval($a->argv[3]);
1169                 $count = (x($_REQUEST,'count')?$_REQUEST['count']:20);
1170                 $page = (x($_REQUEST,'page')?$_REQUEST['page']-1:0);
1171                 if ($page<0) $page=0;
1172                 $since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
1173                 $max_id = (x($_REQUEST,'max_id')?$_REQUEST['max_id']:0);
1174
1175                 $start = $page*$count;
1176
1177                 if ($id == 0)
1178                         $id = intval($_REQUEST["id"]);
1179
1180                 // Hotot workaround
1181                 if ($id == 0)
1182                         $id = intval($a->argv[4]);
1183
1184                 logger('API: api_conversation_show: '.$id);
1185
1186                 $sql_extra = '';
1187
1188                 if ($max_id > 0)
1189                         $sql_extra = ' AND `item`.`id` <= '.intval($max_id);
1190
1191                 $r = q("SELECT `item`.*, `item`.`id` AS `item_id`, `item`.`network` AS `item_network`,
1192                         `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`rel`,
1193                         `contact`.`network`, `contact`.`thumb`, `contact`.`dfrn-id`, `contact`.`self`,
1194                         `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid`
1195                         FROM `item` INNER JOIN (SELECT `uri`,`parent` FROM `item` WHERE `id` = %d) AS `temp1`
1196                         ON (`item`.`thr-parent` = `temp1`.`uri` AND `item`.`parent` = `temp1`.`parent`), `contact`
1197                         WHERE `item`.`visible` = 1 and `item`.`moderated` = 0 AND `item`.`deleted` = 0
1198                         AND `item`.`uid` = %d AND `item`.`verb` = '%s' AND `contact`.`id` = `item`.`contact-id`
1199                         AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0
1200                         AND `item`.`id`>%d $sql_extra
1201                         ORDER BY `item`.`id` DESC LIMIT %d ,%d",
1202                         intval($id), intval(api_user()),
1203                         dbesc(ACTIVITY_POST),
1204                         intval($since_id),
1205                         intval($start), intval($count)
1206                 );
1207
1208                 if (!$r)
1209                         die(api_error($a, $type, t("There is no conversation with this id.")));
1210
1211                 $ret = api_format_items($r,$user_info);
1212
1213                 $data = array('$statuses' => $ret);
1214                 return api_apply_template("timeline", $type, $data);
1215         }
1216         api_register_func('api/conversation/show','api_conversation_show', true);
1217
1218
1219         /**
1220          *
1221          */
1222         function api_statuses_repeat(&$a, $type){
1223                 global $called_api;
1224
1225                 if (api_user()===false) return false;
1226
1227                 $user_info = api_get_user($a);
1228
1229                 // params
1230                 $id = intval($a->argv[3]);
1231
1232                 if ($id == 0)
1233                         $id = intval($_REQUEST["id"]);
1234
1235                 // Hotot workaround
1236                 if ($id == 0)
1237                         $id = intval($a->argv[4]);
1238
1239                 logger('API: api_statuses_repeat: '.$id);
1240
1241                 $r = q("SELECT `item`.*, `item`.`id` AS `item_id`, `item`.`network` AS `item_network`, `contact`.`nick` as `reply_author`,
1242                         `contact`.`name`, `contact`.`photo` as `reply_photo`, `contact`.`url` as `reply_url`, `contact`.`rel`,
1243                         `contact`.`network`, `contact`.`thumb`, `contact`.`dfrn-id`, `contact`.`self`,
1244                         `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid`
1245                         FROM `item`, `contact`
1246                         WHERE `item`.`visible` = 1 and `item`.`moderated` = 0 AND `item`.`deleted` = 0
1247                         AND `contact`.`id` = `item`.`contact-id`
1248                         AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0
1249                         $sql_extra
1250                         AND `item`.`id`=%d",
1251                         intval($id)
1252                 );
1253
1254                 if ($r[0]['body'] != "") {
1255                         if (!intval(get_config('system','old_share'))) {
1256                                 if (strpos($r[0]['body'], "[/share]") !== false) {
1257                                         $pos = strpos($r[0]['body'], "[share");
1258                                         $post = substr($r[0]['body'], $pos);
1259                                 } else {
1260                                         $post = "[share author='".str_replace("'", "&#039;", $r[0]['author-name']).
1261                                                         "' profile='".$r[0]['author-link'].
1262                                                         "' avatar='".$r[0]['author-avatar'].
1263                                                         "' link='".$r[0]['plink']."']";
1264                                         $post .= $r[0]['body'];
1265                                         $post .= "[/share]";
1266                                 }
1267                                 $_REQUEST['body'] = $post;
1268                         } else
1269                                 $_REQUEST['body'] = html_entity_decode("&#x2672; ", ENT_QUOTES, 'UTF-8')."[url=".$r[0]['reply_url']."]".$r[0]['reply_author']."[/url] \n".$r[0]['body'];
1270
1271                         $_REQUEST['profile_uid'] = api_user();
1272                         $_REQUEST['type'] = 'wall';
1273                         $_REQUEST['api_source'] = true;
1274
1275                         require_once('mod/item.php');
1276                         item_post($a);
1277                 }
1278
1279                 // this should output the last post (the one we just posted).
1280                 $called_api = null;
1281                 return(api_status_show($a,$type));
1282         }
1283         api_register_func('api/statuses/retweet','api_statuses_repeat', true);
1284
1285         /**
1286          *
1287          */
1288         function api_statuses_destroy(&$a, $type){
1289                 if (api_user()===false) return false;
1290
1291                 $user_info = api_get_user($a);
1292
1293                 // params
1294                 $id = intval($a->argv[3]);
1295
1296                 if ($id == 0)
1297                         $id = intval($_REQUEST["id"]);
1298
1299                 // Hotot workaround
1300                 if ($id == 0)
1301                         $id = intval($a->argv[4]);
1302
1303                 logger('API: api_statuses_destroy: '.$id);
1304
1305                 $ret = api_statuses_show($a, $type);
1306
1307                 require_once('include/items.php');
1308                 drop_item($id, false);
1309
1310                 return($ret);
1311         }
1312         api_register_func('api/statuses/destroy','api_statuses_destroy', true);
1313
1314         /**
1315          * 
1316          * http://developer.twitter.com/doc/get/statuses/mentions
1317          * 
1318          */
1319         function api_statuses_mentions(&$a, $type){
1320                 if (api_user()===false) return false;
1321
1322                 unset($_REQUEST["user_id"]);
1323                 unset($_GET["user_id"]);
1324
1325                 unset($_REQUEST["screen_name"]);
1326                 unset($_GET["screen_name"]);
1327
1328                 $user_info = api_get_user($a);
1329                 // get last newtork messages
1330
1331
1332                 // params
1333                 $count = (x($_REQUEST,'count')?$_REQUEST['count']:20);
1334                 $page = (x($_REQUEST,'page')?$_REQUEST['page']-1:0);
1335                 if ($page<0) $page=0;
1336                 $since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
1337                 $max_id = (x($_REQUEST,'max_id')?$_REQUEST['max_id']:0);
1338                 //$since_id = 0;//$since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
1339
1340                 $start = $page*$count;
1341
1342                 // Ugly code - should be changed
1343                 $myurl = $a->get_baseurl() . '/profile/'. $a->user['nickname'];
1344                 $myurl = substr($myurl,strpos($myurl,'://')+3);
1345                 //$myurl = str_replace(array('www.','.'),array('','\\.'),$myurl);
1346                 $myurl = str_replace('www.','',$myurl);
1347                 $diasp_url = str_replace('/profile/','/u/',$myurl);
1348
1349                 if ($max_id > 0)
1350                         $sql_extra = ' AND `item`.`id` <= '.intval($max_id);
1351
1352                 $r = q("SELECT `item`.*, `item`.`id` AS `item_id`, `item`.`network` AS `item_network`,
1353                         `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`rel`,
1354                         `contact`.`network`, `contact`.`thumb`, `contact`.`dfrn-id`, `contact`.`self`,
1355                         `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid`
1356                         FROM `item`, `contact`
1357                         WHERE `item`.`uid` = %d AND `verb` = '%s'
1358                         AND NOT (`item`.`author-link` IN ('https://%s', 'http://%s'))
1359                         AND `item`.`visible` = 1 and `item`.`moderated` = 0 AND `item`.`deleted` = 0
1360                         AND `contact`.`id` = `item`.`contact-id`
1361                         AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0
1362                         AND `item`.`parent` IN (SELECT `iid` from thread where uid = %d AND `mention`)
1363                         $sql_extra
1364                         AND `item`.`id`>%d
1365                         ORDER BY `item`.`id` DESC LIMIT %d ,%d ",
1366                         intval(api_user()),
1367                         dbesc(ACTIVITY_POST),
1368                         dbesc(protect_sprintf($myurl)),
1369                         dbesc(protect_sprintf($myurl)),
1370                         intval(api_user()),
1371                         intval($since_id),
1372                         intval($start), intval($count)
1373                 );
1374
1375                 $ret = api_format_items($r,$user_info);
1376
1377
1378                 $data = array('$statuses' => $ret);
1379                 switch($type){
1380                         case "atom":
1381                         case "rss":
1382                                 $data = api_rss_extra($a, $data, $user_info);
1383                                 break;
1384                         case "as":
1385                                 $as = api_format_as($a, $ret, $user_info);
1386                                 $as["title"] = $a->config['sitename']." Mentions";
1387                                 $as['link']['url'] = $a->get_baseurl()."/";
1388                                 return($as);
1389                                 break;
1390                 }
1391
1392                 return  api_apply_template("timeline", $type, $data);
1393         }
1394         api_register_func('api/statuses/mentions','api_statuses_mentions', true);
1395         api_register_func('api/statuses/replies','api_statuses_mentions', true);
1396
1397
1398         function api_statuses_user_timeline(&$a, $type){
1399                 if (api_user()===false) return false;
1400
1401                 $user_info = api_get_user($a);
1402                 // get last network messages
1403
1404                 logger("api_statuses_user_timeline: api_user: ". api_user() .
1405                            "\nuser_info: ".print_r($user_info, true) .
1406                            "\n_REQUEST:  ".print_r($_REQUEST, true),
1407                            LOGGER_DEBUG);
1408
1409                 // params
1410                 $count = (x($_REQUEST,'count')?$_REQUEST['count']:20);
1411                 $page = (x($_REQUEST,'page')?$_REQUEST['page']-1:0);
1412                 if ($page<0) $page=0;
1413                 $since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
1414                 //$since_id = 0;//$since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
1415                 $exclude_replies = (x($_REQUEST,'exclude_replies')?1:0);
1416                 $conversation_id = (x($_REQUEST,'conversation_id')?$_REQUEST['conversation_id']:0);
1417
1418                 $start = $page*$count;
1419
1420                 $sql_extra = '';
1421                 if ($user_info['self']==1)
1422                         $sql_extra .= " AND `item`.`wall` = 1 ";
1423
1424                 if ($exclude_replies > 0)
1425                         $sql_extra .= ' AND `item`.`parent` = `item`.`id`';
1426                 if ($conversation_id > 0)
1427                         $sql_extra .= ' AND `item`.`parent` = '.intval($conversation_id);
1428
1429                 $r = q("SELECT `item`.*, `item`.`id` AS `item_id`, `item`.`network` AS `item_network`,
1430                         `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`rel`,
1431                         `contact`.`network`, `contact`.`thumb`, `contact`.`dfrn-id`, `contact`.`self`,
1432                         `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid`
1433                         FROM `item`, `contact`
1434                         WHERE `item`.`uid` = %d AND `verb` = '%s'
1435                         AND `item`.`contact-id` = %d
1436                         AND `item`.`visible` = 1 and `item`.`moderated` = 0 AND `item`.`deleted` = 0
1437                         AND `contact`.`id` = `item`.`contact-id`
1438                         AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0
1439                         $sql_extra
1440                         AND `item`.`id`>%d
1441                         ORDER BY `item`.`id` DESC LIMIT %d ,%d ",
1442                         intval(api_user()),
1443                         dbesc(ACTIVITY_POST),
1444                         intval($user_info['cid']),
1445                         intval($since_id),
1446                         intval($start), intval($count)
1447                 );
1448
1449                 $ret = api_format_items($r,$user_info, true);
1450
1451                 $data = array('$statuses' => $ret);
1452                 switch($type){
1453                         case "atom":
1454                         case "rss":
1455                                 $data = api_rss_extra($a, $data, $user_info);
1456                 }
1457
1458                 return  api_apply_template("timeline", $type, $data);
1459         }
1460
1461         api_register_func('api/statuses/user_timeline','api_statuses_user_timeline', true);
1462
1463
1464         function api_favorites(&$a, $type){
1465                 global $called_api;
1466
1467                 if (api_user()===false) return false;
1468
1469                 $called_api= array();
1470
1471                 $user_info = api_get_user($a);
1472
1473                 // in friendica starred item are private
1474                 // return favorites only for self
1475                 logger('api_favorites: self:' . $user_info['self']);
1476
1477                 if ($user_info['self']==0) {
1478                         $ret = array();
1479                 } else {
1480                         $sql_extra = "";
1481
1482                         // params
1483                         $since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
1484                         $max_id = (x($_REQUEST,'max_id')?$_REQUEST['max_id']:0);
1485                         $count = (x($_GET,'count')?$_GET['count']:20);
1486                         $page = (x($_REQUEST,'page')?$_REQUEST['page']-1:0);
1487                         if ($page<0) $page=0;
1488
1489                         $start = $page*$count;
1490
1491                         if ($max_id > 0)
1492                                 $sql_extra .= ' AND `item`.`id` <= '.intval($max_id);
1493
1494                         $r = q("SELECT `item`.*, `item`.`id` AS `item_id`, `item`.`network` AS `item_network`,
1495                                 `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`rel`,
1496                                 `contact`.`network`, `contact`.`thumb`, `contact`.`dfrn-id`, `contact`.`self`,
1497                                 `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid`
1498                                 FROM `item`, `contact`
1499                                 WHERE `item`.`uid` = %d AND `verb` = '%s'
1500                                 AND `item`.`visible` = 1 and `item`.`moderated` = 0 AND `item`.`deleted` = 0
1501                                 AND `item`.`starred` = 1
1502                                 AND `contact`.`id` = `item`.`contact-id`
1503                                 AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0
1504                                 $sql_extra
1505                                 AND `item`.`id`>%d
1506                                 ORDER BY `item`.`id` DESC LIMIT %d ,%d ",
1507                                 intval(api_user()),
1508                                 dbesc(ACTIVITY_POST),
1509                                 intval($since_id),
1510                                 intval($start), intval($count)
1511                         );
1512
1513                         $ret = api_format_items($r,$user_info);
1514
1515                 }
1516
1517                 $data = array('$statuses' => $ret);
1518                 switch($type){
1519                         case "atom":
1520                         case "rss":
1521                                 $data = api_rss_extra($a, $data, $user_info);
1522                 }
1523
1524                 return  api_apply_template("timeline", $type, $data);
1525         }
1526
1527         api_register_func('api/favorites','api_favorites', true);
1528
1529         function api_format_as($a, $ret, $user_info) {
1530
1531                 $as = array();
1532                 $as['title'] = $a->config['sitename']." Public Timeline";
1533                 $items = array();
1534                 foreach ($ret as $item) {
1535                         $singleitem["actor"]["displayName"] = $item["user"]["name"];
1536                         $singleitem["actor"]["id"] = $item["user"]["contact_url"];
1537                         $avatar[0]["url"] = $item["user"]["profile_image_url"];
1538                         $avatar[0]["rel"] = "avatar";
1539                         $avatar[0]["type"] = "";
1540                         $avatar[0]["width"] = 96;
1541                         $avatar[0]["height"] = 96;
1542                         $avatar[1]["url"] = $item["user"]["profile_image_url"];
1543                         $avatar[1]["rel"] = "avatar";
1544                         $avatar[1]["type"] = "";
1545                         $avatar[1]["width"] = 48;
1546                         $avatar[1]["height"] = 48;
1547                         $avatar[2]["url"] = $item["user"]["profile_image_url"];
1548                         $avatar[2]["rel"] = "avatar";
1549                         $avatar[2]["type"] = "";
1550                         $avatar[2]["width"] = 24;
1551                         $avatar[2]["height"] = 24;
1552                         $singleitem["actor"]["avatarLinks"] = $avatar;
1553
1554                         $singleitem["actor"]["image"]["url"] = $item["user"]["profile_image_url"];
1555                         $singleitem["actor"]["image"]["rel"] = "avatar";
1556                         $singleitem["actor"]["image"]["type"] = "";
1557                         $singleitem["actor"]["image"]["width"] = 96;
1558                         $singleitem["actor"]["image"]["height"] = 96;
1559                         $singleitem["actor"]["type"] = "person";
1560                         $singleitem["actor"]["url"] = $item["person"]["contact_url"];
1561                         $singleitem["actor"]["statusnet:profile_info"]["local_id"] = $item["user"]["id"];
1562                         $singleitem["actor"]["statusnet:profile_info"]["following"] = $item["user"]["following"] ? "true" : "false";
1563                         $singleitem["actor"]["statusnet:profile_info"]["blocking"] = "false";
1564                         $singleitem["actor"]["contact"]["preferredUsername"] = $item["user"]["screen_name"];
1565                         $singleitem["actor"]["contact"]["displayName"] = $item["user"]["name"];
1566                         $singleitem["actor"]["contact"]["addresses"] = "";
1567
1568                         $singleitem["body"] = $item["text"];
1569                         $singleitem["object"]["displayName"] = $item["text"];
1570                         $singleitem["object"]["id"] = $item["url"];
1571                         $singleitem["object"]["type"] = "note";
1572                         $singleitem["object"]["url"] = $item["url"];
1573                         //$singleitem["context"] =;
1574                         $singleitem["postedTime"] = date("c", strtotime($item["published"]));
1575                         $singleitem["provider"]["objectType"] = "service";
1576                         $singleitem["provider"]["displayName"] = "Test";
1577                         $singleitem["provider"]["url"] = "http://test.tld";
1578                         $singleitem["title"] = $item["text"];
1579                         $singleitem["verb"] = "post";
1580                         $singleitem["statusnet:notice_info"]["local_id"] = $item["id"];
1581                         $singleitem["statusnet:notice_info"]["source"] = $item["source"];
1582                         $singleitem["statusnet:notice_info"]["favorite"] = "false";
1583                         $singleitem["statusnet:notice_info"]["repeated"] = "false";
1584                         //$singleitem["original"] = $item;
1585                         $items[] = $singleitem;
1586                 }
1587                 $as['items'] = $items;
1588                 $as['link']['url'] = $a->get_baseurl()."/".$user_info["screen_name"]."/all";
1589                 $as['link']['rel'] = "alternate";
1590                 $as['link']['type'] = "text/html";
1591                 return($as);
1592         }
1593
1594         function api_format_messages($item, $recipient, $sender) {
1595                 // standard meta information
1596                 $ret=Array(
1597                                 'id'                    => $item['id'],
1598                                 'sender_id'             => $sender['id'] ,
1599                                 'text'                  => "",
1600                                 'recipient_id'          => $recipient['id'],
1601                                 'created_at'            => api_date($item['created']),
1602                                 'sender_screen_name'    => $sender['screen_name'],
1603                                 'recipient_screen_name' => $recipient['screen_name'],
1604                                 'sender'                => $sender,
1605                                 'recipient'             => $recipient,
1606                 );
1607
1608                 // "uid" and "self" are only needed for some internal stuff, so remove it from here
1609                 unset($ret["sender"]["uid"]);
1610                 unset($ret["sender"]["self"]);
1611                 unset($ret["recipient"]["uid"]);
1612                 unset($ret["recipient"]["self"]);
1613
1614                 //don't send title to regular StatusNET requests to avoid confusing these apps
1615                 if (x($_GET, 'getText')) {
1616                         $ret['title'] = $item['title'] ;
1617                         if ($_GET["getText"] == "html") {
1618                                 $ret['text'] = bbcode($item['body'], false, false);
1619                         }
1620                         elseif ($_GET["getText"] == "plain") {
1621                                 //$ret['text'] = html2plain(bbcode($item['body'], false, false, true), 0);
1622                                 $ret['text'] = trim(html2plain(bbcode(api_clean_plain_items($item['body']), false, false, 2, true), 0));
1623                         }
1624                 }
1625                 else {
1626                         $ret['text'] = $item['title']."\n".html2plain(bbcode(api_clean_plain_items($item['body']), false, false, 2, true), 0);
1627                 }
1628                 if (isset($_GET["getUserObjects"]) && $_GET["getUserObjects"] == "false") {
1629                         unset($ret['sender']);
1630                         unset($ret['recipient']);
1631                 }
1632
1633                 return $ret;
1634         }
1635
1636         function api_get_entitities(&$text, $bbcode) {
1637                 /*
1638                 To-Do:
1639                 * Links at the first character of the post
1640                 */
1641
1642                 $a = get_app();
1643
1644                 $result = q("SELECT `installed` FROM `addon` WHERE `name` = 'privacy_image_cache' AND `installed`");
1645                 $image_cache = (count($result) > 0);
1646
1647                 $include_entities = strtolower(x($_REQUEST,'include_entities')?$_REQUEST['include_entities']:"false");
1648
1649                 if ($include_entities != "true") {
1650                         if ($image_cache) {
1651                                 require_once("addon/privacy_image_cache/privacy_image_cache.php");
1652
1653                                 preg_match_all("/\[img](.*?)\[\/img\]/ism", $bbcode, $images);
1654
1655                                 foreach ($images[1] AS $image) {
1656                                         $replace = $a->get_baseurl()."/privacy_image_cache/".privacy_image_cache_cachename($image);
1657                                         $text = str_replace($image, $replace, $text);
1658                                 }
1659                         }
1660                         return array();
1661                 }
1662
1663                 $bbcode = bb_CleanPictureLinks($bbcode);
1664
1665                 // Change pure links in text to bbcode uris
1666                 $bbcode = preg_replace("/([^\]\='".'"'."]|^)(https?\:\/\/[a-zA-Z0-9\:\/\-\?\&\;\.\=\_\~\#\%\$\!\+\,]+)/ism", '$1[url=$2]$2[/url]', $bbcode);
1667
1668                 $entities = array();
1669                 $entities["hashtags"] = array();
1670                 $entities["symbols"] = array();
1671                 $entities["urls"] = array();
1672                 $entities["user_mentions"] = array();
1673
1674                 $URLSearchString = "^\[\]";
1675
1676                 $bbcode = preg_replace("/#\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism",'#$2',$bbcode);
1677
1678                 $bbcode = preg_replace("/\[bookmark\=([$URLSearchString]*)\](.*?)\[\/bookmark\]/ism",'[url=$1]$2[/url]',$bbcode);
1679                 //$bbcode = preg_replace("/\[url\](.*?)\[\/url\]/ism",'[url=$1]$1[/url]',$bbcode);
1680                 $bbcode = preg_replace("/\[video\](.*?)\[\/video\]/ism",'[url=$1]$1[/url]',$bbcode);
1681
1682                 $bbcode = preg_replace("/\[youtube\]([A-Za-z0-9\-_=]+)(.*?)\[\/youtube\]/ism",
1683                                         '[url=https://www.youtube.com/watch?v=$1]https://www.youtube.com/watch?v=$1[/url]', $bbcode);
1684                 $bbcode = preg_replace("/\[youtube\](.*?)\[\/youtube\]/ism",'[url=$1]$1[/url]',$bbcode);
1685
1686                 $bbcode = preg_replace("/\[vimeo\]([0-9]+)(.*?)\[\/vimeo\]/ism",
1687                                         '[url=https://vimeo.com/$1]https://vimeo.com/$1[/url]', $bbcode);
1688                 $bbcode = preg_replace("/\[vimeo\](.*?)\[\/vimeo\]/ism",'[url=$1]$1[/url]',$bbcode);
1689
1690                 $bbcode = preg_replace("/\[img\=([0-9]*)x([0-9]*)\](.*?)\[\/img\]/ism", '[img]$3[/img]', $bbcode);
1691
1692                 //preg_match_all("/\[url\]([$URLSearchString]*)\[\/url\]/ism", $bbcode, $urls1);
1693                 preg_match_all("/\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism", $bbcode, $urls);
1694
1695                 $ordered_urls = array();
1696                 foreach ($urls[1] AS $id=>$url) {
1697                         //$start = strpos($text, $url, $offset);
1698                         $start = iconv_strpos($text, $url, 0, "UTF-8");
1699                         if (!($start === false))
1700                                 $ordered_urls[$start] = array("url" => $url, "title" => $urls[2][$id]);
1701                 }
1702
1703                 ksort($ordered_urls);
1704
1705                 $offset = 0;
1706                 //foreach ($urls[1] AS $id=>$url) {
1707                 foreach ($ordered_urls AS $url) {
1708                         if ((substr($url["title"], 0, 7) != "http://") AND (substr($url["title"], 0, 8) != "https://") AND
1709                                 !strpos($url["title"], "http://") AND !strpos($url["title"], "https://"))
1710                                 $display_url = $url["title"];
1711                         else {
1712                                 $display_url = str_replace(array("http://www.", "https://www."), array("", ""), $url["url"]);
1713                                 $display_url = str_replace(array("http://", "https://"), array("", ""), $display_url);
1714
1715                                 if (strlen($display_url) > 26)
1716                                         $display_url = substr($display_url, 0, 25)."…";
1717                         }
1718
1719                         //$start = strpos($text, $url, $offset);
1720                         $start = iconv_strpos($text, $url["url"], $offset, "UTF-8");
1721                         if (!($start === false)) {
1722                                 $entities["urls"][] = array("url" => $url["url"],
1723                                                                 "expanded_url" => $url["url"],
1724                                                                 "display_url" => $display_url,
1725                                                                 "indices" => array($start, $start+strlen($url["url"])));
1726                                 $offset = $start + 1;
1727                         }
1728                 }
1729
1730                 preg_match_all("/\[img](.*?)\[\/img\]/ism", $bbcode, $images);
1731                 $ordered_images = array();
1732                 foreach ($images[1] AS $image) {
1733                         //$start = strpos($text, $url, $offset);
1734                         $start = iconv_strpos($text, $image, 0, "UTF-8");
1735                         if (!($start === false))
1736                                 $ordered_images[$start] = $image;
1737                 }
1738                 //$entities["media"] = array();
1739                 $offset = 0;
1740
1741                 foreach ($ordered_images AS $url) {
1742                         $display_url = str_replace(array("http://www.", "https://www."), array("", ""), $url);
1743                         $display_url = str_replace(array("http://", "https://"), array("", ""), $display_url);
1744
1745                         if (strlen($display_url) > 26)
1746                                 $display_url = substr($display_url, 0, 25)."…";
1747
1748                         $start = iconv_strpos($text, $url, $offset, "UTF-8");
1749                         if (!($start === false)) {
1750                                 require_once("include/Photo.php");
1751                                 $image = get_photo_info($url);
1752                                 if ($image) {
1753                                         // If privacy_image_cache is activated, then use the following sizes:
1754                                         // thumb  (150), small (340), medium (600) and large (1024)
1755                                         if ($image_cache) {
1756                                                 require_once("addon/privacy_image_cache/privacy_image_cache.php");
1757                                                 $media_url = $a->get_baseurl()."/privacy_image_cache/".privacy_image_cache_cachename($url);
1758
1759                                                 $sizes = array();
1760                                                 $scale = scale_image($image[0], $image[1], 150);
1761                                                 $sizes["thumb"] = array("w" => $scale["width"], "h" => $scale["height"], "resize" => "fit");
1762
1763                                                 if (($image[0] > 150) OR ($image[1] > 150)) {
1764                                                         $scale = scale_image($image[0], $image[1], 340);
1765                                                         $sizes["small"] = array("w" => $scale["width"], "h" => $scale["height"], "resize" => "fit");
1766                                                 }
1767
1768                                                 $scale = scale_image($image[0], $image[1], 600);
1769                                                 $sizes["medium"] = array("w" => $scale["width"], "h" => $scale["height"], "resize" => "fit");
1770
1771                                                 if (($image[0] > 600) OR ($image[1] > 600)) {
1772                                                         $scale = scale_image($image[0], $image[1], 1024);
1773                                                         $sizes["large"] = array("w" => $scale["width"], "h" => $scale["height"], "resize" => "fit");
1774                                                 }
1775                                         } else {
1776                                                 $media_url = $url;
1777                                                 $sizes["medium"] = array("w" => $image[0], "h" => $image[1], "resize" => "fit");
1778                                         }
1779
1780                                         $entities["media"][] = array(
1781                                                                 "id" => $start+1,
1782                                                                 "id_str" => (string)$start+1,
1783                                                                 "indices" => array($start, $start+strlen($url)),
1784                                                                 "media_url" => normalise_link($media_url),
1785                                                                 "media_url_https" => $media_url,
1786                                                                 "url" => $url,
1787                                                                 "display_url" => $display_url,
1788                                                                 "expanded_url" => $url,
1789                                                                 "type" => "photo",
1790                                                                 "sizes" => $sizes);
1791                                 }
1792                                 $offset = $start + 1;
1793                         }
1794                 }
1795
1796                 return($entities);
1797         }
1798
1799         function api_format_items($r,$user_info, $filter_user = false) {
1800
1801                 $a = get_app();
1802                 $ret = Array();
1803
1804                 foreach($r as $item) {
1805                         api_share_as_retweet($a, api_user(), $item);
1806
1807                         localize_item($item);
1808                         $status_user = api_item_get_user($a,$item);
1809
1810                         // Look if the posts are matching if they should be filtered by user id
1811                         if ($filter_user AND ($status_user["id"] != $user_info["id"]))
1812                                 continue;
1813
1814                         if ($item['thr-parent'] != $item['uri']) {
1815                                 $r = q("SELECT id FROM item WHERE uid=%d AND uri='%s' LIMIT 1",
1816                                         intval(api_user()),
1817                                         dbesc($item['thr-parent']));
1818                                 if ($r)
1819                                         $in_reply_to_status_id = intval($r[0]['id']);
1820                                 else
1821                                         $in_reply_to_status_id = intval($item['parent']);
1822
1823                                 $in_reply_to_status_id_str = (string) intval($item['parent']);
1824
1825                                 $in_reply_to_screen_name = NULL;
1826                                 $in_reply_to_user_id = NULL;
1827                                 $in_reply_to_user_id_str = NULL;
1828
1829                                 $r = q("SELECT `author-link` FROM item WHERE uid=%d AND id=%d LIMIT 1",
1830                                         intval(api_user()),
1831                                         intval($in_reply_to_status_id));
1832                                 if ($r) {
1833                                         $r = q("SELECT * FROM unique_contacts WHERE `url` = '%s'", dbesc(normalise_link($r[0]['author-link'])));
1834
1835                                         if ($r) {
1836                                                 if ($r[0]['nick'] == "")
1837                                                         $r[0]['nick'] = api_get_nick($r[0]["url"]);
1838
1839                                                 $in_reply_to_screen_name = (($r[0]['nick']) ? $r[0]['nick'] : $r[0]['name']);
1840                                                 $in_reply_to_user_id = intval($r[0]['id']);
1841                                                 $in_reply_to_user_id_str = (string) intval($r[0]['id']);
1842                                         }
1843                                 }
1844                         } else {
1845                                 $in_reply_to_screen_name = NULL;
1846                                 $in_reply_to_user_id = NULL;
1847                                 $in_reply_to_status_id = NULL;
1848                                 $in_reply_to_user_id_str = NULL;
1849                                 $in_reply_to_status_id_str = NULL;
1850                         }
1851
1852                         // Workaround for ostatus messages where the title is identically to the body
1853                         //$statusbody = trim(html2plain(bbcode(api_clean_plain_items($item['body']), false, false, 5, true), 0));
1854                         $html = bbcode(api_clean_plain_items($item['body']), false, false, 2, true);
1855                         $statusbody = trim(html2plain($html, 0));
1856
1857                         $statustitle = trim($item['title']);
1858
1859                         if (($statustitle != '') and (strpos($statusbody, $statustitle) !== false))
1860                                 $statustext = trim($statusbody);
1861                         else
1862                                 $statustext = trim($statustitle."\n\n".$statusbody);
1863
1864                         if (($item["network"] == NETWORK_FEED) and (strlen($statustext)> 1000))
1865                                 $statustext = substr($statustext, 0, 1000)."... \n".$item["plink"];
1866
1867                         $status = array(
1868                                 'text'          => $statustext,
1869                                 'truncated' => False,
1870                                 'created_at'=> api_date($item['created']),
1871                                 'in_reply_to_status_id' => $in_reply_to_status_id,
1872                                 'in_reply_to_status_id_str' => $in_reply_to_status_id_str,
1873                                 'source'    => (($item['app']) ? $item['app'] : 'web'),
1874                                 'id'            => intval($item['id']),
1875                                 'id_str'        => (string) intval($item['id']),
1876                                 'in_reply_to_user_id' => $in_reply_to_user_id,
1877                                 'in_reply_to_user_id_str' => $in_reply_to_user_id_str,
1878                                 'in_reply_to_screen_name' => $in_reply_to_screen_name,
1879                                 'geo' => NULL,
1880                                 'favorited' => $item['starred'] ? true : false,
1881                                 //'attachments' => array(),
1882                                 'user' =>  $status_user ,
1883                                 //'entities' => NULL,
1884                                 'statusnet_html'                => trim(bbcode($item['body'], false, false)),
1885                                 'statusnet_conversation_id'     => $item['parent'],
1886                         );
1887
1888                         if ($item['title'] != "")
1889                                 $status['statusnet_html'] = "<h4>".bbcode($item['title'])."</h4>\n".$status['statusnet_html'];
1890
1891                         $entities = api_get_entitities($status['text'], $item['body']);
1892                         if (count($entities) > 0)
1893                                 $status['entities'] = $entities;
1894
1895                         if (($item['item_network'] != "") AND ($status["source"] == 'web'))
1896                                 $status["source"] = network_to_name($item['item_network']);
1897                         else if (($item['item_network'] != "") AND (network_to_name($item['item_network']) != $status["source"]))
1898                                 $status["source"] = trim($status["source"].' ('.network_to_name($item['item_network']).')');
1899
1900
1901                         // Retweets are only valid for top postings
1902                         // It doesn't work reliable with the link if its a feed
1903                         $IsRetweet = ($item['owner-link'] != $item['author-link']);
1904                         if ($IsRetweet)
1905                                 $IsRetweet = (($item['owner-name'] != $item['author-name']) OR ($item['owner-avatar'] != $item['author-avatar']));
1906
1907                         if ($IsRetweet AND ($item["id"] == $item["parent"])) {
1908                                 $retweeted_status = $status;
1909                                 $retweeted_status["user"] = api_get_user($a,$item["author-link"]);
1910
1911                                 $status["retweeted_status"] = $retweeted_status;
1912                         }
1913
1914                         // "uid" and "self" are only needed for some internal stuff, so remove it from here
1915                         unset($status["user"]["uid"]);
1916                         unset($status["user"]["self"]);
1917
1918                         // 'geo' => array('type' => 'Point',
1919                         //                   'coordinates' => array((float) $notice->lat,
1920                         //                                          (float) $notice->lon));
1921
1922                         $ret[] = $status;
1923                 };
1924                 return $ret;
1925         }
1926
1927
1928         function api_account_rate_limit_status(&$a,$type) {
1929
1930                 $hash = array(
1931                           'reset_time_in_seconds' => strtotime('now + 1 hour'),
1932                           'remaining_hits' => (string) 150,
1933                           'hourly_limit' => (string) 150,
1934                           'reset_time' => api_date(datetime_convert('UTC','UTC','now + 1 hour',ATOM_TIME)),
1935                 );
1936                 if ($type == "xml")
1937                         $hash['resettime_in_seconds'] = $hash['reset_time_in_seconds'];
1938
1939                 return api_apply_template('ratelimit', $type, array('$hash' => $hash));
1940
1941         }
1942         api_register_func('api/account/rate_limit_status','api_account_rate_limit_status',true);
1943
1944         function api_help_test(&$a,$type) {
1945
1946                 if ($type == 'xml')
1947                         $ok = "true";
1948                 else
1949                         $ok = "ok";
1950
1951                 return api_apply_template('test', $type, array("$ok" => $ok));
1952
1953         }
1954         api_register_func('api/help/test','api_help_test',false);
1955
1956         function api_lists(&$a,$type) {
1957
1958                 $ret = array();
1959                 return array($ret);
1960         }
1961         api_register_func('api/lists','api_lists',true);
1962
1963         function api_lists_list(&$a,$type) {
1964
1965                 $ret = array();
1966                 return array($ret);
1967         }
1968         api_register_func('api/lists/list','api_lists_list',true);
1969
1970         /**
1971          *  https://dev.twitter.com/docs/api/1/get/statuses/friends
1972          *  This function is deprecated by Twitter
1973          *  returns: json, xml
1974          **/
1975         function api_statuses_f(&$a, $type, $qtype) {
1976                 if (api_user()===false) return false;
1977                 $user_info = api_get_user($a);
1978
1979                 if (x($_GET,'cursor') && $_GET['cursor']=='undefined'){
1980                         /* this is to stop Hotot to load friends multiple times
1981                         *  I'm not sure if I'm missing return something or
1982                         *  is a bug in hotot. Workaround, meantime
1983                         */
1984
1985                         /*$ret=Array();
1986                         return array('$users' => $ret);*/
1987                         return false;
1988                 }
1989
1990                 if($qtype == 'friends')
1991                         $sql_extra = sprintf(" AND ( `rel` = %d OR `rel` = %d ) ", intval(CONTACT_IS_SHARING), intval(CONTACT_IS_FRIEND));
1992                 if($qtype == 'followers')
1993                         $sql_extra = sprintf(" AND ( `rel` = %d OR `rel` = %d ) ", intval(CONTACT_IS_FOLLOWER), intval(CONTACT_IS_FRIEND));
1994
1995                 // friends and followers only for self
1996                 if ($user_info['self'] == 0)
1997                         $sql_extra = " AND false ";
1998
1999                 $r = q("SELECT `nurl` FROM `contact` WHERE `uid` = %d AND `self` = 0 AND `blocked` = 0 AND `pending` = 0 $sql_extra",
2000                         intval(api_user())
2001                 );
2002
2003                 $ret = array();
2004                 foreach($r as $cid){
2005                         $user = api_get_user($a, $cid['nurl']);
2006                         // "uid" and "self" are only needed for some internal stuff, so remove it from here
2007                         unset($user["uid"]);
2008                         unset($user["self"]);
2009
2010                         if ($user)
2011                                 $ret[] = $user;
2012                 }
2013
2014                 return array('$users' => $ret);
2015
2016         }
2017         function api_statuses_friends(&$a, $type){
2018                 $data =  api_statuses_f($a,$type,"friends");
2019                 if ($data===false) return false;
2020                 return  api_apply_template("friends", $type, $data);
2021         }
2022         function api_statuses_followers(&$a, $type){
2023                 $data = api_statuses_f($a,$type,"followers");
2024                 if ($data===false) return false;
2025                 return  api_apply_template("friends", $type, $data);
2026         }
2027         api_register_func('api/statuses/friends','api_statuses_friends',true);
2028         api_register_func('api/statuses/followers','api_statuses_followers',true);
2029
2030
2031
2032
2033
2034
2035         function api_statusnet_config(&$a,$type) {
2036                 $name = $a->config['sitename'];
2037                 $server = $a->get_hostname();
2038                 $logo = $a->get_baseurl() . '/images/friendica-64.png';
2039                 $email = $a->config['admin_email'];
2040                 $closed = (($a->config['register_policy'] == REGISTER_CLOSED) ? 'true' : 'false');
2041                 $private = (($a->config['system']['block_public']) ? 'true' : 'false');
2042                 $textlimit = (string) (($a->config['max_import_size']) ? $a->config['max_import_size'] : 200000);
2043                 if($a->config['api_import_size'])
2044                         $texlimit = string($a->config['api_import_size']);
2045                 $ssl = (($a->config['system']['have_ssl']) ? 'true' : 'false');
2046                 $sslserver = (($ssl === 'true') ? str_replace('http:','https:',$a->get_baseurl()) : '');
2047
2048                 $config = array(
2049                         'site' => array('name' => $name,'server' => $server, 'theme' => 'default', 'path' => '',
2050                                 'logo' => $logo, 'fancy' => true, 'language' => 'en', 'email' => $email, 'broughtby' => '',
2051                                 'broughtbyurl' => '', 'timezone' => 'UTC', 'closed' => $closed, 'inviteonly' => false,
2052                                 'private' => $private, 'textlimit' => $textlimit, 'sslserver' => $sslserver, 'ssl' => $ssl,
2053                                 'shorturllength' => '30',
2054                                 'friendica' => array(
2055                                                 'FRIENDICA_PLATFORM' => FRIENDICA_PLATFORM,
2056                                                 'FRIENDICA_VERSION' => FRIENDICA_VERSION,
2057                                                 'DFRN_PROTOCOL_VERSION' => DFRN_PROTOCOL_VERSION,
2058                                                 'DB_UPDATE_VERSION' => DB_UPDATE_VERSION
2059                                                 )
2060                         ),
2061                 );
2062
2063                 return api_apply_template('config', $type, array('$config' => $config));
2064
2065         }
2066         api_register_func('api/statusnet/config','api_statusnet_config',false);
2067
2068         function api_statusnet_version(&$a,$type) {
2069
2070                 // liar
2071
2072                 if($type === 'xml') {
2073                         header("Content-type: application/xml");
2074                         echo '<?xml version="1.0" encoding="UTF-8"?>' . "\r\n" . '<version>0.9.7</version>' . "\r\n";
2075                         killme();
2076                 }
2077                 elseif($type === 'json') {
2078                         header("Content-type: application/json");
2079                         echo '"0.9.7"';
2080                         killme();
2081                 }
2082         }
2083         api_register_func('api/statusnet/version','api_statusnet_version',false);
2084
2085
2086         function api_ff_ids(&$a,$type,$qtype) {
2087                 if(! api_user())
2088                         return false;
2089
2090                 $user_info = api_get_user($a);
2091
2092                 if($qtype == 'friends')
2093                         $sql_extra = sprintf(" AND ( `rel` = %d OR `rel` = %d ) ", intval(CONTACT_IS_SHARING), intval(CONTACT_IS_FRIEND));
2094                 if($qtype == 'followers')
2095                         $sql_extra = sprintf(" AND ( `rel` = %d OR `rel` = %d ) ", intval(CONTACT_IS_FOLLOWER), intval(CONTACT_IS_FRIEND));
2096
2097                 if (!$user_info["self"])
2098                         $sql_extra = " AND false ";
2099
2100                 $stringify_ids = (x($_REQUEST,'stringify_ids')?$_REQUEST['stringify_ids']:false);
2101
2102                 $r = q("SELECT unique_contacts.id FROM contact, unique_contacts WHERE contact.nurl = unique_contacts.url AND `uid` = %d AND `self` = 0 AND `blocked` = 0 AND `pending` = 0 $sql_extra",
2103                         intval(api_user())
2104                 );
2105
2106                 if(is_array($r)) {
2107
2108                         if($type === 'xml') {
2109                                 header("Content-type: application/xml");
2110                                 echo '<?xml version="1.0" encoding="UTF-8"?>' . "\r\n" . '<ids>' . "\r\n";
2111                                 foreach($r as $rr)
2112                                         echo '<id>' . $rr['id'] . '</id>' . "\r\n";
2113                                 echo '</ids>' . "\r\n";
2114                                 killme();
2115                         }
2116                         elseif($type === 'json') {
2117                                 $ret = array();
2118                                 header("Content-type: application/json");
2119                                 foreach($r as $rr)
2120                                         if ($stringify_ids)
2121                                                 $ret[] = $rr['id'];
2122                                         else
2123                                                 $ret[] = intval($rr['id']);
2124
2125                                 echo json_encode($ret);
2126                                 killme();
2127                         }
2128                 }
2129         }
2130
2131         function api_friends_ids(&$a,$type) {
2132                 api_ff_ids($a,$type,'friends');
2133         }
2134         function api_followers_ids(&$a,$type) {
2135                 api_ff_ids($a,$type,'followers');
2136         }
2137         api_register_func('api/friends/ids','api_friends_ids',true);
2138         api_register_func('api/followers/ids','api_followers_ids',true);
2139
2140
2141         function api_direct_messages_new(&$a, $type) {
2142                 if (api_user()===false) return false;
2143
2144                 if (!x($_POST, "text") OR (!x($_POST,"screen_name") AND !x($_POST,"user_id"))) return;
2145
2146                 $sender = api_get_user($a);
2147
2148                 require_once("include/message.php");
2149
2150                 if ($_POST['screen_name']) {
2151                         $r = q("SELECT `id`, `nurl`, `network` FROM `contact` WHERE `uid`=%d AND `nick`='%s'",
2152                                         intval(api_user()),
2153                                         dbesc($_POST['screen_name']));
2154
2155                         // Selecting the id by priority, friendica first
2156                         api_best_nickname($r);
2157
2158                         $recipient = api_get_user($a, $r[0]['nurl']);
2159                 } else
2160                         $recipient = api_get_user($a, $_POST['user_id']);
2161
2162                 $replyto = '';
2163                 $sub     = '';
2164                 if (x($_REQUEST,'replyto')) {
2165                         $r = q('SELECT `parent-uri`, `title` FROM `mail` WHERE `uid`=%d AND `id`=%d',
2166                                         intval(api_user()),
2167                                         intval($_REQUEST['replyto']));
2168                         $replyto = $r[0]['parent-uri'];
2169                         $sub     = $r[0]['title'];
2170                 }
2171                 else {
2172                         if (x($_REQUEST,'title')) {
2173                                 $sub = $_REQUEST['title'];
2174                         }
2175                         else {
2176                                 $sub = ((strlen($_POST['text'])>10)?substr($_POST['text'],0,10)."...":$_POST['text']);
2177                         }
2178                 }
2179
2180                 $id = send_message($recipient['cid'], $_POST['text'], $sub, $replyto);
2181
2182                 if ($id>-1) {
2183                         $r = q("SELECT * FROM `mail` WHERE id=%d", intval($id));
2184                         $ret = api_format_messages($r[0], $recipient, $sender);
2185
2186                 } else {
2187                         $ret = array("error"=>$id);
2188                 }
2189
2190                 $data = Array('$messages'=>$ret);
2191
2192                 switch($type){
2193                         case "atom":
2194                         case "rss":
2195                                 $data = api_rss_extra($a, $data, $user_info);
2196                 }
2197
2198                 return  api_apply_template("direct_messages", $type, $data);
2199
2200         }
2201         api_register_func('api/direct_messages/new','api_direct_messages_new',true);
2202
2203         function api_direct_messages_box(&$a, $type, $box) {
2204                 if (api_user()===false) return false;
2205
2206                 unset($_REQUEST["user_id"]);
2207                 unset($_GET["user_id"]);
2208
2209                 unset($_REQUEST["screen_name"]);
2210                 unset($_GET["screen_name"]);
2211
2212                 $user_info = api_get_user($a);
2213
2214                 // params
2215                 $count = (x($_GET,'count')?$_GET['count']:20);
2216                 $page = (x($_REQUEST,'page')?$_REQUEST['page']-1:0);
2217                 if ($page<0) $page=0;
2218
2219                 $since_id = (x($_REQUEST,'since_id')?$_REQUEST['since_id']:0);
2220                 $max_id = (x($_REQUEST,'max_id')?$_REQUEST['max_id']:0);
2221
2222                 $start = $page*$count;
2223
2224                 //$profile_url = $a->get_baseurl() . '/profile/' . $a->user['nickname'];
2225                 $profile_url = $user_info["url"];
2226
2227                 if ($box=="sentbox") {
2228                         $sql_extra = "`mail`.`from-url`='".dbesc( $profile_url )."'";
2229                 }
2230                 elseif ($box=="conversation") {
2231                         $sql_extra = "`mail`.`parent-uri`='".dbesc( $_GET["uri"] )  ."'";
2232                 }
2233                 elseif ($box=="all") {
2234                         $sql_extra = "true";
2235                 }
2236                 elseif ($box=="inbox") {
2237                         $sql_extra = "`mail`.`from-url`!='".dbesc( $profile_url )."'";
2238                 }
2239
2240                 if ($max_id > 0)
2241                         $sql_extra .= ' AND `mail`.`id` <= '.intval($max_id);
2242
2243                 $r = q("SELECT `mail`.*, `contact`.`nurl` AS `contact-url` FROM `mail`,`contact` WHERE `mail`.`contact-id` = `contact`.`id` AND `mail`.`uid`=%d AND $sql_extra AND `mail`.`id` > %d ORDER BY `mail`.`id` DESC LIMIT %d,%d",
2244                                 intval(api_user()),
2245                                 intval($since_id),
2246                                 intval($start), intval($count)
2247                 );
2248
2249                 $ret = Array();
2250                 foreach($r as $item) {
2251                         if ($box == "inbox" || $item['from-url'] != $profile_url){
2252                                 $recipient = $user_info;
2253                                 $sender = api_get_user($a,normalise_link($item['contact-url']));
2254                         }
2255                         elseif ($box == "sentbox" || $item['from-url'] != $profile_url){
2256                                 $recipient = api_get_user($a,normalise_link($item['contact-url']));
2257                                 $sender = $user_info;
2258
2259                         }
2260
2261                         $ret[]=api_format_messages($item, $recipient, $sender);
2262                 }
2263
2264
2265                 $data = array('$messages' => $ret);
2266                 switch($type){
2267                         case "atom":
2268                         case "rss":
2269                                 $data = api_rss_extra($a, $data, $user_info);
2270                 }
2271
2272                 return  api_apply_template("direct_messages", $type, $data);
2273
2274         }
2275
2276         function api_direct_messages_sentbox(&$a, $type){
2277                 return api_direct_messages_box($a, $type, "sentbox");
2278         }
2279         function api_direct_messages_inbox(&$a, $type){
2280                 return api_direct_messages_box($a, $type, "inbox");
2281         }
2282         function api_direct_messages_all(&$a, $type){
2283                 return api_direct_messages_box($a, $type, "all");
2284         }
2285         function api_direct_messages_conversation(&$a, $type){
2286                 return api_direct_messages_box($a, $type, "conversation");
2287         }
2288         api_register_func('api/direct_messages/conversation','api_direct_messages_conversation',true);
2289         api_register_func('api/direct_messages/all','api_direct_messages_all',true);
2290         api_register_func('api/direct_messages/sent','api_direct_messages_sentbox',true);
2291         api_register_func('api/direct_messages','api_direct_messages_inbox',true);
2292
2293
2294
2295         function api_oauth_request_token(&$a, $type){
2296                 try{
2297                         $oauth = new FKOAuth1();
2298                         $r = $oauth->fetch_request_token(OAuthRequest::from_request());
2299                 }catch(Exception $e){
2300                         echo "error=". OAuthUtil::urlencode_rfc3986($e->getMessage()); killme();
2301                 }
2302                 echo $r;
2303                 killme();
2304         }
2305         function api_oauth_access_token(&$a, $type){
2306                 try{
2307                         $oauth = new FKOAuth1();
2308                         $r = $oauth->fetch_access_token(OAuthRequest::from_request());
2309                 }catch(Exception $e){
2310                         echo "error=". OAuthUtil::urlencode_rfc3986($e->getMessage()); killme();
2311                 }
2312                 echo $r;
2313                 killme();
2314         }
2315
2316         api_register_func('api/oauth/request_token', 'api_oauth_request_token', false);
2317         api_register_func('api/oauth/access_token', 'api_oauth_access_token', false);
2318
2319
2320         function api_fr_photos_list(&$a,$type) {
2321                 if (api_user()===false) return false;
2322                 $r = q("select distinct `resource-id` from photo where uid = %d and album != 'Contact Photos' ",
2323                         intval(local_user())
2324                 );
2325                 if($r) {
2326                         $ret = array();
2327                         foreach($r as $rr)
2328                                 $ret[] = $rr['resource-id'];
2329                         header("Content-type: application/json");
2330                         echo json_encode($ret);
2331                 }
2332                 killme();
2333         }
2334
2335         function api_fr_photo_detail(&$a,$type) {
2336                 if (api_user()===false) return false;
2337                 if(! $_REQUEST['photo_id']) return false;
2338                 $scale = ((array_key_exists('scale',$_REQUEST)) ? intval($_REQUEST['scale']) : 0);
2339                 $r = q("select * from photo where uid = %d and `resource-id` = '%s' and scale = %d limit 1",
2340                         intval(local_user()),
2341                         dbesc($_REQUEST['photo_id']),
2342                         intval($scale)
2343                 );
2344                 if($r) {
2345                         header("Content-type: application/json");
2346                         $r[0]['data'] = base64_encode($r[0]['data']);
2347                         echo json_encode($r[0]);
2348                 }
2349
2350                 killme();       
2351         }
2352
2353         api_register_func('api/friendica/photos/list', 'api_fr_photos_list', true);
2354         api_register_func('api/friendica/photo', 'api_fr_photo_detail', true);
2355
2356
2357
2358
2359
2360
2361 function api_share_as_retweet($a, $uid, &$item) {
2362         $body = trim($item["body"]);
2363
2364         // Skip if it isn't a pure repeated messages
2365         // Does it start with a share?
2366         if (strpos($body, "[share") > 0)
2367                 return(false);
2368
2369         // Does it end with a share?
2370         if (strlen($body) > (strrpos($body, "[/share]") + 8))
2371                 return(false);
2372
2373         $attributes = preg_replace("/\[share(.*?)\]\s?(.*?)\s?\[\/share\]\s?/ism","$1",$body);
2374         // Skip if there is no shared message in there
2375         if ($body == $attributes)
2376                 return(false);
2377
2378         $author = "";
2379         preg_match("/author='(.*?)'/ism", $attributes, $matches);
2380         if ($matches[1] != "")
2381                 $author = html_entity_decode($matches[1],ENT_QUOTES,'UTF-8');
2382
2383         preg_match('/author="(.*?)"/ism', $attributes, $matches);
2384         if ($matches[1] != "")
2385                 $author = $matches[1];
2386
2387         $profile = "";
2388         preg_match("/profile='(.*?)'/ism", $attributes, $matches);
2389         if ($matches[1] != "")
2390                 $profile = $matches[1];
2391
2392         preg_match('/profile="(.*?)"/ism', $attributes, $matches);
2393         if ($matches[1] != "")
2394                 $profile = $matches[1];
2395
2396         $avatar = "";
2397         preg_match("/avatar='(.*?)'/ism", $attributes, $matches);
2398         if ($matches[1] != "")
2399                 $avatar = $matches[1];
2400
2401         preg_match('/avatar="(.*?)"/ism', $attributes, $matches);
2402         if ($matches[1] != "")
2403                 $avatar = $matches[1];
2404
2405         $shared_body = preg_replace("/\[share(.*?)\]\s?(.*?)\s?\[\/share\]\s?/ism","$2",$body);
2406
2407         if (($shared_body == "") OR ($profile == "") OR ($author == "") OR ($avatar == ""))
2408                 return(false);
2409
2410         $item["body"] = $shared_body;
2411         $item["author-name"] = $author;
2412         $item["author-link"] = $profile;
2413         $item["author-avatar"] = $avatar;
2414
2415         return(true);
2416
2417 }
2418
2419 function api_get_nick($profile) {
2420 /* To-Do:
2421  - remove trailing jung from profile url
2422  - pump.io check has to check the website
2423 */
2424
2425         $nick = "";
2426
2427         $friendica = preg_replace("=https?://(.*)/profile/(.*)=ism", "$2", $profile);
2428         if ($friendica != $profile)
2429                 $nick = $friendica;
2430
2431         if (!$nick == "") {
2432                 $diaspora = preg_replace("=https?://(.*)/u/(.*)=ism", "$2", $profile);
2433                 if ($diaspora != $profile)
2434                         $nick = $diaspora;
2435         }
2436
2437         if (!$nick == "") {
2438                 $twitter = preg_replace("=https?://twitter.com/(.*)=ism", "$1", $profile);
2439                 if ($twitter != $profile)
2440                         $nick = $twitter;
2441         }
2442
2443
2444         if (!$nick == "") {
2445                 $StatusnetHost = preg_replace("=https?://(.*)/user/(.*)=ism", "$1", $profile);
2446                 if ($StatusnetHost != $profile) {
2447                         $StatusnetUser = preg_replace("=https?://(.*)/user/(.*)=ism", "$2", $profile);
2448                         if ($StatusnetUser != $profile) {
2449                                 $UserData = fetch_url("http://".$StatusnetHost."/api/users/show.json?user_id=".$StatusnetUser);
2450                                 $user = json_decode($UserData);
2451                                 if ($user)
2452                                         $nick = $user->screen_name;
2453                         }
2454                 }
2455         }
2456
2457         // To-Do: look at the page if its really a pumpio site
2458         //if (!$nick == "") {
2459         //      $pumpio = preg_replace("=https?://(.*)/(.*)/=ism", "$2", $profile."/");
2460         //      if ($pumpio != $profile)
2461         //              $nick = $pumpio;
2462                 //      <div class="media" id="profile-block" data-profile-id="acct:kabniel@microca.st">
2463
2464         //}
2465
2466         if ($nick != "") {
2467                 q("UPDATE unique_contacts SET nick = '%s' WHERE url = '%s'",
2468                         dbesc($nick), dbesc(normalise_link($profile)));
2469                 return($nick);
2470         }
2471
2472         return(false);
2473 }
2474
2475 function api_clean_plain_items($Text) {
2476         $include_entities = strtolower(x($_REQUEST,'include_entities')?$_REQUEST['include_entities']:"false");
2477
2478         $Text = bb_CleanPictureLinks($Text);
2479
2480         $URLSearchString = "^\[\]";
2481
2482         $Text = preg_replace("/([!#@])\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism",'$1$3',$Text);
2483
2484         if ($include_entities == "true") {
2485                 $Text = preg_replace("/\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism",'[url=$1]$1[/url]',$Text);
2486         }
2487
2488         $Text = preg_replace_callback("((.*?)\[class=(.*?)\](.*?)\[\/class\])ism","api_cleanup_share",$Text);
2489         return($Text);
2490 }
2491
2492 function api_cleanup_share($shared) {
2493         if ($shared[2] != "type-link")
2494                 return($shared[0]);
2495
2496         if (!preg_match_all("/\[bookmark\=([^\]]*)\](.*?)\[\/bookmark\]/ism",$shared[3], $bookmark))
2497                 return($shared[0]);
2498
2499         $title = "";
2500         $link = "";
2501
2502         if (isset($bookmark[2][0]))
2503                 $title = $bookmark[2][0];
2504
2505         if (isset($bookmark[1][0]))
2506                 $link = $bookmark[1][0];
2507
2508         if (strpos($shared[1],$title) !== false)
2509                 $title = "";
2510
2511         if (strpos($shared[1],$link) !== false)
2512                 $link = "";
2513
2514         $text = trim($shared[1]);
2515
2516         //if (strlen($text) < strlen($title))
2517         if (($text == "") AND ($title != ""))
2518                 $text .= "\n\n".trim($title);
2519
2520         if ($link != "")
2521                 $text .= "\n".trim($link);
2522
2523         return(trim($text));
2524 }
2525
2526 function api_best_nickname(&$contacts) {
2527         $best_contact = array();
2528
2529         if (count($contact) == 0)
2530                 return;
2531
2532         foreach ($contacts AS $contact)
2533                 if ($contact["network"] == "") {
2534                         $contact["network"] = "dfrn";
2535                         $best_contact = array($contact);
2536                 }
2537
2538         if (sizeof($best_contact) == 0)
2539                 foreach ($contacts AS $contact)
2540                         if ($contact["network"] == "dfrn")
2541                                 $best_contact = array($contact);
2542
2543         if (sizeof($best_contact) == 0)
2544                 foreach ($contacts AS $contact)
2545                         if ($contact["network"] == "dspr")
2546                                 $best_contact = array($contact);
2547
2548         if (sizeof($best_contact) == 0)
2549                 foreach ($contacts AS $contact)
2550                         if ($contact["network"] == "stat")
2551                                 $best_contact = array($contact);
2552
2553         if (sizeof($best_contact) == 0)
2554                 foreach ($contacts AS $contact)
2555                         if ($contact["network"] == "pump")
2556                                 $best_contact = array($contact);
2557
2558         if (sizeof($best_contact) == 0)
2559                 foreach ($contacts AS $contact)
2560                         if ($contact["network"] == "twit")
2561                                 $best_contact = array($contact);
2562
2563         if (sizeof($best_contact) == 1)
2564                 $contacts = $best_contact;
2565         else
2566                 $contacts = array($contacts[0]);
2567 }
2568
2569 /*
2570 Not implemented by now:
2571 favorites
2572 favorites/create
2573 favorites/destroy
2574 statuses/retweets_of_me
2575 friendships/create
2576 friendships/destroy
2577 friendships/exists
2578 friendships/show
2579 account/update_location
2580 account/update_profile_background_image
2581 account/update_profile_image
2582 blocks/create
2583 blocks/destroy
2584
2585 Not implemented in status.net:
2586 statuses/retweeted_to_me
2587 statuses/retweeted_by_me
2588 direct_messages/destroy
2589 account/end_session
2590 account/update_delivery_device
2591 notifications/follow
2592 notifications/leave
2593 blocks/exists
2594 blocks/blocking
2595 lists
2596 */