diff --git a/appnet/AppDotNet.php b/appnet/AppDotNet.php deleted file mode 100644 index 32361314..00000000 --- a/appnet/AppDotNet.php +++ /dev/null @@ -1,1647 +0,0 @@ -_clientId = $client_id; - $this->_clientSecret = $client_secret; - - // if the digicert certificate exists in the same folder as this file, - // remember that fact for later - if (file_exists(dirname(__FILE__).'/DigiCertHighAssuranceEVRootCA.pem')) { - $this->_sslCA = dirname(__FILE__).'/DigiCertHighAssuranceEVRootCA.pem'; - } - } - - /** - * Set whether or not to strip Envelope Response (meta) information - * This option will be deprecated in the future. Is it to allow - * a stepped migration path between code expecting the old behavior - * and new behavior. When not stripped, you still can use the proper - * method to pull the meta information. Please start converting your code ASAP - */ - public function includeResponseEnvelope() { - $this->_stripResponseEnvelope=false; - } - - /** - * Construct the proper Auth URL for the user to visit and either grant - * or not access to your app. Usually you would place this as a link for - * the user to client, or a redirect to send them to the auth URL. - * Also can be called after authentication for additional scopes - * @param string $callbackUri Where you want the user to be directed - * after authenticating with App.net. This must be one of the URIs - * allowed by your App.net application settings. - * @param array $scope An array of scopes (permissions) you wish to obtain - * from the user. Currently options are stream, email, write_post, follow, - * messages, and export. If you don't specify anything, you'll only receive - * access to the user's basic profile (the default). - */ - public function getAuthUrl($callback_uri,$scope=null) { - - // construct an authorization url based on our client id and other data - $data = array( - 'client_id'=>$this->_clientId, - 'response_type'=>'code', - 'redirect_uri'=>$callback_uri, - ); - - $url = $this->_authUrl; - if ($this->_accessToken) { - $url .= 'authorize?'; - } else { - $url .= 'authenticate?'; - } - $url .= $this->buildQueryString($data); - - if ($scope) { - $url .= '&scope='.implode('+',$scope); - } - - // return the constructed url - return $url; - } - - /** - * Call this after they return from the auth page, or anytime you need the - * token. For example, you could store it in a database and use - * setAccessToken() later on to return on behalf of the user. - */ - public function getAccessToken($callback_uri) { - // if there's no access token set, and they're returning from - // the auth page with a code, use the code to get a token - if (!$this->_accessToken && isset($_GET['code']) && $_GET['code']) { - - // construct the necessary elements to get a token - $data = array( - 'client_id'=>$this->_clientId, - 'client_secret'=>$this->_clientSecret, - 'grant_type'=>'authorization_code', - 'redirect_uri'=>$callback_uri, - 'code'=>$_GET['code'] - ); - - // try and fetch the token with the above data - $res = $this->httpReq('post',$this->_authUrl.'access_token', $data); - - // store it for later - $this->_accessToken = $res['access_token']; - $this->_username = $res['username']; - $this->_user_id = $res['user_id']; - } - - // return what we have (this may be a token, or it may be nothing) - return $this->_accessToken; - } - - /** - * Check the scope of current token to see if it has required scopes - * has to be done after a check - */ - public function checkScopes($app_scopes) { - if (!count($this->_scopes)) { - return -1; // _scope is empty - } - $missing=array(); - foreach($app_scopes as $scope) { - if (!in_array($scope,$this->_scopes)) { - if ($scope=='public_messages') { - // messages works for public_messages - if (in_array('messages',$this->_scopes)) { - // if we have messages in our scopes - continue; - } - } - $missing[]=$scope; - } - } - // identify the ones missing - if (count($missing)) { - // do something - return $missing; - } - return 0; // 0 missing - } - - /** - * Set the access token (eg: after retrieving it from offline storage) - * @param string $token A valid access token you're previously received - * from calling getAccessToken(). - */ - public function setAccessToken($token) { - $this->_accessToken = $token; - } - - /** - * Deauthorize the current token (delete your authorization from the API) - * Generally this is useful for logging users out from a web app, so they - * don't get automatically logged back in the next time you redirect them - * to the authorization URL. - */ - public function deauthorizeToken() { - return $this->httpReq('delete',$this->_baseUrl.'token'); - } - - /** - * Retrieve an app access token from the app.net API. This allows you - * to access the API without going through the user access flow if you - * just want to (eg) consume global. App access tokens are required for - * some actions (like streaming global). DO NOT share the return value - * of this function with any user (or save it in a cookie, etc). This - * is considered secret info for your app only. - * @return string The app access token - */ - public function getAppAccessToken() { - - // construct the necessary elements to get a token - $data = array( - 'client_id'=>$this->_clientId, - 'client_secret'=>$this->_clientSecret, - 'grant_type'=>'client_credentials', - ); - - // try and fetch the token with the above data - $res = $this->httpReq('post',$this->_authUrl.'access_token', $data); - - // store it for later - $this->_appAccessToken = $res['access_token']; - $this->_accessToken = $res['access_token']; - $this->_username = null; - $this->_user_id = null; - - return $this->_accessToken; - } - - /** - * Returns the total number of requests you're allowed within the - * alloted time period. - * @see getRateLimitReset() - */ - public function getRateLimit() { - return $this->_rateLimit; - } - - /** - * The number of requests you have remaining within the alloted time period - * @see getRateLimitReset() - */ - public function getRateLimitRemaining() { - return $this->_rateLimitRemaining; - } - - /** - * The number of seconds remaining in the alloted time period. - * When this time is up you'll have getRateLimit() available again. - */ - public function getRateLimitReset() { - return $this->_rateLimitReset; - } - - /** - * The scope the user has - */ - public function getScope() { - return $this->_scope; - } - - /** - * Internal function, parses out important information App.net adds - * to the headers. - */ - protected function parseHeaders($response) { - // take out the headers - // set internal variables - // return the body/content - $this->_rateLimit = null; - $this->_rateLimitRemaining = null; - $this->_rateLimitReset = null; - $this->_scope = null; - - $response = explode("\r\n\r\n",$response,2); - $headers = $response[0]; - - if($headers == 'HTTP/1.1 100 Continue') { - $response = explode("\r\n\r\n",$response[1],2); - $headers = $response[0]; - } - - if (isset($response[1])) { - $content = $response[1]; - } - else { - $content = null; - } - - // this is not a good way to parse http headers - // it will not (for example) take into account multiline headers - // but what we're looking for is pretty basic, so we can ignore those shortcomings - $headers = explode("\r\n",$headers); - foreach ($headers as $header) { - $header = explode(': ',$header,2); - if (count($header)<2) { - continue; - } - list($k,$v) = $header; - switch ($k) { - case 'X-RateLimit-Remaining': - $this->_rateLimitRemaining = $v; - break; - case 'X-RateLimit-Limit': - $this->_rateLimit = $v; - break; - case 'X-RateLimit-Reset': - $this->_rateLimitReset = $v; - break; - case 'X-OAuth-Scopes': - $this->_scope = $v; - $this->_scopes=explode(',',$v); - break; - } - } - return $content; - } - - /** - * Internal function. Used to turn things like TRUE into 1, and then - * calls http_build_query. - */ - protected function buildQueryString($array) { - foreach ($array as $k=>&$v) { - if ($v===true) { - $v = '1'; - } - elseif ($v===false) { - $v = '0'; - } - unset($v); - } - return http_build_query($array); - } - - - /** - * Internal function to handle all - * HTTP requests (POST,PUT,GET,DELETE) - */ - protected function httpReq($act, $req, $params=array(),$contentType='application/x-www-form-urlencoded') { - $ch = curl_init($req); - $headers = array(); - if($act != 'get') { - curl_setopt($ch, CURLOPT_POST, true); - // if they passed an array, build a list of parameters from it - if (is_array($params) && $act != 'post-raw') { - $params = $this->buildQueryString($params); - } - curl_setopt($ch, CURLOPT_POSTFIELDS, $params); - $headers[] = "Content-Type: ".$contentType; - } - if($act != 'post' && $act != 'post-raw') { - curl_setopt($ch, CURLOPT_CUSTOMREQUEST, strtoupper($act)); - } - if($act == 'get' && isset($params['access_token'])) { - $headers[] = 'Authorization: Bearer '.$params['access_token']; - } - else if ($this->_accessToken) { - $headers[] = 'Authorization: Bearer '.$this->_accessToken; - } - curl_setopt($ch, CURLOPT_HTTPHEADER, $headers); - curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); - curl_setopt($ch, CURLINFO_HEADER_OUT, true); - curl_setopt($ch, CURLOPT_HEADER, true); - if ($this->_sslCA) { - curl_setopt($ch, CURLOPT_CAINFO, $this->_sslCA); - } - $this->_last_response = curl_exec($ch); - $this->_last_request = curl_getinfo($ch,CURLINFO_HEADER_OUT); - $http_status = curl_getinfo($ch, CURLINFO_HTTP_CODE); - curl_close($ch); - if ($http_status==0) { - throw new AppDotNetException('Unable to connect to '.$req); - } - if ($http_status<200 || $http_status>=300) { - throw new AppDotNetException('HTTP error '.$this->_last_response); - } - if ($this->_last_request===false) { - if (!curl_getinfo($ch,CURLINFO_SSL_VERIFYRESULT)) { - throw new AppDotNetException('SSL verification failed, connection terminated.'); - } - } - $response = $this->parseHeaders($this->_last_response); - $response = json_decode($response,true); - - if (isset($response['meta'])) { - if (isset($response['meta']['max_id'])) { - $this->_maxid=$response['meta']['max_id']; - $this->_minid=$response['meta']['min_id']; - } - if (isset($response['meta']['more'])) { - $this->_more=$response['meta']['more']; - } - if (isset($response['meta']['marker'])) { - $this->_last_marker=$response['meta']['marker']; - } - } - - // look for errors - if (isset($response['error'])) { - if (is_array($response['error'])) { - throw new AppDotNetException($response['error']['message'], - $response['error']['code']); - } - else { - throw new AppDotNetException($response['error']); - } - } - - // look for response migration errors - elseif (isset($response['meta']) && isset($response['meta']['error_message'])) { - throw new AppDotNetException($response['meta']['error_message'],$response['meta']['code']); - } - - // if we've received a migration response, handle it and return data only - elseif ($this->_stripResponseEnvelope && isset($response['meta']) && isset($response['data'])) { - return $response['data']; - } - - // else non response migration response, just return it - else { - return $response; - } - } - - - /** - * Get max_id from last meta response data envelope - */ - public function getResponseMaxID() { - return $this->_maxid; - } - - /** - * Get min_id from last meta response data envelope - */ - public function getResponseMinID() { - return $this->_minid; - } - - /** - * Get more from last meta response data envelope - */ - public function getResponseMore() { - return $this->_more; - } - - /** - * Get marker from last meta response data envelope - */ - public function getResponseMarker() { - return $this->_last_marker; - } - - /** - * Fetch API configuration object - */ - public function getConfig() { - return $this->httpReq('get',$this->_baseUrl.'config'); - } - - /** - * Return the Filters for the current user. - */ - public function getAllFilters() { - return $this->httpReq('get',$this->_baseUrl.'filters'); - } - - /** - * Create a Filter for the current user. - * @param string $name The name of the new filter - * @param array $filters An associative array of filters to be applied. - * This may change as the API evolves, as of this writing possible - * values are: user_ids, hashtags, link_domains, and mention_user_ids. - * You will need to provide at least one filter name=>value pair. - */ - public function createFilter($name='New filter', $filters=array()) { - $filters['name'] = $name; - return $this->httpReq('post',$this->_baseUrl.'filters',$filters); - } - - /** - * Returns a specific Filter object. - * @param integer $filter_id The ID of the filter you wish to retrieve. - */ - public function getFilter($filter_id=null) { - return $this->httpReq('get',$this->_baseUrl.'filters/'.urlencode($filter_id)); - } - - /** - * Delete a Filter. The Filter must belong to the current User. - * @return object Returns the deleted Filter on success. - */ - public function deleteFilter($filter_id=null) { - return $this->httpReq('delete',$this->_baseUrl.'filters/'.urlencode($filter_id)); - } - - /** - * Process user description, message or post text. - * Mentions and hashtags will be parsed out of the - * text, as will bare URLs. To create a link in the text without using a - * bare URL, include the anchor text in the object text and include a link - * entity in the function call. - * @param string $text The text of the description/message/post - * @param array $data An associative array of optional post data. This - * will likely change as the API evolves, as of this writing allowed keys are: - * reply_to, and annotations. "annotations" may be a complex object represented - * by an associative array. - * @param array $params An associative array of optional data to be included - * in the URL (such as 'include_annotations' and 'include_machine') - * @return array An associative array representing the post. - */ - public function processText($text=null, $data = array(), $params = array()) { - $data['text'] = $text; - $json = json_encode($data); - $qs = ''; - if (!empty($params)) { - $qs = '?'.$this->buildQueryString($params); - } - return $this->httpReq('post',$this->_baseUrl.'text/process'.$qs, $json, 'application/json'); - } - - /** - * Create a new Post object. Mentions and hashtags will be parsed out of the - * post text, as will bare URLs. To create a link in a post without using a - * bare URL, include the anchor text in the post's text and include a link - * entity in the post creation call. - * @param string $text The text of the post - * @param array $data An associative array of optional post data. This - * will likely change as the API evolves, as of this writing allowed keys are: - * reply_to, and annotations. "annotations" may be a complex object represented - * by an associative array. - * @param array $params An associative array of optional data to be included - * in the URL (such as 'include_annotations' and 'include_machine') - * @return array An associative array representing the post. - */ - public function createPost($text=null, $data = array(), $params = array()) { - $data['text'] = $text; - - $json = json_encode($data); - $qs = ''; - if (!empty($params)) { - $qs = '?'.$this->buildQueryString($params); - } - return $this->httpReq('post',$this->_baseUrl.'posts'.$qs, $json, 'application/json'); - } - - /** - * Returns a specific Post. - * @param integer $post_id The ID of the post to retrieve - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: include_annotations. - * @return array An associative array representing the post - */ - public function getPost($post_id=null,$params = array()) { - return $this->httpReq('get',$this->_baseUrl.'posts/'.urlencode($post_id) - .'?'.$this->buildQueryString($params)); - } - - /** - * Delete a Post. The current user must be the same user who created the Post. - * It returns the deleted Post on success. - * @param integer $post_id The ID of the post to delete - * @param array An associative array representing the post that was deleted - */ - public function deletePost($post_id=null) { - return $this->httpReq('delete',$this->_baseUrl.'posts/'.urlencode($post_id)); - } - - /** - * Retrieve the Posts that are 'in reply to' a specific Post. - * @param integer $post_id The ID of the post you want to retrieve replies for. - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: count, before_id, since_id, include_muted, include_deleted, - * include_directed_posts, and include_annotations. - * @return An array of associative arrays, each representing a single post. - */ - public function getPostReplies($post_id=null,$params = array()) { - return $this->httpReq('get',$this->_baseUrl.'posts/'.urlencode($post_id) - .'/replies?'.$this->buildQueryString($params)); - } - - /** - * Get the most recent Posts created by a specific User in reverse - * chronological order (most recent first). - * @param mixed $user_id Either the ID of the user you wish to retrieve posts by, - * or the string "me", which will retrieve posts for the user you're authenticated - * as. - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: count, before_id, since_id, include_muted, include_deleted, - * include_directed_posts, and include_annotations. - * @return An array of associative arrays, each representing a single post. - */ - public function getUserPosts($user_id='me', $params = array()) { - return $this->httpReq('get',$this->_baseUrl.'users/'.urlencode($user_id) - .'/posts?'.$this->buildQueryString($params)); - } - - /** - * Get the most recent Posts mentioning by a specific User in reverse - * chronological order (newest first). - * @param mixed $user_id Either the ID of the user who is being mentioned, or - * the string "me", which will retrieve posts for the user you're authenticated - * as. - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: count, before_id, since_id, include_muted, include_deleted, - * include_directed_posts, and include_annotations. - * @return An array of associative arrays, each representing a single post. - */ - public function getUserMentions($user_id='me',$params = array()) { - return $this->httpReq('get',$this->_baseUrl.'users/' - .urlencode($user_id).'/mentions?'.$this->buildQueryString($params)); - } - - /** - * Return the 20 most recent posts from the current User and - * the Users they follow. - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: count, before_id, since_id, include_muted, include_deleted, - * include_directed_posts, and include_annotations. - * @return An array of associative arrays, each representing a single post. - */ - public function getUserStream($params = array()) { - return $this->httpReq('get',$this->_baseUrl.'posts/stream?'.$this->buildQueryString($params)); - } - - /** - * Returns a specific user object. - * @param mixed $user_id The ID of the user you want to retrieve, or the string - * "me" to retrieve data for the users you're currently authenticated as. - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: include_annotations|include_user_annotations. - * @return array An associative array representing the user data. - */ - public function getUser($user_id='me', $params = array()) { - return $this->httpReq('get',$this->_baseUrl.'users/'.urlencode($user_id) - .'?'.$this->buildQueryString($params)); - } - - /** - * Returns multiple users request by an array of user ids - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: include_annotations|include_user_annotations. - * @return array An associative array representing the users data. - */ - public function getUsers($user_arr, $params = array()) { - return $this->httpReq('get',$this->_baseUrl.'users?ids='.join(',',$user_arr) - .'&'.$this->buildQueryString($params)); - } - - /** - * Add the specified user ID to the list of users followed. - * Returns the User object of the user being followed. - * @param integer $user_id The user ID of the user to follow. - * @return array An associative array representing the user you just followed. - */ - public function followUser($user_id=null) { - return $this->httpReq('post',$this->_baseUrl.'users/'.urlencode($user_id).'/follow'); - } - - /** - * Removes the specified user ID to the list of users followed. - * Returns the User object of the user being unfollowed. - * @param integer $user_id The user ID of the user to unfollow. - * @return array An associative array representing the user you just unfollowed. - */ - public function unfollowUser($user_id=null) { - return $this->httpReq('delete',$this->_baseUrl.'users/'.urlencode($user_id).'/follow'); - } - - /** - * Returns an array of User objects the specified user is following. - * @param mixed $user_id Either the ID of the user being followed, or - * the string "me", which will retrieve posts for the user you're authenticated - * as. - * @return array An array of associative arrays, each representing a single - * user following $user_id - */ - public function getFollowing($user_id='me') { - return $this->httpReq('get',$this->_baseUrl.'users/'.$user_id.'/following'); - } - - /** - * Returns an array of User objects for users following the specified user. - * @param mixed $user_id Either the ID of the user being followed, or - * the string "me", which will retrieve posts for the user you're authenticated - * as. - * @return array An array of associative arrays, each representing a single - * user following $user_id - */ - public function getFollowers($user_id='me') { - return $this->httpReq('get',$this->_baseUrl.'users/'.$user_id.'/followers'); - } - - /** - * Return Posts matching a specific #hashtag. - * @param string $hashtag The hashtag you're looking for. - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: count, before_id, since_id, include_muted, include_deleted, - * include_directed_posts, and include_annotations. - * @return An array of associative arrays, each representing a single post. - */ - public function searchHashtags($hashtag=null, $params = array()) { - return $this->httpReq('get',$this->_baseUrl.'posts/tag/' - .urlencode($hashtag).'?'.$this->buildQueryString($params)); - } - - /** - * Retrieve a list of all public Posts on App.net, often referred to as the - * global stream. - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: count, before_id, since_id, include_muted, include_deleted, - * include_directed_posts, and include_annotations. - * @return An array of associative arrays, each representing a single post. - */ - public function getPublicPosts($params = array()) { - return $this->httpReq('get',$this->_baseUrl.'posts/stream/global?'.$this->buildQueryString($params)); - } - - /** - * List User interactions - */ - public function getMyInteractions($params = array()) { - return $this->httpReq('get',$this->_baseUrl.'users/me/interactions?'.$this->buildQueryString($params)); - } - - /** - * Retrieve a user's user ID by specifying their username. - * Now supported by the API. We use the API if we have a token - * Otherwise we scrape the alpha.app.net site for the info. - * @param string $username The username of the user you want the ID of, without - * an @ symbol at the beginning. - * @return integer The user's user ID - */ - public function getIdByUsername($username=null) { - if ($this->_accessToken) { - $res=$this->httpReq('get',$this->_baseUrl.'users/@'.$username); - $user_id=$res['data']['id']; - } else { - $ch = curl_init('https://alpha.app.net/'.urlencode(strtolower($username))); - curl_setopt($ch, CURLOPT_POST, false); - curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); - curl_setopt($ch,CURLOPT_USERAGENT, - 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10.7; rv:7.0.1) Gecko/20100101 Firefox/7.0.1'); - $response = curl_exec($ch); - curl_close($ch); - $temp = explode('title="User Id ',$response); - $temp2 = explode('"',$temp[1]); - $user_id = $temp2[0]; - } - return $user_id; - } - - /** - * Mute a user - * @param integer $user_id The user ID to mute - */ - public function muteUser($user_id=null) { - return $this->httpReq('post',$this->_baseUrl.'users/'.urlencode($user_id).'/mute'); - } - - /** - * Unmute a user - * @param integer $user_id The user ID to unmute - */ - public function unmuteUser($user_id=null) { - return $this->httpReq('delete',$this->_baseUrl.'users/'.urlencode($user_id).'/mute'); - } - - /** - * List the users muted by the current user - * @return array An array of associative arrays, each representing one muted user. - */ - public function getMuted() { - return $this->httpReq('get',$this->_baseUrl.'users/me/muted'); - } - - /** - * Star a post - * @param integer $post_id The post ID to star - */ - public function starPost($post_id=null) { - return $this->httpReq('post',$this->_baseUrl.'posts/'.urlencode($post_id).'/star'); - } - - /** - * Unstar a post - * @param integer $post_id The post ID to unstar - */ - public function unstarPost($post_id=null) { - return $this->httpReq('delete',$this->_baseUrl.'posts/'.urlencode($post_id).'/star'); - } - - /** - * List the posts starred by the current user - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: count, before_id, since_id, include_muted, include_deleted, - * include_directed_posts, and include_annotations. - * See https://github.com/appdotnet/api-spec/blob/master/resources/posts.md#general-parameters - * @return array An array of associative arrays, each representing a single - * user who has starred a post - */ - public function getStarred($user_id='me', $params = array()) { - return $this->httpReq('get',$this->_baseUrl.'users/'.urlencode($user_id).'/stars' - .'?'.$this->buildQueryString($params)); - } - - /** - * List the users who have starred a post - * @param integer $post_id the post ID to get stars from - * @return array An array of associative arrays, each representing one user. - */ - public function getStars($post_id=null) { - return $this->httpReq('get',$this->_baseUrl.'posts/'.urlencode($post_id).'/stars'); - } - - /** - * Returns an array of User objects of users who reposted the specified post. - * @param integer $post_id the post ID to - * @return array An array of associative arrays, each representing a single - * user who reposted $post_id - */ - public function getReposters($post_id){ - return $this->httpReq('get',$this->_baseUrl.'posts/'.urlencode($post_id).'/reposters'); - } - - /** - * Repost an existing Post object. - * @param integer $post_id The id of the post - * @return not a clue - */ - public function repost($post_id){ - return $this->httpReq('post',$this->_baseUrl.'posts/'.urlencode($post_id).'/repost'); - } - - /** - * Delete a post that the user has reposted. - * @param integer $post_id The id of the post - * @return not a clue - */ - public function deleteRepost($post_id){ - return $this->httpReq('delete',$this->_baseUrl.'posts/'.urlencode($post_id).'/repost'); - } - - /** - * List the posts who match a specific search term - * @param array $params a list of filter, search query, and general Post parameters - * see: https://developers.app.net/reference/resources/post/search/ - * @param string $query The search query. Supports - * normal search terms. Searches post text. - * @return array An array of associative arrays, each representing one post. - * or false on error - */ - public function searchPosts($params = array(), $query='', $order='default') { - if (!is_array($params)) { - return false; - } - if (!empty($query)) { - $params['query']=$query; - } - if ($order=='default') { - if (!empty($query)) { - $params['order']='score'; - } else { - $params['order']='id'; - } - } - return $this->httpReq('get',$this->_baseUrl.'posts/search?'.$this->buildQueryString($params)); - } - - - /** - * List the users who match a specific search term - * @param string $search The search query. Supports @username or #tag searches as - * well as normal search terms. Searches username, display name, bio information. - * Does not search posts. - * @return array An array of associative arrays, each representing one user. - */ - public function searchUsers($search="") { - return $this->httpReq('get',$this->_baseUrl.'users/search?q='.urlencode($search)); - } - - /** - * Return the 20 most recent posts for a stream using a valid Token - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: count, before_id, since_id, include_muted, include_deleted, - * include_directed_posts, and include_annotations. - * @return An array of associative arrays, each representing a single post. - */ - public function getTokenStream($params = array()) { - if ($params['access_token']) { - return $this->httpReq('get',$this->_baseUrl.'posts/stream?'.$this->buildQueryString($params),$params); - } else { - return $this->httpReq('get',$this->_baseUrl.'posts/stream?'.$this->buildQueryString($params)); - } - } - - /** - * Get a user object by username - * @param string $name the @name to get - * @return array representing one user - */ - public function getUserByName($name=null) { - return $this->httpReq('get',$this->_baseUrl.'users/@'.$name); - } - - /** - * Return the 20 most recent Posts from the current User's personalized stream - * and mentions stream merged into one stream. - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: count, before_id, since_id, include_muted, include_deleted, - * include_directed_posts, and include_annotations. - * @return An array of associative arrays, each representing a single post. - */ - public function getUserUnifiedStream($params = array()) { - return $this->httpReq('get',$this->_baseUrl.'posts/stream/unified?'.$this->buildQueryString($params)); - } - - /** - * Update Profile Data via JSON - * @data array containing user descriptors - */ - public function updateUserData($data = array(), $params = array()) { - $json = json_encode($data); - return $this->httpReq('put',$this->_baseUrl.'users/me'.'?'. - $this->buildQueryString($params), $json, 'application/json'); - } - - /** - * Update a user image - * @which avatar|cover - * @image path reference to image - */ - protected function updateUserImage($which = 'avatar', $image = null) { - $data = array($which=>"@$image"); - return $this->httpReq('post-raw',$this->_baseUrl.'users/me/'.$which, $data, 'multipart/form-data'); - } - - public function updateUserAvatar($avatar = null) { - if($avatar != null) - return $this->updateUserImage('avatar', $avatar); - } - - public function updateUserCover($cover = null) { - if($cover != null) - return $this->updateUserImage('cover', $cover); - } - - /** - * update stream marker - */ - public function updateStreamMarker($data = array()) { - $json = json_encode($data); - return $this->httpReq('post',$this->_baseUrl.'posts/marker', $json, 'application/json'); - } - - /** - * get a page of current user subscribed channels - */ - public function getUserSubscriptions($params = array()) { - return $this->httpReq('get',$this->_baseUrl.'channels?'.$this->buildQueryString($params)); - } - - /** - * get user channels - */ - public function getMyChannels($params = array()) { - return $this->httpReq('get',$this->_baseUrl.'channels/me?'.$this->buildQueryString($params)); - } - - /** - * create a channel - * note: you cannot create a channel with type=net.app.core.pm (see createMessage) - */ - public function createChannel($data = array()) { - $json = json_encode($data); - return $this->httpReq('post',$this->_baseUrl.'channels'.($pm?'/pm/messsages':''), $json, 'application/json'); - } - - /** - * get channelid info - */ - public function getChannel($channelid, $params = array()) { - return $this->httpReq('get',$this->_baseUrl.'channels/'.$channelid.'?'.$this->buildQueryString($params)); - } - - /** - * get multiple channels' info by an array of channelids - */ - public function getChannels($channels, $params = array()) { - return $this->httpReq('get',$this->_baseUrl.'channels?ids='.join(',',$channels).'&'.$this->buildQueryString($params)); - } - - /** - * update channelid - */ - public function updateChannel($channelid, $data = array()) { - $json = json_encode($data); - return $this->httpReq('put',$this->_baseUrl.'channels/'.$channelid, $json, 'application/json'); - } - - /** - * subscribe from channelid - */ - public function channelSubscribe($channelid) { - return $this->httpReq('post',$this->_baseUrl.'channels/'.$channelid.'/subscribe'); - } - - /** - * unsubscribe from channelid - */ - public function channelUnsubscribe($channelid) { - return $this->httpReq('delete',$this->_baseUrl.'channels/'.$channelid.'/subscribe'); - } - - /** - * get all user objects subscribed to channelid - */ - public function getChannelSubscriptions($channelid, $params = array()) { - return $this->httpReq('get',$this->_baseUrl.'channel/'.$channelid.'/subscribers?'.$this->buildQueryString($params)); - } - - /** - * get all user IDs subscribed to channelid - */ - public function getChannelSubscriptionsById($channelid) { - return $this->httpReq('get',$this->_baseUrl.'channel/'.$channelid.'/subscribers/ids'); - } - - - /** - * get a page of messages in channelid - */ - public function getMessages($channelid, $params = array()) { - return $this->httpReq('get',$this->_baseUrl.'channels/'.$channelid.'/messages?'.$this->buildQueryString($params)); - } - - /** - * create message - * @param $channelid numeric or "pm" for auto-chanenl (type=net.app.core.pm) - * @param $data array('text'=>'YOUR_MESSAGE') If a type=net.app.core.pm, then "destinations" key can be set to address as an array of people to send this PM too - */ - public function createMessage($channelid,$data) { - $json = json_encode($data); - return $this->httpReq('post',$this->_baseUrl.'channels/'.$channelid.'/messages', $json, 'application/json'); - } - - /** - * get message - */ - public function getMessage($channelid,$messageid) { - return $this->httpReq('get',$this->_baseUrl.'channels/'.$channelid.'/messages/'.$messageid); - } - - /** - * delete messsage - */ - public function deleteMessage($channelid,$messageid) { - return $this->httpReq('delete',$this->_baseUrl.'channels/'.$channelid.'/messages/'.$messageid); - } - - - /** - * Get Application Information - */ - public function getAppTokenInfo() { - // requires appAccessToken - if (!$this->_appAccessToken) { - $this->getAppAccessToken(); - } - // ensure request is made with our appAccessToken - $params['access_token']=$this->_appAccessToken; - return $this->httpReq('get',$this->_baseUrl.'token',$params); - } - - /** - * Get User Information - */ - public function getUserTokenInfo() { - return $this->httpReq('get',$this->_baseUrl.'token'); - } - - /** - * Get Application Authorized User IDs - */ - public function getAppUserIDs() { - // requires appAccessToken - if (!$this->_appAccessToken) { - $this->getAppAccessToken(); - } - // ensure request is made with our appAccessToken - $params['access_token']=$this->_appAccessToken; - return $this->httpReq('get',$this->_baseUrl.'apps/me/tokens/user_ids',$params); - } - - /** - * Get Application Authorized User Tokens - */ - public function getAppUserTokens() { - // requires appAccessToken - if (!$this->_appAccessToken) { - $this->getAppAccessToken(); - } - // ensure request is made with our appAccessToken - $params['access_token']=$this->_appAccessToken; - return $this->httpReq('get',$this->_baseUrl.'apps/me/tokens',$params); - } - - public function getLastRequest() { - return $this->_last_request; - } - public function getLastResponse() { - return $this->_last_response; - } - - /** - * Registers your function (or an array of object and method) to be called - * whenever an event is received via an open app.net stream. Your function - * will receive a single parameter, which is the object wrapper containing - * the meta and data. - * @param mixed A PHP callback (either a string containing the function name, - * or an array where the first element is the class/object and the second - * is the method). - */ - public function registerStreamFunction($function) { - $this->_streamCallback = $function; - } - - /** - * Opens a stream that's been created for this user/app and starts sending - * events/objects to your defined callback functions. You must define at - * least one callback function before opening a stream. - * @param mixed $stream Either a stream ID or the endpoint of a stream - * you've already created. This stream must exist and must be valid for - * your current access token. If you pass a stream ID, the library will - * make an API call to get the endpoint. - * - * This function will return immediately, but your callback functions - * will continue to receive events until you call closeStream() or until - * App.net terminates the stream from their end with an error. - * - * If you're disconnected due to a network error, the library will - * automatically attempt to reconnect you to the same stream, no action - * on your part is necessary for this. However if the app.net API returns - * an error, a reconnection attempt will not be made. - * - * Note there is no closeStream, because once you open a stream you - * can't stop it (unless you exit() or die() or throw an uncaught - * exception, or something else that terminates the script). - * @return boolean True - * @see createStream() - */ - public function openStream($stream) { - // if there's already a stream running, don't allow another - if ($this->_currentStream) { - throw new AppDotNetException('There is already a stream being consumed, only one stream can be consumed per AppDotNetStream instance'); - } - // must register a callback (or the exercise is pointless) - if (!$this->_streamCallback) { - throw new AppDotNetException('You must define your callback function using registerStreamFunction() before calling openStream'); - } - // if the stream is a numeric value, get the stream info from the api - if (is_numeric($stream)) { - $stream = $this->getStream($stream); - $this->_streamUrl = $stream['endpoint']; - } - else { - $this->_streamUrl = $stream; - } - // continue doing this until we get an error back or something...? - $this->httpStream('get',$this->_streamUrl); - - return true; - } - - /** - * Close the currently open stream. - * @return true; - */ - public function closeStream() { - if (!$this->_lastStreamActivity) { - // never opened - return; - } - if (!$this->_multiStream) { - throw new AppDotNetException('You must open a stream before calling closeStream()'); - } - curl_close($this->_currentStream); - curl_multi_remove_handle($this->_multiStream,$this->_currentStream); - curl_multi_close($this->_multiStream); - $this->_currentStream = null; - $this->_multiStream = null; - } - - /** - * Retrieve all streams for the current access token. - * @return array An array of stream definitions. - */ - public function getAllStreams() { - return $this->httpReq('get',$this->_baseUrl.'streams'); - } - - /** - * Returns a single stream specified by a stream ID. The stream must have been - * created with the current access token. - * @return array A stream definition - */ - public function getStream($streamId) { - return $this->httpReq('get',$this->_baseUrl.'streams/'.urlencode($streamId)); - } - - /** - * Creates a stream for the current app access token. - * - * @param array $objectTypes The objects you want to retrieve data for from the - * stream. At time of writing these can be 'post', 'star', and/or 'user_follow'. - * If you don't specify, all events will be retrieved. - */ - public function createStream($objectTypes=null) { - // default object types to everything - if (is_null($objectTypes)) { - $objectTypes = array('post','star','user_follow'); - } - $data = array( - 'object_types'=>$objectTypes, - 'type'=>'long_poll', - ); - $data = json_encode($data); - $response = $this->httpReq('post',$this->_baseUrl.'streams',$data,'application/json'); - return $response; - } - - /** - * Update stream for the current app access token - * - * @param integer $streamId The stream ID to update. This stream must have been - * created by the current access token. - * @param array $data allows object_types, type, filter_id and key to be updated. filter_id/key can be omitted - */ - public function updateStream($streamId,$data) { - // objectTypes is likely required - if (is_null($data['object_types'])) { - $data['object_types'] = array('post','star','user_follow'); - } - // type can still only be long_poll - if (is_null($data['type'])) { - $data['type']='long_poll'; - } - $data = json_encode($data); - $response = $this->httpReq('put',$this->_baseUrl.'streams/'.urlencode($streamId),$data,'application/json'); - return $response; - } - - /** - * Deletes a stream if you no longer need it. - * - * @param integer $streamId The stream ID to delete. This stream must have been - * created by the current access token. - */ - public function deleteStream($streamId) { - return $this->httpReq('delete',$this->_baseUrl.'streams/'.urlencode($streamId)); - } - - /** - * Deletes all streams created by the current access token. - */ - public function deleteAllStreams() { - return $this->httpReq('delete',$this->_baseUrl.'streams'); - } - - /** - * Internal function used to process incoming chunks from the stream. This is only - * public because it needs to be accessed by CURL. Do not call or use this function - * in your own code. - * @ignore - */ - public function httpStreamReceive($ch,$data) { - $this->_lastStreamActivity = time(); - $this->_streamBuffer .= $data; - if (!$this->_streamHeaders) { - $pos = strpos($this->_streamBuffer,"\r\n\r\n"); - if ($pos!==false) { - $this->_streamHeaders = substr($this->_streamBuffer,0,$pos); - $this->_streamBuffer = substr($this->_streamBuffer,$pos+4); - } - } - else { - $pos = strpos($this->_streamBuffer,"\r\n"); - while ($pos!==false) { - $command = substr($this->_streamBuffer,0,$pos); - $this->_streamBuffer = substr($this->_streamBuffer,$pos+2); - $command = json_decode($command,true); - if ($command) { - call_user_func($this->_streamCallback,$command); - } - $pos = strpos($this->_streamBuffer,"\r\n"); - } - } - return strlen($data); - } - - /** - * Opens a long lived HTTP connection to the app.net servers, and sends data - * received to the httpStreamReceive function. As a general rule you should not - * directly call this method, it's used by openStream(). - */ - protected function httpStream($act, $req, $params=array(),$contentType='application/x-www-form-urlencoded') { - if ($this->_currentStream) { - throw new AppDotNetException('There is already an open stream, you must close the existing one before opening a new one'); - } - $headers = array(); - $this->_streamBuffer = ''; - if ($this->_accessToken) { - $headers[] = 'Authorization: Bearer '.$this->_accessToken; - } - $this->_currentStream = curl_init($req); - curl_setopt($this->_currentStream, CURLOPT_HTTPHEADER, $headers); - curl_setopt($this->_currentStream, CURLOPT_RETURNTRANSFER, true); - curl_setopt($this->_currentStream, CURLINFO_HEADER_OUT, true); - curl_setopt($this->_currentStream, CURLOPT_HEADER, true); - if ($this->_sslCA) { - curl_setopt($this->_currentStream, CURLOPT_CAINFO, $this->_sslCA); - } - // every time we receive a chunk of data, forward it to httpStreamReceive - curl_setopt($this->_currentStream, CURLOPT_WRITEFUNCTION, array($this, "httpStreamReceive")); - - // curl_exec($ch); - // return; - - $this->_multiStream = curl_multi_init(); - $this->_lastStreamActivity = time(); - curl_multi_add_handle($this->_multiStream,$this->_currentStream); - } - - public function reconnectStream() { - $this->closeStream(); - $this->_connectFailCounter++; - // if we've failed a few times, back off - if ($this->_connectFailCounter>1) { - $sleepTime = pow(2,$this->_connectFailCounter); - // don't sleep more than 60 seconds - if ($sleepTime>60) { - $sleepTime = 60; - } - sleep($sleepTime); - } - $this->httpStream('get',$this->_streamUrl); - } - - /** - * Process an open stream for x microseconds, then return. This is useful if you want - * to be doing other things while processing the stream. If you just want to - * consume the stream without other actions, you can call processForever() instead. - * @param float @microseconds The number of microseconds to process for before - * returning. There are 1,000,000 microseconds in a second. - * - * @return void - */ - public function processStream($microseconds=null) { - if (!$this->_multiStream) { - throw new AppDotNetException('You must open a stream before calling processStream()'); - } - $start = microtime(true); - $active = null; - $inQueue = null; - $sleepFor = 0; - do { - // if we haven't received anything within 5.5 minutes, reconnect - // keepalives are sent every 5 minutes (measured on 2013-3-12 by @ryantharp) - if (time()-$this->_lastStreamActivity>=330) { - $this->reconnectStream(); - } - curl_multi_exec($this->_multiStream, $active); - if (!$active) { - $httpCode = curl_getinfo($this->_currentStream,CURLINFO_HTTP_CODE); - // don't reconnect on 400 errors - if ($httpCode>=400 && $httpCode<=499) { - throw new AppDotNetException('Received HTTP error '.$httpCode.' check your URL and credentials before reconnecting'); - } - $this->reconnectStream(); - } - // sleep for a max of 2/10 of a second - $timeSoFar = (microtime(true)-$start)*1000000; - $sleepFor = $this->streamingSleepFor; - if ($timeSoFar+$sleepFor>$microseconds) { - $sleepFor = $microseconds - $timeSoFar; - } - - if ($sleepFor>0) { - usleep($sleepFor); - } - } while ($timeSoFar+$sleepFor<$microseconds); - } - - /** - * Process an open stream forever. This function will never return, if you - * want to perform other actions while consuming the stream, you should use - * processFor() instead. - * @return void This function will never return - * @see processFor(); - */ - public function processStreamForever() { - while (true) { - $this->processStream(600); - } - } - - - /** - * Upload a file to a user's file store - * @param string $file A string containing the path of the file to upload. - * @param array $data Additional data about the file you're uploading. At the - * moment accepted keys are: mime-type, kind, type, name, public and annotations. - * - If you don't specify mime-type, ADNPHP will attempt to guess the mime type - * based on the file, however this isn't always reliable. - * - If you don't specify kind ADNPHP will attempt to determine if the file is - * an image or not. - * - If you don't specify name, ADNPHP will use the filename of the first - * parameter. - * - If you don't specify public, your file will be uploaded as a private file. - * - Type is REQUIRED. - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: include_annotations|include_file_annotations. - * @return array An associative array representing the file - */ - public function createFile($file, $data, $params=array()) { - if (!$file) { - throw new AppDotNetException('You must specify a path to a file'); - } - if (!file_exists($file)) { - throw new AppDotNetException('File path specified does not exist'); - } - if (!is_readable($file)) { - throw new AppDotNetException('File path specified is not readable'); - } - - if (!$data) { - $data = array(); - } - - if (!array_key_exists('type',$data) || !$data['type']) { - throw new AppDotNetException('Type is required when creating a file'); - } - - if (!array_key_exists('name',$data)) { - $data['name'] = basename($file); - } - - if (array_key_exists('mime-type',$data)) { - $mimeType = $data['mime-type']; - unset($data['mime-type']); - } - else { - $mimeType = null; - } - if (!array_key_exists('kind',$data)) { - $test = @getimagesize($path); - if ($test && array_key_exists('mime',$test)) { - $data['kind'] = 'image'; - if (!$mimeType) { - $mimeType = $test['mime']; - } - } - else { - $data['kind'] = 'other'; - } - } - if (!$mimeType) { - $finfo = finfo_open(FILEINFO_MIME_TYPE); - $mimeType = finfo_file($finfo, $file); - finfo_close($finfo); - } - if (!$mimeType) { - throw new AppDotNetException('Unable to determine mime type of file, try specifying it explicitly'); - } - if (!array_key_exists('public',$data) || !$data['public']) { - $public = false; - } - else { - $public = true; - } - - $data['content'] = "@$file;type=$mimeType"; - return $this->httpReq('post-raw',$this->_baseUrl.'files', $data, 'multipart/form-data'); - } - - - public function createFilePlaceholder($file = null, $params=array()) { - $name = basename($file); - $data = array('annotations' => $params['annotations'], 'kind' => $params['kind'], - 'name' => $name, 'type' => $params['metadata']); - $json = json_encode($data); - return $this->httpReq('post',$this->_baseUrl.'files', $json, 'application/json'); - } - - public function updateFileContent($fileid, $file) { - - $data = file_get_contents($file); - $finfo = finfo_open(FILEINFO_MIME_TYPE); - $mime = finfo_file($finfo, $file); - finfo_close($finfo); - - return $this->httpReq('put',$this->_baseUrl.'files/' . $fileid - .'/content', $data, $mime); - } - - /** - * Allows for file rename and annotation changes. - * @param integer $file_id The ID of the file to update - * @param array $params An associative array of file parameters. - * @return array An associative array representing the updated file - */ - public function updateFile($file_id=null, $params=array()) { - $data = array('annotations' => $params['annotations'] , 'name' => $params['name']); - $json = json_encode($data); - return $this->httpReq('put',$this->_baseUrl.'files/'.urlencode($file_id), $json, 'application/json'); - } - - /** - * Returns a specific File. - * @param integer $file_id The ID of the file to retrieve - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: include_annotations|include_file_annotations. - * @return array An associative array representing the file - */ - public function getFile($file_id=null,$params = array()) { - return $this->httpReq('get',$this->_baseUrl.'files/'.urlencode($file_id) - .'?'.$this->buildQueryString($params)); - } - - public function getFileContent($file_id=null,$params = array()) { - return $this->httpReq('get',$this->_baseUrl.'files/'.urlencode($file_id) - .'/content?'.$this->buildQueryString($params)); - } - - /** $file_key : derived_file_key */ - public function getDerivedFileContent($file_id=null,$file_key=null,$params = array()) { - return $this->httpReq('get',$this->_baseUrl.'files/'.urlencode($file_id) - .'/content/'.urlencode($file_key) - .'?'.$this->buildQueryString($params)); - } - - /** - * Returns file objects. - * @param array $file_ids The IDs of the files to retrieve - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: include_annotations|include_file_annotations. - * @return array An associative array representing the file data. - */ - public function getFiles($file_ids=array(), $params = array()) { - $ids = ''; - foreach($file_ids as $id) { - $ids .= $id . ','; - } - $params['ids'] = substr($ids, 0, -1); - return $this->httpReq('get',$this->_baseUrl.'files' - .'?'.$this->buildQueryString($params)); - } - - /** - * Returns a user's file objects. - * @param array $params An associative array of optional general parameters. - * This will likely change as the API evolves, as of this writing allowed keys - * are: include_annotations|include_file_annotations|include_user_annotations. - * @return array An associative array representing the file data. - */ - public function getUserFiles($params = array()) { - return $this->httpReq('get',$this->_baseUrl.'users/me/files' - .'?'.$this->buildQueryString($params)); - } - - /** - * Delete a File. The current user must be the same user who created the File. - * It returns the deleted File on success. - * @param integer $file_id The ID of the file to delete - * @return array An associative array representing the file that was deleted - */ - public function deleteFile($file_id=null) { - return $this->httpReq('delete',$this->_baseUrl.'files/'.urlencode($file_id)); - } - -} - -class AppDotNetException extends Exception {} diff --git a/appnet/DigiCertHighAssuranceEVRootCA.pem b/appnet/DigiCertHighAssuranceEVRootCA.pem deleted file mode 100644 index 9e6810ab..00000000 --- a/appnet/DigiCertHighAssuranceEVRootCA.pem +++ /dev/null @@ -1,23 +0,0 @@ ------BEGIN CERTIFICATE----- -MIIDxTCCAq2gAwIBAgIQAqxcJmoLQJuPC3nyrkYldzANBgkqhkiG9w0BAQUFADBs -MQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3 -d3cuZGlnaWNlcnQuY29tMSswKQYDVQQDEyJEaWdpQ2VydCBIaWdoIEFzc3VyYW5j -ZSBFViBSb290IENBMB4XDTA2MTExMDAwMDAwMFoXDTMxMTExMDAwMDAwMFowbDEL -MAkGA1UEBhMCVVMxFTATBgNVBAoTDERpZ2lDZXJ0IEluYzEZMBcGA1UECxMQd3d3 -LmRpZ2ljZXJ0LmNvbTErMCkGA1UEAxMiRGlnaUNlcnQgSGlnaCBBc3N1cmFuY2Ug -RVYgUm9vdCBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAMbM5XPm -+9S75S0tMqbf5YE/yc0lSbZxKsPVlDRnogocsF9ppkCxxLeyj9CYpKlBWTrT3JTW -PNt0OKRKzE0lgvdKpVMSOO7zSW1xkX5jtqumX8OkhPhPYlG++MXs2ziS4wblCJEM -xChBVfvLWokVfnHoNb9Ncgk9vjo4UFt3MRuNs8ckRZqnrG0AFFoEt7oT61EKmEFB -Ik5lYYeBQVCmeVyJ3hlKV9Uu5l0cUyx+mM0aBhakaHPQNAQTXKFx01p8VdteZOE3 -hzBWBOURtCmAEvF5OYiiAhF8J2a3iLd48soKqDirCmTCv2ZdlYTBoSUeh10aUAsg -EsxBu24LUTi4S8sCAwEAAaNjMGEwDgYDVR0PAQH/BAQDAgGGMA8GA1UdEwEB/wQF -MAMBAf8wHQYDVR0OBBYEFLE+w2kD+L9HAdSYJhoIAu9jZCvDMB8GA1UdIwQYMBaA -FLE+w2kD+L9HAdSYJhoIAu9jZCvDMA0GCSqGSIb3DQEBBQUAA4IBAQAcGgaX3Nec -nzyIZgYIVyHbIUf4KmeqvxgydkAQV8GK83rZEWWONfqe/EW1ntlMMUu4kehDLI6z -eM7b41N5cdblIZQB2lWHmiRk9opmzN6cN82oNLFpmyPInngiK3BD41VHMWEZ71jF -hS9OMPagMRYjyOfiZRYzy78aG6A9+MpeizGLYAiJLQwGXFK3xPkKmNEVX58Svnw2 -Yzi9RKR/5CYrCsSXaQ3pjOLAEFe4yHYSkVXySGnYvCoCWw9E1CAx2/S6cCZdkGCe -vEsXCS+0yx5DaMkHJ8HSXPfqIbloEpw8nL+e/IBcm2PN7EeqJSdnoDfzAIJ9VNep -+OkuE6N36B9K ------END CERTIFICATE----- diff --git a/appnet/README.md b/appnet/README.md deleted file mode 100644 index ec24753c..00000000 --- a/appnet/README.md +++ /dev/null @@ -1,15 +0,0 @@ -App.net Plugin -============== - -With this addon to friendica you can give your users the possibility to post their *public* messages to App.net and -to import their timeline. The messages will be strapped their rich context and shortened to 256 characters length if -necessary. - -Installation ------------- - -If you have an developer account you can create an Application for all of your users at -[https://account.app.net/developer/apps/](https://account.app.net/developer/apps/). Add the redirect uri -"https://your.server.name/appnet/connect" (Replace "your.server.name" with the hostname of your server) - -If you can't create an application (because you only have a free account) this addon still works, but your users have to create individual applications on their own. diff --git a/appnet/appnet.css b/appnet/appnet.css deleted file mode 100644 index b1d8d27e..00000000 --- a/appnet/appnet.css +++ /dev/null @@ -1,29 +0,0 @@ -#appnet-import-label, #appnet-disconnect-label, #appnet-token-label, -#appnet-enable-label, #appnet-bydefault-label, -#appnet-clientid-label, #appnet-clientsecret-label { - float: left; - width: 200px; - margin-top: 10px; -} - -#appnet-import, #appnet-disconnect, #appnet-token, -#appnet-checkbox, #appnet-bydefault, -#appnet-clientid, #appnet-clientsecret { - float: left; - margin-top: 10px; -} - -#appnet-submit { - margin-top: 15px; -} - -#appnet-avatar { - float: left; - width: 48px; - height: 48px; - padding: 2px; -} -#appnet-info-block { - height: 52px; - vertical-align: middle; -} diff --git a/appnet/appnet.php b/appnet/appnet.php deleted file mode 100644 index 151a81ee..00000000 --- a/appnet/appnet.php +++ /dev/null @@ -1,1358 +0,0 @@ - - * Status: Unsupported - */ - -/* - To-Do: - - Use embedded pictures for the attachment information (large attachment) - - Sound links must be handled - - https://alpha.app.net/sr_rolando/post/32365203 - double pictures - - https://alpha.app.net/opendev/post/34396399 - location data -*/ - -require_once('include/enotify.php'); -require_once("include/socgraph.php"); - -define('APPNET_DEFAULT_POLL_INTERVAL', 5); // given in minutes - -function appnet_install() { - register_hook('post_local', 'addon/appnet/appnet.php', 'appnet_post_local'); - register_hook('notifier_normal', 'addon/appnet/appnet.php', 'appnet_send'); - register_hook('jot_networks', 'addon/appnet/appnet.php', 'appnet_jot_nets'); - register_hook('cron', 'addon/appnet/appnet.php', 'appnet_cron'); - register_hook('connector_settings', 'addon/appnet/appnet.php', 'appnet_settings'); - register_hook('connector_settings_post','addon/appnet/appnet.php', 'appnet_settings_post'); - register_hook('prepare_body', 'addon/appnet/appnet.php', 'appnet_prepare_body'); - register_hook('check_item_notification','addon/appnet/appnet.php', 'appnet_check_item_notification'); -} - - -function appnet_uninstall() { - unregister_hook('post_local', 'addon/appnet/appnet.php', 'appnet_post_local'); - unregister_hook('notifier_normal', 'addon/appnet/appnet.php', 'appnet_send'); - unregister_hook('jot_networks', 'addon/appnet/appnet.php', 'appnet_jot_nets'); - unregister_hook('cron', 'addon/appnet/appnet.php', 'appnet_cron'); - unregister_hook('connector_settings', 'addon/appnet/appnet.php', 'appnet_settings'); - unregister_hook('connector_settings_post', 'addon/appnet/appnet.php', 'appnet_settings_post'); - unregister_hook('prepare_body', 'addon/appnet/appnet.php', 'appnet_prepare_body'); - unregister_hook('check_item_notification','addon/appnet/appnet.php', 'appnet_check_item_notification'); -} - -function appnet_module() {} - -function appnet_content(&$a) { - if(! local_user()) { - notice( t('Permission denied.') . EOL); - return ''; - } - - require_once("mod/settings.php"); - settings_init($a); - - if (isset($a->argv[1])) - switch ($a->argv[1]) { - case "connect": - $o = appnet_connect($a); - break; - default: - $o = print_r($a->argv, true); - break; - } - else - $o = appnet_connect($a); - - return $o; -} - -function appnet_check_item_notification($a, &$notification_data) { - $own_id = get_pconfig($notification_data["uid"], 'appnet', 'ownid'); - - $own_user = q("SELECT `url` FROM `contact` WHERE `uid` = %d AND `alias` = '%s' LIMIT 1", - intval($notification_data["uid"]), - dbesc("adn::".$own_id) - ); - - if ($own_user) - $notification_data["profiles"][] = $own_user[0]["url"]; -} - -function appnet_plugin_admin(&$a, &$o){ - $t = get_markup_template( "admin.tpl", "addon/appnet/" ); - - $o = replace_macros($t, array( - '$submit' => t('Save Settings'), - // name, label, value, help, [extra values] - '$clientid' => array('clientid', t('Client ID'), get_config('appnet', 'clientid' ), ''), - '$clientsecret' => array('clientsecret', t('Client Secret'), get_config('appnet', 'clientsecret' ), ''), - )); -} - -function appnet_plugin_admin_post(&$a){ - $clientid = ((x($_POST,'clientid')) ? notags(trim($_POST['clientid'])) : ''); - $clientsecret = ((x($_POST,'clientsecret')) ? notags(trim($_POST['clientsecret'])): ''); - set_config('appnet','clientid',$clientid); - set_config('appnet','clientsecret',$clientsecret); - info( t('Settings updated.'). EOL ); -} - -function appnet_connect(&$a) { - require_once 'addon/appnet/AppDotNet.php'; - - $clientId = get_config('appnet','clientid'); - $clientSecret = get_config('appnet','clientsecret'); - - if (($clientId == "") || ($clientSecret == "")) { - $clientId = get_pconfig(local_user(),'appnet','clientid'); - $clientSecret = get_pconfig(local_user(),'appnet','clientsecret'); - } - - $app = new AppDotNet($clientId, $clientSecret); - - try { - $token = $app->getAccessToken($a->get_baseurl().'/appnet/connect'); - - logger("appnet_connect: authenticated"); - $o .= t("You are now authenticated to app.net. "); - set_pconfig(local_user(),'appnet','token', $token); - } - catch (AppDotNetException $e) { - $o .= t("

Error fetching token. Please try again.

"); - } - - $o .= '
'.t("return to the connector page").''; - - return($o); -} - -function appnet_jot_nets(&$a,&$b) { - if(! local_user()) - return; - - $post = get_pconfig(local_user(),'appnet','post'); - if(intval($post) == 1) { - $defpost = get_pconfig(local_user(),'appnet','post_by_default'); - $selected = ((intval($defpost) == 1) ? ' checked="checked" ' : ''); - $b .= '
' - . t('Post to app.net') . '
'; - } -} - -function appnet_settings(&$a,&$s) { - require_once 'addon/appnet/AppDotNet.php'; - - if(! local_user()) - return; - - $token = get_pconfig(local_user(),'appnet','token'); - - $app_clientId = get_config('appnet','clientid'); - $app_clientSecret = get_config('appnet','clientsecret'); - - if (($app_clientId == "") || ($app_clientSecret == "")) { - $app_clientId = get_pconfig(local_user(),'appnet','clientid'); - $app_clientSecret = get_pconfig(local_user(),'appnet','clientsecret'); - } - - /* Add our stylesheet to the page so we can make our settings look nice */ - $a->page['htmlhead'] .= '' . "\r\n"; - - $enabled = get_pconfig(local_user(),'appnet','post'); - $checked = (($enabled) ? ' checked="checked" ' : ''); - - $css = (($enabled) ? '' : '-disabled'); - - $def_enabled = get_pconfig(local_user(),'appnet','post_by_default'); - $def_checked = (($def_enabled) ? ' checked="checked" ' : ''); - - $importenabled = get_pconfig(local_user(),'appnet','import'); - $importchecked = (($importenabled) ? ' checked="checked" ' : ''); - - $ownid = get_pconfig(local_user(),'appnet','ownid'); - - $s .= ''; - $s .= '

'. t('App.net Import/Export').'

'; - $s .= '
'; - $s .= ''; -} - -function appnet_settings_post(&$a,&$b) { - - if(x($_POST,'appnet-submit')) { - - if (isset($_POST['appnet-disconnect'])) { - del_pconfig(local_user(), 'appnet', 'clientsecret'); - del_pconfig(local_user(), 'appnet', 'clientid'); - del_pconfig(local_user(), 'appnet', 'token'); - del_pconfig(local_user(), 'appnet', 'post'); - del_pconfig(local_user(), 'appnet', 'post_by_default'); - del_pconfig(local_user(), 'appnet', 'import'); - } - - if (isset($_POST["clientsecret"])) - set_pconfig(local_user(),'appnet','clientsecret', $_POST['clientsecret']); - - if (isset($_POST["clientid"])) - set_pconfig(local_user(),'appnet','clientid', $_POST['clientid']); - - if (isset($_POST["token"]) && ($_POST["token"] != "")) - set_pconfig(local_user(),'appnet','token', $_POST['token']); - - set_pconfig(local_user(), 'appnet', 'post', intval($_POST['appnet'])); - set_pconfig(local_user(), 'appnet', 'post_by_default', intval($_POST['appnet_bydefault'])); - set_pconfig(local_user(), 'appnet', 'import', intval($_POST['appnet_import'])); - } -} - -function appnet_post_local(&$a,&$b) { - if($b['edit']) - return; - - if((local_user()) && (local_user() == $b['uid']) && (!$b['private']) && (!$b['parent'])) { - $appnet_post = intval(get_pconfig(local_user(),'appnet','post')); - $appnet_enable = (($appnet_post && x($_REQUEST,'appnet_enable')) ? intval($_REQUEST['appnet_enable']) : 0); - - // if API is used, default to the chosen settings - if($b['api_source'] && intval(get_pconfig(local_user(),'appnet','post_by_default'))) - $appnet_enable = 1; - - if(! $appnet_enable) - return; - - if(strlen($b['postopts'])) - $b['postopts'] .= ','; - - $b['postopts'] .= 'appnet'; - } -} - -function appnet_create_entities($a, $b, $postdata) { - require_once("include/bbcode.php"); - require_once("include/plaintext.php"); - - $bbcode = $b["body"]; - $bbcode = bb_remove_share_information($bbcode, false, true); - - // Change pure links in text to bbcode uris - $bbcode = preg_replace("/([^\]\='".'"'."]|^)(https?\:\/\/[a-zA-Z0-9\:\/\-\?\&\;\.\=\_\~\#\%\$\!\+\,]+)/ism", '$1[url=$2]$2[/url]', $bbcode); - - $URLSearchString = "^\[\]"; - - $bbcode = preg_replace("/#\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism",'#$2',$bbcode); - $bbcode = preg_replace("/@\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism",'@$2',$bbcode); - $bbcode = preg_replace("/\[bookmark\=([$URLSearchString]*)\](.*?)\[\/bookmark\]/ism",'[url=$1]$2[/url]',$bbcode); - $bbcode = preg_replace("/\[video\](.*?)\[\/video\]/ism",'[url=$1]$1[/url]',$bbcode); - $bbcode = preg_replace("/\[youtube\]https?:\/\/(.*?)\[\/youtube\]/ism",'[url=https://$1]https://$1[/url]',$bbcode); - $bbcode = preg_replace("/\[youtube\]([A-Za-z0-9\-_=]+)(.*?)\[\/youtube\]/ism", - '[url=https://www.youtube.com/watch?v=$1]https://www.youtube.com/watch?v=$1[/url]', $bbcode); - $bbcode = preg_replace("/\[vimeo\]https?:\/\/(.*?)\[\/vimeo\]/ism",'[url=https://$1]https://$1[/url]',$bbcode); - $bbcode = preg_replace("/\[vimeo\]([0-9]+)(.*?)\[\/vimeo\]/ism", - '[url=https://vimeo.com/$1]https://vimeo.com/$1[/url]', $bbcode); - //$bbcode = preg_replace("/\[vimeo\](.*?)\[\/vimeo\]/ism",'[url=$1]$1[/url]',$bbcode); - - $bbcode = preg_replace("/\[img\=([0-9]*)x([0-9]*)\](.*?)\[\/img\]/ism", '[img]$3[/img]', $bbcode); - - - preg_match_all("/\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism", $bbcode, $urls, PREG_SET_ORDER); - - $bbcode = preg_replace("/\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism",'$1',$bbcode); - - $b["body"] = $bbcode; - - // To-Do: - // Bilder - // https://alpha.app.net/heluecht/post/32424376 - // https://alpha.app.net/heluecht/post/32424307 - - $plaintext = plaintext($a, $b, 0, false, 6); - - $text = $plaintext["text"]; - - $start = 0; - $entities = array(); - - foreach ($urls AS $url) { - $lenurl = iconv_strlen($url[1], "UTF-8"); - $len = iconv_strlen($url[2], "UTF-8"); - $pos = iconv_strpos($text, $url[1], $start, "UTF-8"); - $pre = iconv_substr($text, 0, $pos, "UTF-8"); - $post = iconv_substr($text, $pos + $lenurl, 1000000, "UTF-8"); - - $mid = $url[2]; - $html = bbcode($mid, false, false, 6); - $mid = html2plain($html, 0, true); - - $mid = trim(html_entity_decode($mid,ENT_QUOTES,'UTF-8')); - - $text = $pre.$mid.$post; - - if ($mid != "") - $entities[] = array("pos" => $pos, "len" => $len, "url" => $url[1], "text" => $mid); - - $start = $pos + 1; - } - - if (isset($postdata["url"]) && isset($postdata["title"]) && ($postdata["type"] != "photo")) { - $postdata["title"] = shortenmsg($postdata["title"], 90); - $max = 256 - strlen($postdata["title"]); - $text = shortenmsg($text, $max); - $text .= "\n[".$postdata["title"]."](".$postdata["url"].")"; - } elseif (isset($postdata["url"]) && ($postdata["type"] != "photo")) { - $postdata["url"] = short_link($postdata["url"]); - $max = 240; - $text = shortenmsg($text, $max); - $text .= " [".$postdata["url"]."](".$postdata["url"].")"; - } else { - $max = 256; - $text = shortenmsg($text, $max); - } - - if (iconv_strlen($text, "UTF-8") < $max) - $max = iconv_strlen($text, "UTF-8"); - - krsort($entities); - foreach ($entities AS $entity) { - //if (iconv_strlen($text, "UTF-8") >= $entity["pos"] + $entity["len"]) { - if (($entity["pos"] + $entity["len"]) <= $max) { - $pre = iconv_substr($text, 0, $entity["pos"], "UTF-8"); - $post = iconv_substr($text, $entity["pos"] + $entity["len"], 1000000, "UTF-8"); - - $text = $pre."[".$entity["text"]."](".$entity["url"].")".$post; - } - } - - - return($text); -} - -function appnet_send(&$a,&$b) { - - logger('appnet_send: invoked for post '.$b['id']." ".$b['app']); - - if (!get_pconfig($b["uid"],'appnet','import')) { - if($b['deleted'] || $b['private'] || ($b['created'] !== $b['edited'])) - return; - } - - if($b['parent'] != $b['id']) { - logger("appnet_send: parameter ".print_r($b, true), LOGGER_DATA); - - // Looking if its a reply to an app.net post - if ((substr($b["parent-uri"], 0, 5) != "adn::") && (substr($b["extid"], 0, 5) != "adn::") && (substr($b["thr-parent"], 0, 5) != "adn::")) { - logger("appnet_send: no app.net post ".$b["parent"]); - return; - } - - $r = q("SELECT * FROM item WHERE item.uri = '%s' AND item.uid = %d LIMIT 1", - dbesc($b["thr-parent"]), - intval($b["uid"])); - - if(!count($r)) { - logger("appnet_send: no parent found ".$b["thr-parent"]); - return; - } else { - $iscomment = true; - $orig_post = $r[0]; - } - - $nicknameplain = preg_replace("=https?://alpha.app.net/(.*)=ism", "$1", $orig_post["author-link"]); - $nickname = "@[url=".$orig_post["author-link"]."]".$nicknameplain."[/url]"; - $nicknameplain = "@".$nicknameplain; - - logger("appnet_send: comparing ".$nickname." and ".$nicknameplain." with ".$b["body"], LOGGER_DEBUG); - if ((strpos($b["body"], $nickname) === false) && (strpos($b["body"], $nicknameplain) === false)) - $b["body"] = $nickname." ".$b["body"]; - - logger("appnet_send: parent found ".print_r($orig_post, true), LOGGER_DATA); - } else { - $iscomment = false; - - if($b['private'] || !strstr($b['postopts'],'appnet')) - return; - } - - if (($b['verb'] == ACTIVITY_POST) && $b['deleted']) - appnet_action($a, $b["uid"], substr($orig_post["uri"], 5), "delete"); - - if($b['verb'] == ACTIVITY_LIKE) { - logger("appnet_send: ".print_r($b, true), LOGGER_DEBUG); - logger("appnet_send: parameter 2 ".substr($b["thr-parent"], 5), LOGGER_DEBUG); - if ($b['deleted']) - appnet_action($a, $b["uid"], substr($b["thr-parent"], 5), "unlike"); - else - appnet_action($a, $b["uid"], substr($b["thr-parent"], 5), "like"); - return; - } - - if($b['deleted'] || ($b['created'] !== $b['edited'])) - return; - - $token = get_pconfig($b['uid'],'appnet','token'); - - if($token) { - - // If it's a repeated message from app.net then do a native repost and exit - if (appnet_is_repost($a, $b['uid'], $b['body'])) - return; - - - require_once 'addon/appnet/AppDotNet.php'; - - $clientId = get_pconfig($b["uid"],'appnet','clientid'); - $clientSecret = get_pconfig($b["uid"],'appnet','clientsecret'); - - $app = new AppDotNet($clientId, $clientSecret); - $app->setAccessToken($token); - - $data = array(); - - require_once("include/plaintext.php"); - require_once("include/network.php"); - - $post = plaintext($a, $b, 256, false, 6); - logger("appnet_send: converted message ".$b["id"]." result: ".print_r($post, true), LOGGER_DEBUG); - - if (isset($post["image"])) { - $img_str = fetch_url($post['image'],true, $redirects, 10); - $tempfile = tempnam(get_temppath(), "cache"); - file_put_contents($tempfile, $img_str); - - try { - $photoFile = $app->createFile($tempfile, array(type => "com.github.jdolitsky.appdotnetphp.photo")); - - $data["annotations"][] = array( - "type" => "net.app.core.oembed", - "value" => array( - "+net.app.core.file" => array( - "file_id" => $photoFile["id"], - "file_token" => $photoFile["file_token"], - "format" => "oembed") - ) - ); - } - catch (AppDotNetException $e) { - logger("appnet_send: Error creating file ".appnet_error($e->getMessage())); - } - - unlink($tempfile); - } - - // Adding a link to the original post, if it is a root post - if($b['parent'] == $b['id']) - $data["annotations"][] = array( - "type" => "net.app.core.crosspost", - "value" => array("canonical_url" => $b["plink"]) - ); - - // Adding the original post - $attached_data = get_attached_data($b["body"]); - $attached_data["post-uri"] = $b["uri"]; - $attached_data["post-title"] = $b["title"]; - $attached_data["post-body"] = substr($b["body"], 0, 4000); // To-Do: Better shortening - $attached_data["post-tag"] = $b["tag"]; - $attached_data["author-name"] = $b["author-name"]; - $attached_data["author-link"] = $b["author-link"]; - $attached_data["author-avatar"] = $b["author-avatar"]; - - $data["annotations"][] = array( - "type" => "com.friendica.post", - "value" => $attached_data - ); - - if (isset($post["url"]) && !isset($post["title"]) && ($post["type"] != "photo")) { - $display_url = str_replace(array("http://www.", "https://www."), array("", ""), $post["url"]); - $display_url = str_replace(array("http://", "https://"), array("", ""), $display_url); - - if (strlen($display_url) > 26) - $display_url = substr($display_url, 0, 25)."…"; - - $post["title"] = $display_url; - } - - $text = appnet_create_entities($a, $b, $post); - - $data["entities"]["parse_markdown_links"] = true; - - if ($iscomment) - $data["reply_to"] = substr($orig_post["uri"], 5); - - try { - logger("appnet_send: sending message ".$b["id"]." ".$text." ".print_r($data, true), LOGGER_DEBUG); - $ret = $app->createPost($text, $data); - logger("appnet_send: send message ".$b["id"]." result: ".print_r($ret, true), LOGGER_DEBUG); - if ($iscomment) { - logger('appnet_send: Update extid '.$ret["id"]." for post id ".$b['id']); - q("UPDATE `item` SET `extid` = '%s' WHERE `id` = %d", - dbesc("adn::".$ret["id"]), - intval($b['id']) - ); - } - } - catch (AppDotNetException $e) { - logger("appnet_send: Error sending message ".$b["id"]." ".appnet_error($e->getMessage())); - } - } -} - -function appnet_action($a, $uid, $pid, $action) { - require_once 'addon/appnet/AppDotNet.php'; - - $token = get_pconfig($uid,'appnet','token'); - $clientId = get_pconfig($uid,'appnet','clientid'); - $clientSecret = get_pconfig($uid,'appnet','clientsecret'); - - $app = new AppDotNet($clientId, $clientSecret); - $app->setAccessToken($token); - - logger("appnet_action '".$action."' ID: ".$pid, LOGGER_DATA); - - try { - switch ($action) { - case "delete": - $result = $app->deletePost($pid); - break; - case "like": - $result = $app->starPost($pid); - break; - case "unlike": - $result = $app->unstarPost($pid); - break; - } - logger("appnet_action '".$action."' send, result: " . print_r($result, true), LOGGER_DEBUG); - } - catch (AppDotNetException $e) { - logger("appnet_action: Error sending action ".$action." pid ".$pid." ".appnet_error($e->getMessage()), LOGGER_DEBUG); - } -} - -function appnet_is_repost($a, $uid, $body) { - $body = trim($body); - - // Skip if it isn't a pure repeated messages - // Does it start with a share? - if (strpos($body, "[share") > 0) - return(false); - - // Does it end with a share? - if (strlen($body) > (strrpos($body, "[/share]") + 8)) - return(false); - - $attributes = preg_replace("/\[share(.*?)\]\s?(.*?)\s?\[\/share\]\s?/ism","$1",$body); - // Skip if there is no shared message in there - if ($body == $attributes) - return(false); - - $link = ""; - preg_match("/link='(.*?)'/ism", $attributes, $matches); - if ($matches[1] != "") - $link = $matches[1]; - - preg_match('/link="(.*?)"/ism', $attributes, $matches); - if ($matches[1] != "") - $link = $matches[1]; - - $id = preg_replace("=https?://alpha.app.net/(.*)/post/(.*)=ism", "$2", $link); - if ($id == $link) - return(false); - - logger('appnet_is_repost: Reposting id '.$id.' for user '.$uid, LOGGER_DEBUG); - - require_once 'addon/appnet/AppDotNet.php'; - - $token = get_pconfig($uid,'appnet','token'); - $clientId = get_pconfig($uid,'appnet','clientid'); - $clientSecret = get_pconfig($uid,'appnet','clientsecret'); - - $app = new AppDotNet($clientId, $clientSecret); - $app->setAccessToken($token); - - try { - $result = $app->repost($id); - logger('appnet_is_repost: result '.print_r($result, true), LOGGER_DEBUG); - return true; - } - catch (AppDotNetException $e) { - logger('appnet_is_repost: error doing repost '.appnet_error($e->getMessage()), LOGGER_DEBUG); - return false; - } -} - -function appnet_fetchstream($a, $uid) { - require_once("addon/appnet/AppDotNet.php"); - require_once('include/items.php'); - - $token = get_pconfig($uid,'appnet','token'); - $clientId = get_pconfig($uid,'appnet','clientid'); - $clientSecret = get_pconfig($uid,'appnet','clientsecret'); - - $app = new AppDotNet($clientId, $clientSecret); - $app->setAccessToken($token); - - $r = q("SELECT * FROM `contact` WHERE `self` = 1 AND `uid` = %d LIMIT 1", - intval($uid)); - - if(count($r)) - $me = $r[0]; - else { - logger("appnet_fetchstream: Own contact not found for user ".$uid, LOGGER_DEBUG); - return; - } - - $user = q("SELECT * FROM `user` WHERE `uid` = %d AND `account_expired` = 0 LIMIT 1", - intval($uid) - ); - - if(count($user)) - $user = $user[0]; - else { - logger("appnet_fetchstream: Own user not found for user ".$uid, LOGGER_DEBUG); - return; - } - - $ownid = get_pconfig($uid,'appnet','ownid'); - - // Fetch stream - $param = array("count" => 200, "include_deleted" => false, "include_directed_posts" => true, - "include_html" => false, "include_post_annotations" => true); - - $lastid = get_pconfig($uid, 'appnet', 'laststreamid'); - - if ($lastid <> "") - $param["since_id"] = $lastid; - - try { - $stream = $app->getUserStream($param); - } - catch (AppDotNetException $e) { - logger("appnet_fetchstream: Error fetching stream for user ".$uid." ".appnet_error($e->getMessage())); - return; - } - - if (!is_array($stream)) - $stream = array(); - - $stream = array_reverse($stream); - foreach ($stream AS $post) { - $postarray = appnet_createpost($a, $uid, $post, $me, $user, $ownid, true); - - $item = item_store($postarray); - $postarray["id"] = $item; - - logger('appnet_fetchstream: User '.$uid.' posted stream item '.$item); - - $lastid = $post["id"]; - - if (($item != 0) && ($postarray['contact-id'] != $me["id"]) && !function_exists("check_item_notification")) { - $r = q("SELECT `thread`.`iid` AS `parent` FROM `thread` - INNER JOIN `item` ON `thread`.`iid` = `item`.`parent` AND `thread`.`uid` = `item`.`uid` - WHERE `item`.`id` = %d AND `thread`.`mention` LIMIT 1", dbesc($item)); - - if (count($r)) { - require_once('include/enotify.php'); - notification(array( - 'type' => NOTIFY_COMMENT, - 'notify_flags' => $user['notify-flags'], - 'language' => $user['language'], - 'to_name' => $user['username'], - 'to_email' => $user['email'], - 'uid' => $user['uid'], - 'item' => $postarray, - 'link' => $a->get_baseurl().'/display/'.urlencode(get_item_guid($item)), - 'source_name' => $postarray['author-name'], - 'source_link' => $postarray['author-link'], - 'source_photo' => $postarray['author-avatar'], - 'verb' => ACTIVITY_POST, - 'otype' => 'item', - 'parent' => $r[0]["parent"], - )); - } - } - } - - set_pconfig($uid, 'appnet', 'laststreamid', $lastid); - - // Fetch mentions - $param = array("count" => 200, "include_deleted" => false, "include_directed_posts" => true, - "include_html" => false, "include_post_annotations" => true); - - $lastid = get_pconfig($uid, 'appnet', 'lastmentionid'); - - if ($lastid <> "") - $param["since_id"] = $lastid; - - try { - $mentions = $app->getUserMentions("me", $param); - } - catch (AppDotNetException $e) { - logger("appnet_fetchstream: Error fetching mentions for user ".$uid." ".appnet_error($e->getMessage())); - return; - } - - if (!is_array($mentions)) - $mentions = array(); - - $mentions = array_reverse($mentions); - foreach ($mentions AS $post) { - $postarray = appnet_createpost($a, $uid, $post, $me, $user, $ownid, false); - - if (isset($postarray["id"])) { - $item = $postarray["id"]; - $parent_id = $postarray['parent']; - } elseif (isset($postarray["body"])) { - $item = item_store($postarray); - $postarray["id"] = $item; - - $parent_id = 0; - logger('appnet_fetchstream: User '.$uid.' posted mention item '.$item); - - if ($item && function_exists("check_item_notification")) - check_item_notification($item, $uid, NOTIFY_TAGSELF); - - } else { - $item = 0; - $parent_id = 0; - } - - // Fetch the parent and id - if (($parent_id == 0) && ($postarray['uri'] != "")) { - $r = q("SELECT `id`, `parent` FROM `item` WHERE `uri` = '%s' AND `uid` = %d LIMIT 1", - dbesc($postarray['uri']), - intval($uid) - ); - - if (count($r)) { - $item = $r[0]['id']; - $parent_id = $r[0]['parent']; - } - } - - $lastid = $post["id"]; - - //if (($item != 0) && ($postarray['contact-id'] != $me["id"])) { - if (($item != 0) && !function_exists("check_item_notification")) { - require_once('include/enotify.php'); - notification(array( - 'type' => NOTIFY_TAGSELF, - 'notify_flags' => $user['notify-flags'], - 'language' => $user['language'], - 'to_name' => $user['username'], - 'to_email' => $user['email'], - 'uid' => $user['uid'], - 'item' => $postarray, - 'link' => $a->get_baseurl().'/display/'.urlencode(get_item_guid($item)), - 'source_name' => $postarray['author-name'], - 'source_link' => $postarray['author-link'], - 'source_photo' => $postarray['author-avatar'], - 'verb' => ACTIVITY_TAG, - 'otype' => 'item', - 'parent' => $parent_id, - )); - } - } - - set_pconfig($uid, 'appnet', 'lastmentionid', $lastid); - - -/* To-Do - $param = array("interaction_actions" => "star"); - $interactions = $app->getMyInteractions($param); - foreach ($interactions AS $interaction) - appnet_dolike($a, $uid, $interaction); -*/ -} - -function appnet_createpost($a, $uid, $post, $me, $user, $ownid, $createuser, $threadcompletion = true, $nodupcheck = false) { - require_once('include/items.php'); - - if ($post["machine_only"]) - return; - - if ($post["is_deleted"]) - return; - - $postarray = array(); - $postarray['gravity'] = 0; - $postarray['uid'] = $uid; - $postarray['wall'] = 0; - $postarray['verb'] = ACTIVITY_POST; - $postarray['network'] = dbesc(NETWORK_APPNET); - if (is_array($post["repost_of"])) { - // You can't reply to reposts. So use the original id and thread-id - $postarray['uri'] = "adn::".$post["repost_of"]["id"]; - $postarray['parent-uri'] = "adn::".$post["repost_of"]["thread_id"]; - } else { - $postarray['uri'] = "adn::".$post["id"]; - $postarray['parent-uri'] = "adn::".$post["thread_id"]; - } - - if (!$nodupcheck) { - $r = q("SELECT * FROM `item` WHERE `uri` = '%s' AND `uid` = %d LIMIT 1", - dbesc($postarray['uri']), - intval($uid) - ); - - if (count($r)) - return($r[0]); - - $r = q("SELECT * FROM `item` WHERE `extid` = '%s' AND `uid` = %d LIMIT 1", - dbesc($postarray['uri']), - intval($uid) - ); - - if (count($r)) - return($r[0]); - } - - if (isset($post["reply_to"]) && ($post["reply_to"] != "")) { - $postarray['thr-parent'] = "adn::".$post["reply_to"]; - - // Complete the thread (if the parent doesn't exists) - if ($threadcompletion) { - //$r = q("SELECT * FROM `item` WHERE `uri` = '%s' AND `uid` = %d LIMIT 1", - // dbesc($postarray['thr-parent']), - // intval($uid) - // ); - //if (!count($r)) { - logger("appnet_createpost: completing thread ".$post["thread_id"]." for user ".$uid, LOGGER_DEBUG); - - require_once("addon/appnet/AppDotNet.php"); - - $token = get_pconfig($uid,'appnet','token'); - $clientId = get_pconfig($uid,'appnet','clientid'); - $clientSecret = get_pconfig($uid,'appnet','clientsecret'); - - $app = new AppDotNet($clientId, $clientSecret); - $app->setAccessToken($token); - - $param = array("count" => 200, "include_deleted" => false, "include_directed_posts" => true, - "include_html" => false, "include_post_annotations" => true); - try { - $thread = $app->getPostReplies($post["thread_id"], $param); - } - catch (AppDotNetException $e) { - logger("appnet_createpost: Error fetching thread for user ".$uid." ".appnet_error($e->getMessage())); - } - $thread = array_reverse($thread); - - logger("appnet_createpost: fetched ".count($thread)." items for thread ".$post["thread_id"]." for user ".$uid, LOGGER_DEBUG); - - foreach ($thread AS $tpost) { - $threadpost = appnet_createpost($a, $uid, $tpost, $me, $user, $ownid, false, false); - $item = item_store($threadpost); - $threadpost["id"] = $item; - - logger("appnet_createpost: stored post ".$post["id"]." thread ".$post["thread_id"]." in item ".$item, LOGGER_DEBUG); - } - //} - } - // Don't create accounts of people who just comment something - $createuser = false; - - $postarray['object-type'] = ACTIVITY_OBJ_COMMENT; - } else { - $postarray['thr-parent'] = $postarray['uri']; - $postarray['object-type'] = ACTIVITY_OBJ_NOTE; - } - - if (($post["user"]["id"] != $ownid) || ($postarray['thr-parent'] == $postarray['uri'])) { - $postarray['owner-name'] = $post["user"]["name"]; - $postarray['owner-link'] = $post["user"]["canonical_url"]; - $postarray['owner-avatar'] = $post["user"]["avatar_image"]["url"]; - $postarray['contact-id'] = appnet_fetchcontact($a, $uid, $post["user"], $me, $createuser); - } else { - $postarray['owner-name'] = $me["name"]; - $postarray['owner-link'] = $me["url"]; - $postarray['owner-avatar'] = $me["thumb"]; - $postarray['contact-id'] = $me["id"]; - } - - $links = array(); - - if (is_array($post["repost_of"])) { - $postarray['author-name'] = $post["repost_of"]["user"]["name"]; - $postarray['author-link'] = $post["repost_of"]["user"]["canonical_url"]; - $postarray['author-avatar'] = $post["repost_of"]["user"]["avatar_image"]["url"]; - - $content = $post["repost_of"]; - } else { - $postarray['author-name'] = $postarray['owner-name']; - $postarray['author-link'] = $postarray['owner-link']; - $postarray['author-avatar'] = $postarray['owner-avatar']; - - $content = $post; - } - - $postarray['plink'] = $content["canonical_url"]; - - if (is_array($content["entities"])) { - $converted = appnet_expand_entities($a, $content["text"], $content["entities"]); - $postarray['body'] = $converted["body"]; - $postarray['tag'] = $converted["tags"]; - } else - $postarray['body'] = $content["text"]; - - if (sizeof($content["entities"]["links"])) - foreach($content["entities"]["links"] AS $link) { - $url = normalise_link($link["url"]); - $links[$url] = $link["url"]; - } - - /* if (sizeof($content["annotations"])) - foreach($content["annotations"] AS $annotation) { - if ($annotation[type] == "net.app.core.oembed") { - if (isset($annotation["value"]["embeddable_url"])) { - $url = normalise_link($annotation["value"]["embeddable_url"]); - if (isset($links[$url])) - unset($links[$url]); - } - } elseif ($annotation[type] == "com.friendica.post") { - //$links = array(); - //if (isset($annotation["value"]["post-title"])) - // $postarray['title'] = $annotation["value"]["post-title"]; - - //if (isset($annotation["value"]["post-body"])) - // $postarray['body'] = $annotation["value"]["post-body"]; - - //if (isset($annotation["value"]["post-tag"])) - // $postarray['tag'] = $annotation["value"]["post-tag"]; - - if (isset($annotation["value"]["author-name"])) - $postarray['author-name'] = $annotation["value"]["author-name"]; - - if (isset($annotation["value"]["author-link"])) - $postarray['author-link'] = $annotation["value"]["author-link"]; - - if (isset($annotation["value"]["author-avatar"])) - $postarray['author-avatar'] = $annotation["value"]["author-avatar"]; - } - - } */ - - $page_info = ""; - - if (is_array($content["annotations"])) { - $photo = appnet_expand_annotations($a, $content["annotations"]); - if (($photo["large"] != "") && ($photo["url"] != "")) - $page_info = "\n[url=".$photo["url"]."][img]".$photo["large"]."[/img][/url]"; - elseif ($photo["url"] != "") - $page_info = "\n[img]".$photo["url"]."[/img]"; - - if ($photo["url"] != "") - $postarray['object-type'] = ACTIVITY_OBJ_IMAGE; - - } else - $photo = array("url" => "", "large" => ""); - - if (sizeof($links)) { - $link = array_pop($links); - $url = str_replace(array('/', '.'), array('\/', '\.'), $link); - - $page_info = add_page_info($link, false, $photo["url"]); - - if (trim($page_info) != "") { - $removedlink = preg_replace("/\[url\=".$url."\](.*?)\[\/url\]/ism", '', $postarray['body']); - if (($removedlink == "") || strstr($postarray['body'], $removedlink)) - $postarray['body'] = $removedlink; - } - } - - $postarray['body'] .= $page_info; - - $postarray['created'] = datetime_convert('UTC','UTC',$post["created_at"]); - $postarray['edited'] = datetime_convert('UTC','UTC',$post["created_at"]); - - $postarray['app'] = $post["source"]["name"]; - - return($postarray); -} - -function appnet_expand_entities($a, $body, $entities) { - - if (!function_exists('substr_unicode')) { - function substr_unicode($str, $s, $l = null) { - return join("", array_slice( - preg_split("//u", $str, -1, PREG_SPLIT_NO_EMPTY), $s, $l)); - } - } - - $tags_arr = array(); - $replace = array(); - - foreach ($entities["mentions"] AS $mention) { - $url = "@[url=https://alpha.app.net/".rawurlencode($mention["name"])."]".$mention["name"]."[/url]"; - $tags_arr["@".$mention["name"]] = $url; - $replace[$mention["pos"]] = array("pos"=> $mention["pos"], "len"=> $mention["len"], "replace"=> $url); - } - - foreach ($entities["hashtags"] AS $hashtag) { - $url = "#[url=".$a->get_baseurl()."/search?tag=".rawurlencode($hashtag["name"])."]".$hashtag["name"]."[/url]"; - $tags_arr["#".$hashtag["name"]] = $url; - $replace[$hashtag["pos"]] = array("pos"=> $hashtag["pos"], "len"=> $hashtag["len"], "replace"=> $url); - } - - foreach ($entities["links"] AS $links) { - $url = "[url=".$links["url"]."]".$links["text"]."[/url]"; - if (isset($links["amended_len"]) && ($links["amended_len"] > $links["len"])) - $replace[$links["pos"]] = array("pos"=> $links["pos"], "len"=> $links["amended_len"], "replace"=> $url); - else - $replace[$links["pos"]] = array("pos"=> $links["pos"], "len"=> $links["len"], "replace"=> $url); - } - - - if (sizeof($replace)) { - krsort($replace); - foreach ($replace AS $entity) { - $pre = substr_unicode($body, 0, $entity["pos"]); - $post = substr_unicode($body, $entity["pos"] + $entity["len"]); - //$pre = iconv_substr($body, 0, $entity["pos"], "UTF-8"); - //$post = iconv_substr($body, $entity["pos"] + $entity["len"], "UTF-8"); - - $body = $pre.$entity["replace"].$post; - } - } - - return(array("body" => $body, "tags" => implode($tags_arr, ","))); -} - -function appnet_expand_annotations($a, $annotations) { - $photo = array("url" => "", "large" => ""); - foreach ($annotations AS $annotation) { - if (($annotation[type] == "net.app.core.oembed") && - ($annotation["value"]["type"] == "photo")) { - if ($annotation["value"]["url"] != "") - $photo["url"] = $annotation["value"]["url"]; - - if ($annotation["value"]["thumbnail_large_url"] != "") - $photo["large"] = $annotation["value"]["thumbnail_large_url"]; - - //if (($annotation["value"]["thumbnail_large_url"] != "") && ($annotation["value"]["url"] != "")) - // $embedded = "\n[url=".$annotation["value"]["url"]."][img]".$annotation["value"]["thumbnail_large_url"]."[/img][/url]"; - //elseif ($annotation["value"]["url"] != "") - // $embedded = "\n[img]".$annotation["value"]["url"]."[/img]"; - } - } - return $photo; -} - -function appnet_fetchcontact($a, $uid, $contact, $me, $create_user) { - - update_gcontact(array("url" => $contact["canonical_url"], "generation" => 2, - "network" => NETWORK_APPNET, "photo" => $contact["avatar_image"]["url"], - "name" => $contact["name"], "nick" => $contact["username"], - "about" => $contact["description"]["text"], "hide" => true, - "addr" => $contact["username"]."@app.net")); - - $r = q("SELECT * FROM `contact` WHERE `uid` = %d AND `alias` = '%s' LIMIT 1", - intval($uid), dbesc("adn::".$contact["id"])); - - if(!count($r) && !$create_user) - return($me["id"]); - - if ($contact["canonical_url"] == "") - return($me["id"]); - - if (count($r) && ($r[0]["readonly"] || $r[0]["blocked"])) { - logger("appnet_fetchcontact: Contact '".$r[0]["nick"]."' is blocked or readonly.", LOGGER_DEBUG); - return(-1); - } - - if(!count($r)) { - - if ($contact["name"] == "") - $contact["name"] = $contact["username"]; - - if ($contact["username"] == "") - $contact["username"] = $contact["name"]; - - // create contact record - q("INSERT INTO `contact` (`uid`, `created`, `url`, `nurl`, `addr`, `alias`, `notify`, `poll`, - `name`, `nick`, `photo`, `network`, `rel`, `priority`, - `about`, `writable`, `blocked`, `readonly`, `pending` ) - VALUES ( %d, '%s', '%s', '%s', '%s', '%s', '%s', '%s', '%s', '%s', '%s', '%s', %d, %d, '%s', %d, 0, 0, 0 ) ", - intval($uid), - dbesc(datetime_convert()), - dbesc($contact["canonical_url"]), - dbesc(normalise_link($contact["canonical_url"])), - dbesc($contact["username"]."@app.net"), - dbesc("adn::".$contact["id"]), - dbesc(''), - dbesc("adn::".$contact["id"]), - dbesc($contact["name"]), - dbesc($contact["username"]), - dbesc($contact["avatar_image"]["url"]), - dbesc(NETWORK_APPNET), - intval(CONTACT_IS_FRIEND), - intval(1), - dbesc($contact["description"]["text"]), - intval(1) - ); - - $r = q("SELECT * FROM `contact` WHERE `alias` = '%s' AND `uid` = %d LIMIT 1", - dbesc("adn::".$contact["id"]), - intval($uid) - ); - - if(! count($r)) - return(false); - - $contact_id = $r[0]['id']; - - $g = q("SELECT def_gid FROM user WHERE uid = %d LIMIT 1", - intval($uid) - ); - - if($g && intval($g[0]['def_gid'])) { - require_once('include/group.php'); - group_add_member($uid,'',$contact_id,$g[0]['def_gid']); - } - - require_once("Photo.php"); - - $photos = import_profile_photo($contact["avatar_image"]["url"],$uid,$contact_id); - - q("UPDATE `contact` SET `photo` = '%s', - `thumb` = '%s', - `micro` = '%s', - `name-date` = '%s', - `uri-date` = '%s', - `avatar-date` = '%s' - WHERE `id` = %d", - dbesc($photos[0]), - dbesc($photos[1]), - dbesc($photos[2]), - dbesc(datetime_convert()), - dbesc(datetime_convert()), - dbesc(datetime_convert()), - intval($contact_id) - ); - } else { - // update profile photos once every two weeks as we have no notification of when they change. - - //$update_photo = (($r[0]['avatar-date'] < datetime_convert('','','now -2 days')) ? true : false); - $update_photo = ($r[0]['avatar-date'] < datetime_convert('','','now -12 hours')); - - // check that we have all the photos, this has been known to fail on occasion - - if((! $r[0]['photo']) || (! $r[0]['thumb']) || (! $r[0]['micro']) || ($update_photo)) { - - logger("appnet_fetchcontact: Updating contact ".$contact["username"], LOGGER_DEBUG); - - require_once("Photo.php"); - - $photos = import_profile_photo($contact["avatar_image"]["url"], $uid, $r[0]['id']); - - q("UPDATE `contact` SET `photo` = '%s', - `thumb` = '%s', - `micro` = '%s', - `name-date` = '%s', - `uri-date` = '%s', - `avatar-date` = '%s', - `url` = '%s', - `nurl` = '%s', - `addr` = '%s', - `name` = '%s', - `nick` = '%s', - `about` = '%s' - WHERE `id` = %d", - dbesc($photos[0]), - dbesc($photos[1]), - dbesc($photos[2]), - dbesc(datetime_convert()), - dbesc(datetime_convert()), - dbesc(datetime_convert()), - dbesc($contact["canonical_url"]), - dbesc(normalise_link($contact["canonical_url"])), - dbesc($contact["username"]."@app.net"), - dbesc($contact["name"]), - dbesc($contact["username"]), - dbesc($contact["description"]["text"]), - intval($r[0]['id']) - ); - } - } - - return($r[0]["id"]); -} - -function appnet_prepare_body(&$a,&$b) { - if ($b["item"]["network"] != NETWORK_APPNET) - return; - - if ($b["preview"]) { - $max_char = 256; - require_once("include/plaintext.php"); - $item = $b["item"]; - $item["plink"] = $a->get_baseurl()."/display/".$a->user["nickname"]."/".$item["parent"]; - - $r = q("SELECT `author-link` FROM item WHERE item.uri = '%s' AND item.uid = %d LIMIT 1", - dbesc($item["thr-parent"]), - intval(local_user())); - - if(count($r)) { - $orig_post = $r[0]; - - $nicknameplain = preg_replace("=https?://alpha.app.net/(.*)=ism", "$1", $orig_post["author-link"]); - $nickname = "@[url=".$orig_post["author-link"]."]".$nicknameplain."[/url]"; - $nicknameplain = "@".$nicknameplain; - - if ((strpos($item["body"], $nickname) === false) && (strpos($item["body"], $nicknameplain) === false)) - $item["body"] = $nickname." ".$item["body"]; - } - - - - $msgarr = plaintext($a, $item, $max_char, true); - $msg = appnet_create_entities($a, $item, $msgarr); - - require_once("library/markdown.php"); - $msg = Markdown($msg); - - $b['html'] = $msg; - } -} - -function appnet_cron($a,$b) { - $last = get_config('appnet','last_poll'); - - $poll_interval = intval(get_config('appnet','poll_interval')); - if(! $poll_interval) - $poll_interval = APPNET_DEFAULT_POLL_INTERVAL; - - if($last) { - $next = $last + ($poll_interval * 60); - if($next > time()) { - logger('appnet_cron: poll intervall not reached'); - return; - } - } - logger('appnet_cron: cron_start'); - - $abandon_days = intval(get_config('system','account_abandon_days')); - if ($abandon_days < 1) - $abandon_days = 0; - - $abandon_limit = date("Y-m-d H:i:s", time() - $abandon_days * 86400); - - $r = q("SELECT * FROM `pconfig` WHERE `cat` = 'appnet' AND `k` = 'import' AND `v` = '1' ORDER BY RAND()"); - if(count($r)) { - foreach($r as $rr) { - if ($abandon_days != 0) { - $user = q("SELECT `login_date` FROM `user` WHERE uid=%d AND `login_date` >= '%s'", $rr['uid'], $abandon_limit); - if (!count($user)) { - logger('abandoned account: timeline from user '.$rr['uid'].' will not be imported'); - continue; - } - } - - logger('appnet_cron: importing timeline from user '.$rr['uid']); - appnet_fetchstream($a, $rr["uid"]); - } - } - - logger('appnet_cron: cron_end'); - - set_config('appnet','last_poll', time()); -} - -function appnet_error($msg) { - $msg = trim($msg); - $pos = strrpos($msg, "\r\n\r\n"); - - if (!$pos) - return($msg); - - $msg = substr($msg, $pos + 4); - - $error = json_decode($msg); - - if ($error == NULL) - return($msg); - - if (isset($error->meta->error_message)) - return($error->meta->error_message); - else - return(print_r($error)); -} diff --git a/appnet/lang/C/messages.po b/appnet/lang/C/messages.po deleted file mode 100644 index a6617de9..00000000 --- a/appnet/lang/C/messages.po +++ /dev/null @@ -1,116 +0,0 @@ -# ADDON appnet -# Copyright (C) -# This file is distributed under the same license as the Friendica appnet addon package. -# -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: \n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 11:47+0200\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME \n" -"Language-Team: LANGUAGE \n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#: appnet.php:39 -msgid "Permission denied." -msgstr "" - -#: appnet.php:73 -msgid "You are now authenticated to app.net. " -msgstr "" - -#: appnet.php:77 -msgid "

Error fetching token. Please try again.

" -msgstr "" - -#: appnet.php:80 -msgid "return to the connector page" -msgstr "" - -#: appnet.php:94 -msgid "Post to app.net" -msgstr "" - -#: appnet.php:125 appnet.php:129 -msgid "App.net Export" -msgstr "" - -#: appnet.php:142 -msgid "Currently connected to: " -msgstr "" - -#: appnet.php:144 -msgid "Enable App.net Post Plugin" -msgstr "" - -#: appnet.php:149 -msgid "Post to App.net by default" -msgstr "" - -#: appnet.php:153 -msgid "Import the remote timeline" -msgstr "" - -#: appnet.php:159 -msgid "" -"

Error fetching user profile. Please clear the configuration and try again." -"

" -msgstr "" - -#: appnet.php:164 -msgid "

You have two ways to connect to App.net.

" -msgstr "" - -#: appnet.php:166 -msgid "" -"

First way: Register an application at https://account.app.net/developer/apps/ and enter " -"Client ID and Client Secret. " -msgstr "" - -#: appnet.php:167 -#, php-format -msgid "Use '%s' as Redirect URI

" -msgstr "" - -#: appnet.php:169 -msgid "Client ID" -msgstr "" - -#: appnet.php:173 -msgid "Client Secret" -msgstr "" - -#: appnet.php:177 -msgid "" -"

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. " -msgstr "" - -#: appnet.php:178 -msgid "" -"Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', " -"'Messages'.

" -msgstr "" - -#: appnet.php:180 -msgid "Token" -msgstr "" - -#: appnet.php:192 -msgid "Sign in using App.net" -msgstr "" - -#: appnet.php:197 -msgid "Clear OAuth configuration" -msgstr "" - -#: appnet.php:204 -msgid "Save Settings" -msgstr "" diff --git a/appnet/lang/cs/messages.po b/appnet/lang/cs/messages.po deleted file mode 100644 index b6527459..00000000 --- a/appnet/lang/cs/messages.po +++ /dev/null @@ -1,118 +0,0 @@ -# ADDON appnet -# Copyright (C) -# This file is distributed under the same license as the Friendica appnet addon package. -# -# -# Translators: -# Michal Šupler , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 11:47+0200\n" -"PO-Revision-Date: 2014-07-02 15:24+0000\n" -"Last-Translator: Michal Šupler \n" -"Language-Team: Czech (http://www.transifex.com/projects/p/friendica/language/cs/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: cs\n" -"Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" - -#: appnet.php:39 -msgid "Permission denied." -msgstr "Přístup odmítnut." - -#: appnet.php:73 -msgid "You are now authenticated to app.net. " -msgstr "Nyní jste přihlášen k app.net." - -#: appnet.php:77 -msgid "

Error fetching token. Please try again.

" -msgstr "

Chyba v přenesení tokenu. Prosím zkuste to znovu.

" - -#: appnet.php:80 -msgid "return to the connector page" -msgstr "návrat ke stránce konektor" - -#: appnet.php:94 -msgid "Post to app.net" -msgstr "Poslat příspěvek na app.net" - -#: appnet.php:125 appnet.php:129 -msgid "App.net Export" -msgstr "App.net Export" - -#: appnet.php:142 -msgid "Currently connected to: " -msgstr "V současné době připojen k:" - -#: appnet.php:144 -msgid "Enable App.net Post Plugin" -msgstr "Aktivovat App.net Post Plugin" - -#: appnet.php:149 -msgid "Post to App.net by default" -msgstr "Defaultně poslat na App.net" - -#: appnet.php:153 -msgid "Import the remote timeline" -msgstr "Importovat vzdálenou časovou osu" - -#: appnet.php:159 -msgid "" -"

Error fetching user profile. Please clear the configuration and try " -"again.

" -msgstr "

Chyba v přenesení uživatelského profilu. Prosím zkuste smazat konfiguraci a zkusit to znovu.

" - -#: appnet.php:164 -msgid "

You have two ways to connect to App.net.

" -msgstr "

Máte nyní dvě možnosti jak se připojit k App.net.

" - -#: appnet.php:166 -msgid "" -"

First way: Register an application at https://account.app.net/developer/apps/" -" and enter Client ID and Client Secret. " -msgstr "

První možnost: Registrovat svou žádost na https://account.app.net/developer/apps/ a zadat Client ID and Client Secret. " - -#: appnet.php:167 -#, php-format -msgid "Use '%s' as Redirect URI

" -msgstr "Použít '%s' jako URI pro přesměrování

" - -#: appnet.php:169 -msgid "Client ID" -msgstr "Client ID" - -#: appnet.php:173 -msgid "Client Secret" -msgstr "Client Secret" - -#: appnet.php:177 -msgid "" -"

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. " -msgstr "

Druhá možnost: vložit token do http://dev-lite.jonathonduerig.com/. " - -#: appnet.php:178 -msgid "" -"Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', " -"'Messages'.

" -msgstr "Nastavte tyto rámce: 'Základní', 'Stream', 'Psaní příspěvků, 'Veřejné zprávy', 'Zprávy'.

" - -#: appnet.php:180 -msgid "Token" -msgstr "Token" - -#: appnet.php:192 -msgid "Sign in using App.net" -msgstr "Přihlásit se s použitím App.net" - -#: appnet.php:197 -msgid "Clear OAuth configuration" -msgstr "Vymazat konfiguraci OAuth" - -#: appnet.php:204 -msgid "Save Settings" -msgstr "Uložit Nastavení" diff --git a/appnet/lang/cs/strings.php b/appnet/lang/cs/strings.php deleted file mode 100644 index 4bc45427..00000000 --- a/appnet/lang/cs/strings.php +++ /dev/null @@ -1,29 +0,0 @@ -=2 && $n<=4) ? 1 : 2;; -}} -; -$a->strings["Permission denied."] = "Přístup odmítnut."; -$a->strings["You are now authenticated to app.net. "] = "Nyní jste přihlášen k app.net."; -$a->strings["

Error fetching token. Please try again.

"] = "

Chyba v přenesení tokenu. Prosím zkuste to znovu.

"; -$a->strings["return to the connector page"] = "návrat ke stránce konektor"; -$a->strings["Post to app.net"] = "Poslat příspěvek na app.net"; -$a->strings["App.net Export"] = "App.net Export"; -$a->strings["Currently connected to: "] = "V současné době připojen k:"; -$a->strings["Enable App.net Post Plugin"] = "Aktivovat App.net Post Plugin"; -$a->strings["Post to App.net by default"] = "Defaultně poslat na App.net"; -$a->strings["Import the remote timeline"] = "Importovat vzdálenou časovou osu"; -$a->strings["

Error fetching user profile. Please clear the configuration and try again.

"] = "

Chyba v přenesení uživatelského profilu. Prosím zkuste smazat konfiguraci a zkusit to znovu.

"; -$a->strings["

You have two ways to connect to App.net.

"] = "

Máte nyní dvě možnosti jak se připojit k App.net.

"; -$a->strings["

First way: Register an application at https://account.app.net/developer/apps/ and enter Client ID and Client Secret. "] = "

První možnost: Registrovat svou žádost na https://account.app.net/developer/apps/ a zadat Client ID and Client Secret. "; -$a->strings["Use '%s' as Redirect URI

"] = "Použít '%s' jako URI pro přesměrování

"; -$a->strings["Client ID"] = "Client ID"; -$a->strings["Client Secret"] = "Client Secret"; -$a->strings["

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. "] = "

Druhá možnost: vložit token do http://dev-lite.jonathonduerig.com/. "; -$a->strings["Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"] = "Nastavte tyto rámce: 'Základní', 'Stream', 'Psaní příspěvků, 'Veřejné zprávy', 'Zprávy'.

"; -$a->strings["Token"] = "Token"; -$a->strings["Sign in using App.net"] = "Přihlásit se s použitím App.net"; -$a->strings["Clear OAuth configuration"] = "Vymazat konfiguraci OAuth"; -$a->strings["Save Settings"] = "Uložit Nastavení"; diff --git a/appnet/lang/de/messages.po b/appnet/lang/de/messages.po deleted file mode 100644 index 6e8f7c88..00000000 --- a/appnet/lang/de/messages.po +++ /dev/null @@ -1,118 +0,0 @@ -# ADDON appnet -# Copyright (C) -# This file is distributed under the same license as the Friendica appnet addon package. -# -# -# Translators: -# bavatar , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 11:47+0200\n" -"PO-Revision-Date: 2014-06-25 04:31+0000\n" -"Last-Translator: bavatar \n" -"Language-Team: German (http://www.transifex.com/projects/p/friendica/language/de/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: de\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: appnet.php:39 -msgid "Permission denied." -msgstr "Zugriff verweigert." - -#: appnet.php:73 -msgid "You are now authenticated to app.net. " -msgstr "Du bist nun auf app.net authentifiziert." - -#: appnet.php:77 -msgid "

Error fetching token. Please try again.

" -msgstr "

Fehler beim Holen des Tokens, bitte versuche es später noch einmal.

" - -#: appnet.php:80 -msgid "return to the connector page" -msgstr "zurück zur Connector Seite" - -#: appnet.php:94 -msgid "Post to app.net" -msgstr "Nach app.net senden" - -#: appnet.php:125 appnet.php:129 -msgid "App.net Export" -msgstr "App.net Export" - -#: appnet.php:142 -msgid "Currently connected to: " -msgstr "Momentan verbunden mit: " - -#: appnet.php:144 -msgid "Enable App.net Post Plugin" -msgstr "Veröffentlichungen bei App.net erlauben" - -#: appnet.php:149 -msgid "Post to App.net by default" -msgstr "Standardmäßig bei App.net veröffentlichen" - -#: appnet.php:153 -msgid "Import the remote timeline" -msgstr "Importiere die entfernte Zeitleiste" - -#: appnet.php:159 -msgid "" -"

Error fetching user profile. Please clear the configuration and try " -"again.

" -msgstr "

Beim Laden des Nutzerprofils ist ein Fehler aufgetreten. Bitte versuche es später noch einmal.

" - -#: appnet.php:164 -msgid "

You have two ways to connect to App.net.

" -msgstr "

Du hast zwei Wege deinen friendica Account mit App.net zu verbinden.

" - -#: appnet.php:166 -msgid "" -"

First way: Register an application at https://account.app.net/developer/apps/" -" and enter Client ID and Client Secret. " -msgstr "

Erster Weg: Registriere eine Anwendung unter https://account.app.net/developer/apps/ und wähle eine Client ID und ein Client Secret." - -#: appnet.php:167 -#, php-format -msgid "Use '%s' as Redirect URI

" -msgstr "Verwende '%s' als Redirect URI

" - -#: appnet.php:169 -msgid "Client ID" -msgstr "Client ID" - -#: appnet.php:173 -msgid "Client Secret" -msgstr "Client Secret" - -#: appnet.php:177 -msgid "" -"

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. " -msgstr "

Zweiter Weg: Beantrage ein Token unter http://dev-lite.jonathonduerig.com/. " - -#: appnet.php:178 -msgid "" -"Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', " -"'Messages'.

" -msgstr "Verwende folgende Scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

" - -#: appnet.php:180 -msgid "Token" -msgstr "Token" - -#: appnet.php:192 -msgid "Sign in using App.net" -msgstr "Per App.net anmelden" - -#: appnet.php:197 -msgid "Clear OAuth configuration" -msgstr "OAuth Konfiguration löschen" - -#: appnet.php:204 -msgid "Save Settings" -msgstr "Einstellungen speichern" diff --git a/appnet/lang/de/strings.php b/appnet/lang/de/strings.php deleted file mode 100644 index da80cf7c..00000000 --- a/appnet/lang/de/strings.php +++ /dev/null @@ -1,29 +0,0 @@ -strings["Permission denied."] = "Zugriff verweigert."; -$a->strings["You are now authenticated to app.net. "] = "Du bist nun auf app.net authentifiziert."; -$a->strings["

Error fetching token. Please try again.

"] = "

Fehler beim Holen des Tokens, bitte versuche es später noch einmal.

"; -$a->strings["return to the connector page"] = "zurück zur Connector Seite"; -$a->strings["Post to app.net"] = "Nach app.net senden"; -$a->strings["App.net Export"] = "App.net Export"; -$a->strings["Currently connected to: "] = "Momentan verbunden mit: "; -$a->strings["Enable App.net Post Plugin"] = "Veröffentlichungen bei App.net erlauben"; -$a->strings["Post to App.net by default"] = "Standardmäßig bei App.net veröffentlichen"; -$a->strings["Import the remote timeline"] = "Importiere die entfernte Zeitleiste"; -$a->strings["

Error fetching user profile. Please clear the configuration and try again.

"] = "

Beim Laden des Nutzerprofils ist ein Fehler aufgetreten. Bitte versuche es später noch einmal.

"; -$a->strings["

You have two ways to connect to App.net.

"] = "

Du hast zwei Wege deinen friendica Account mit App.net zu verbinden.

"; -$a->strings["

First way: Register an application at https://account.app.net/developer/apps/ and enter Client ID and Client Secret. "] = "

Erster Weg: Registriere eine Anwendung unter https://account.app.net/developer/apps/ und wähle eine Client ID und ein Client Secret."; -$a->strings["Use '%s' as Redirect URI

"] = "Verwende '%s' als Redirect URI

"; -$a->strings["Client ID"] = "Client ID"; -$a->strings["Client Secret"] = "Client Secret"; -$a->strings["

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. "] = "

Zweiter Weg: Beantrage ein Token unter http://dev-lite.jonathonduerig.com/. "; -$a->strings["Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"] = "Verwende folgende Scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"; -$a->strings["Token"] = "Token"; -$a->strings["Sign in using App.net"] = "Per App.net anmelden"; -$a->strings["Clear OAuth configuration"] = "OAuth Konfiguration löschen"; -$a->strings["Save Settings"] = "Einstellungen speichern"; diff --git a/appnet/lang/es/messages.po b/appnet/lang/es/messages.po deleted file mode 100644 index a44089d7..00000000 --- a/appnet/lang/es/messages.po +++ /dev/null @@ -1,118 +0,0 @@ -# ADDON appnet -# Copyright (C) -# This file is distributed under the same license as the Friendica appnet addon package. -# -# -# Translators: -# Alberto Díaz Tormo , 2016 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 11:47+0200\n" -"PO-Revision-Date: 2016-10-13 21:25+0000\n" -"Last-Translator: Alberto Díaz Tormo \n" -"Language-Team: Spanish (http://www.transifex.com/Friendica/friendica/language/es/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: es\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: appnet.php:39 -msgid "Permission denied." -msgstr "Permiso denegado" - -#: appnet.php:73 -msgid "You are now authenticated to app.net. " -msgstr "Ahora está autenticado en app.net." - -#: appnet.php:77 -msgid "

Error fetching token. Please try again.

" -msgstr "

Advertencia de error. Por favor inténtelo de nuevo.

" - -#: appnet.php:80 -msgid "return to the connector page" -msgstr "vuelva a pa página de conexón" - -#: appnet.php:94 -msgid "Post to app.net" -msgstr "Publique en app.net" - -#: appnet.php:125 appnet.php:129 -msgid "App.net Export" -msgstr "Exportar a app.net" - -#: appnet.php:142 -msgid "Currently connected to: " -msgstr "Actualmente conectado a:" - -#: appnet.php:144 -msgid "Enable App.net Post Plugin" -msgstr "Habilitar el plugin de publicación de App.net" - -#: appnet.php:149 -msgid "Post to App.net by default" -msgstr "Publicar en App.net por defecto" - -#: appnet.php:153 -msgid "Import the remote timeline" -msgstr "Importar la línea de tiempo remota" - -#: appnet.php:159 -msgid "" -"

Error fetching user profile. Please clear the configuration and try " -"again.

" -msgstr "

Advertencia de error de perfil. Por favor borre la configuración e inténtelo de nuevo.

" - -#: appnet.php:164 -msgid "

You have two ways to connect to App.net.

" -msgstr "

Tiene dos formas de conectar a App.net.

" - -#: appnet.php:166 -msgid "" -"

First way: Register an application at https://account.app.net/developer/apps/" -" and enter Client ID and Client Secret. " -msgstr "

Primera forma: Registrar una aplicación en https://account.app.net/developer/apps/ y seleccionar Client ID y Client Secret. " - -#: appnet.php:167 -#, php-format -msgid "Use '%s' as Redirect URI

" -msgstr "Use '%s' como Redirigir URI" - -#: appnet.php:169 -msgid "Client ID" -msgstr "ID de cliente" - -#: appnet.php:173 -msgid "Client Secret" -msgstr "Secreto de cliente" - -#: appnet.php:177 -msgid "" -"

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. " -msgstr "

Segunda manera: traiga un símbolo a http://dev-lite.jonathonduerig.com/" - -#: appnet.php:178 -msgid "" -"Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', " -"'Messages'.

" -msgstr "Seleccione estas posibilidades: 'Básico', 'Continuo', 'Escribir entrada', 'Mensajes públicos', 'Mensajes'.

" - -#: appnet.php:180 -msgid "Token" -msgstr "Símbolo" - -#: appnet.php:192 -msgid "Sign in using App.net" -msgstr "Regístrese usando App.net" - -#: appnet.php:197 -msgid "Clear OAuth configuration" -msgstr "Borre la configuración OAuth" - -#: appnet.php:204 -msgid "Save Settings" -msgstr "Guardar los ajustes" diff --git a/appnet/lang/es/strings.php b/appnet/lang/es/strings.php deleted file mode 100644 index 020c6f35..00000000 --- a/appnet/lang/es/strings.php +++ /dev/null @@ -1,29 +0,0 @@ -strings["Permission denied."] = "Permiso denegado"; -$a->strings["You are now authenticated to app.net. "] = "Ahora está autenticado en app.net."; -$a->strings["

Error fetching token. Please try again.

"] = "

Advertencia de error. Por favor inténtelo de nuevo.

"; -$a->strings["return to the connector page"] = "vuelva a pa página de conexón"; -$a->strings["Post to app.net"] = "Publique en app.net"; -$a->strings["App.net Export"] = "Exportar a app.net"; -$a->strings["Currently connected to: "] = "Actualmente conectado a:"; -$a->strings["Enable App.net Post Plugin"] = "Habilitar el plugin de publicación de App.net"; -$a->strings["Post to App.net by default"] = "Publicar en App.net por defecto"; -$a->strings["Import the remote timeline"] = "Importar la línea de tiempo remota"; -$a->strings["

Error fetching user profile. Please clear the configuration and try again.

"] = "

Advertencia de error de perfil. Por favor borre la configuración e inténtelo de nuevo.

"; -$a->strings["

You have two ways to connect to App.net.

"] = "

Tiene dos formas de conectar a App.net.

"; -$a->strings["

First way: Register an application at https://account.app.net/developer/apps/ and enter Client ID and Client Secret. "] = "

Primera forma: Registrar una aplicación en https://account.app.net/developer/apps/ y seleccionar Client ID y Client Secret. "; -$a->strings["Use '%s' as Redirect URI

"] = "Use '%s' como Redirigir URI"; -$a->strings["Client ID"] = "ID de cliente"; -$a->strings["Client Secret"] = "Secreto de cliente"; -$a->strings["

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. "] = "

Segunda manera: traiga un símbolo a http://dev-lite.jonathonduerig.com/"; -$a->strings["Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"] = "Seleccione estas posibilidades: 'Básico', 'Continuo', 'Escribir entrada', 'Mensajes públicos', 'Mensajes'.

"; -$a->strings["Token"] = "Símbolo"; -$a->strings["Sign in using App.net"] = "Regístrese usando App.net"; -$a->strings["Clear OAuth configuration"] = "Borre la configuración OAuth"; -$a->strings["Save Settings"] = "Guardar los ajustes"; diff --git a/appnet/lang/fr/messages.po b/appnet/lang/fr/messages.po deleted file mode 100644 index 6f5f2997..00000000 --- a/appnet/lang/fr/messages.po +++ /dev/null @@ -1,119 +0,0 @@ -# ADDON appnet -# Copyright (C) -# This file is distributed under the same license as the Friendica appnet addon package. -# -# -# Translators: -# Hypolite Petovan , 2016 -# Jak , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 11:47+0200\n" -"PO-Revision-Date: 2016-09-24 02:12+0000\n" -"Last-Translator: Hypolite Petovan \n" -"Language-Team: French (http://www.transifex.com/Friendica/friendica/language/fr/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: fr\n" -"Plural-Forms: nplurals=2; plural=(n > 1);\n" - -#: appnet.php:39 -msgid "Permission denied." -msgstr "Autorisation refusée" - -#: appnet.php:73 -msgid "You are now authenticated to app.net. " -msgstr "Vous êtes maintenant authentifié sur app.net" - -#: appnet.php:77 -msgid "

Error fetching token. Please try again.

" -msgstr "

Impossible d'obtenir le jeton, merci de réessayer.

" - -#: appnet.php:80 -msgid "return to the connector page" -msgstr "revenir à la page du connecteur" - -#: appnet.php:94 -msgid "Post to app.net" -msgstr "Publier sur app.net" - -#: appnet.php:125 appnet.php:129 -msgid "App.net Export" -msgstr "Export App.net" - -#: appnet.php:142 -msgid "Currently connected to: " -msgstr "Actuellement connecté à :" - -#: appnet.php:144 -msgid "Enable App.net Post Plugin" -msgstr "Activer le plugin de publication app.net" - -#: appnet.php:149 -msgid "Post to App.net by default" -msgstr "Publier sur App.net par défaut" - -#: appnet.php:153 -msgid "Import the remote timeline" -msgstr "Importer la timeline distante" - -#: appnet.php:159 -msgid "" -"

Error fetching user profile. Please clear the configuration and try " -"again.

" -msgstr "

Impossible d'obtenir le profil utilisateur. Merci de réinitialiser la configuration et de réessayer.

" - -#: appnet.php:164 -msgid "

You have two ways to connect to App.net.

" -msgstr "

Vous avez deux possibilités pour vous connecter à App.net.

" - -#: appnet.php:166 -msgid "" -"

First way: Register an application at https://account.app.net/developer/apps/" -" and enter Client ID and Client Secret. " -msgstr "

Première méthode: Enregistrer une application sur App.net [en] et entrez l'ID Client et le Secret Client. " - -#: appnet.php:167 -#, php-format -msgid "Use '%s' as Redirect URI

" -msgstr "Utilisez '%s' pour l'URI de Redirection" - -#: appnet.php:169 -msgid "Client ID" -msgstr "ID Client" - -#: appnet.php:173 -msgid "Client Secret" -msgstr "Secret Client" - -#: appnet.php:177 -msgid "" -"

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. " -msgstr "

Deuxième méthode: obtenez un jeton ur http://dev-lite.jonathonduerig.com/ [en]. " - -#: appnet.php:178 -msgid "" -"Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', " -"'Messages'.

" -msgstr "Cochez les \"scopes\" suivant: \"Basic\", \"Stream\", \"Write Post\", \"Public Messages\", \"Messages\".

" - -#: appnet.php:180 -msgid "Token" -msgstr "Jeton" - -#: appnet.php:192 -msgid "Sign in using App.net" -msgstr "Se connecter avec App.net" - -#: appnet.php:197 -msgid "Clear OAuth configuration" -msgstr "Effacer la configuration OAuth" - -#: appnet.php:204 -msgid "Save Settings" -msgstr "Sauvegarder les paramètres" diff --git a/appnet/lang/fr/strings.php b/appnet/lang/fr/strings.php deleted file mode 100644 index ef9fc9e2..00000000 --- a/appnet/lang/fr/strings.php +++ /dev/null @@ -1,29 +0,0 @@ - 1);; -}} -; -$a->strings["Permission denied."] = "Autorisation refusée"; -$a->strings["You are now authenticated to app.net. "] = "Vous êtes maintenant authentifié sur app.net"; -$a->strings["

Error fetching token. Please try again.

"] = "

Impossible d'obtenir le jeton, merci de réessayer.

"; -$a->strings["return to the connector page"] = "revenir à la page du connecteur"; -$a->strings["Post to app.net"] = "Publier sur app.net"; -$a->strings["App.net Export"] = "Export App.net"; -$a->strings["Currently connected to: "] = "Actuellement connecté à :"; -$a->strings["Enable App.net Post Plugin"] = "Activer le plugin de publication app.net"; -$a->strings["Post to App.net by default"] = "Publier sur App.net par défaut"; -$a->strings["Import the remote timeline"] = "Importer la timeline distante"; -$a->strings["

Error fetching user profile. Please clear the configuration and try again.

"] = "

Impossible d'obtenir le profil utilisateur. Merci de réinitialiser la configuration et de réessayer.

"; -$a->strings["

You have two ways to connect to App.net.

"] = "

Vous avez deux possibilités pour vous connecter à App.net.

"; -$a->strings["

First way: Register an application at https://account.app.net/developer/apps/ and enter Client ID and Client Secret. "] = "

Première méthode: Enregistrer une application sur App.net [en] et entrez l'ID Client et le Secret Client. "; -$a->strings["Use '%s' as Redirect URI

"] = "Utilisez '%s' pour l'URI de Redirection"; -$a->strings["Client ID"] = "ID Client"; -$a->strings["Client Secret"] = "Secret Client"; -$a->strings["

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. "] = "

Deuxième méthode: obtenez un jeton ur http://dev-lite.jonathonduerig.com/ [en]. "; -$a->strings["Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"] = "Cochez les \"scopes\" suivant: \"Basic\", \"Stream\", \"Write Post\", \"Public Messages\", \"Messages\".

"; -$a->strings["Token"] = "Jeton"; -$a->strings["Sign in using App.net"] = "Se connecter avec App.net"; -$a->strings["Clear OAuth configuration"] = "Effacer la configuration OAuth"; -$a->strings["Save Settings"] = "Sauvegarder les paramètres"; diff --git a/appnet/lang/it/messages.po b/appnet/lang/it/messages.po deleted file mode 100644 index 17b933fe..00000000 --- a/appnet/lang/it/messages.po +++ /dev/null @@ -1,118 +0,0 @@ -# ADDON appnet -# Copyright (C) -# This file is distributed under the same license as the Friendica appnet addon package. -# -# -# Translators: -# fabrixxm , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 11:47+0200\n" -"PO-Revision-Date: 2014-09-10 10:18+0000\n" -"Last-Translator: fabrixxm \n" -"Language-Team: Italian (http://www.transifex.com/Friendica/friendica/language/it/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: it\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: appnet.php:39 -msgid "Permission denied." -msgstr "Permesso negato." - -#: appnet.php:73 -msgid "You are now authenticated to app.net. " -msgstr "Sei autenticato su app.net" - -#: appnet.php:77 -msgid "

Error fetching token. Please try again.

" -msgstr "

Errore recuperando il token. Prova di nuovo

" - -#: appnet.php:80 -msgid "return to the connector page" -msgstr "ritorna alla pagina del connettore" - -#: appnet.php:94 -msgid "Post to app.net" -msgstr "Invia ad app.net" - -#: appnet.php:125 appnet.php:129 -msgid "App.net Export" -msgstr "Esporta App.net" - -#: appnet.php:142 -msgid "Currently connected to: " -msgstr "Al momento connesso con:" - -#: appnet.php:144 -msgid "Enable App.net Post Plugin" -msgstr "Abilita il plugin di invio ad App.net" - -#: appnet.php:149 -msgid "Post to App.net by default" -msgstr "Invia sempre ad App.net" - -#: appnet.php:153 -msgid "Import the remote timeline" -msgstr "Importa la timeline remota" - -#: appnet.php:159 -msgid "" -"

Error fetching user profile. Please clear the configuration and try " -"again.

" -msgstr "

Errore recuperando il profilo utente. Svuota la configurazione e prova di nuovo.

" - -#: appnet.php:164 -msgid "

You have two ways to connect to App.net.

" -msgstr "

Puoi collegarti ad App.net in due modi.

" - -#: appnet.php:166 -msgid "" -"

First way: Register an application at https://account.app.net/developer/apps/" -" and enter Client ID and Client Secret. " -msgstr "

Registrare un'applicazione su https://account.app.net/developer/apps/ e inserire Client ID e Client Secret." - -#: appnet.php:167 -#, php-format -msgid "Use '%s' as Redirect URI

" -msgstr "Usa '%s' come Redirect URI

" - -#: appnet.php:169 -msgid "Client ID" -msgstr "Client ID" - -#: appnet.php:173 -msgid "Client Secret" -msgstr "Client Secret" - -#: appnet.php:177 -msgid "" -"

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. " -msgstr "

Oppure puoi recuperare un token su http://dev-lite.jonathonduerig.com/." - -#: appnet.php:178 -msgid "" -"Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', " -"'Messages'.

" -msgstr "Imposta gli ambiti 'Basic', 'Stream', 'Scrivi Post', 'Messaggi Pubblici', 'Messaggi'.

" - -#: appnet.php:180 -msgid "Token" -msgstr "Token" - -#: appnet.php:192 -msgid "Sign in using App.net" -msgstr "Autenticati con App.net" - -#: appnet.php:197 -msgid "Clear OAuth configuration" -msgstr "Pulisci configurazione OAuth" - -#: appnet.php:204 -msgid "Save Settings" -msgstr "Salva Impostazioni" diff --git a/appnet/lang/it/strings.php b/appnet/lang/it/strings.php deleted file mode 100644 index 01c56524..00000000 --- a/appnet/lang/it/strings.php +++ /dev/null @@ -1,29 +0,0 @@ -strings["Permission denied."] = "Permesso negato."; -$a->strings["You are now authenticated to app.net. "] = "Sei autenticato su app.net"; -$a->strings["

Error fetching token. Please try again.

"] = "

Errore recuperando il token. Prova di nuovo

"; -$a->strings["return to the connector page"] = "ritorna alla pagina del connettore"; -$a->strings["Post to app.net"] = "Invia ad app.net"; -$a->strings["App.net Export"] = "Esporta App.net"; -$a->strings["Currently connected to: "] = "Al momento connesso con:"; -$a->strings["Enable App.net Post Plugin"] = "Abilita il plugin di invio ad App.net"; -$a->strings["Post to App.net by default"] = "Invia sempre ad App.net"; -$a->strings["Import the remote timeline"] = "Importa la timeline remota"; -$a->strings["

Error fetching user profile. Please clear the configuration and try again.

"] = "

Errore recuperando il profilo utente. Svuota la configurazione e prova di nuovo.

"; -$a->strings["

You have two ways to connect to App.net.

"] = "

Puoi collegarti ad App.net in due modi.

"; -$a->strings["

First way: Register an application at https://account.app.net/developer/apps/ and enter Client ID and Client Secret. "] = "

Registrare un'applicazione su https://account.app.net/developer/apps/ e inserire Client ID e Client Secret."; -$a->strings["Use '%s' as Redirect URI

"] = "Usa '%s' come Redirect URI

"; -$a->strings["Client ID"] = "Client ID"; -$a->strings["Client Secret"] = "Client Secret"; -$a->strings["

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. "] = "

Oppure puoi recuperare un token su http://dev-lite.jonathonduerig.com/."; -$a->strings["Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"] = "Imposta gli ambiti 'Basic', 'Stream', 'Scrivi Post', 'Messaggi Pubblici', 'Messaggi'.

"; -$a->strings["Token"] = "Token"; -$a->strings["Sign in using App.net"] = "Autenticati con App.net"; -$a->strings["Clear OAuth configuration"] = "Pulisci configurazione OAuth"; -$a->strings["Save Settings"] = "Salva Impostazioni"; diff --git a/appnet/lang/nl/messages.po b/appnet/lang/nl/messages.po deleted file mode 100644 index 74653c76..00000000 --- a/appnet/lang/nl/messages.po +++ /dev/null @@ -1,118 +0,0 @@ -# ADDON appnet -# Copyright (C) -# This file is distributed under the same license as the Friendica appnet addon package. -# -# -# Translators: -# Jeroen S , 2016 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 11:47+0200\n" -"PO-Revision-Date: 2016-06-23 19:52+0000\n" -"Last-Translator: Jeroen S \n" -"Language-Team: Dutch (http://www.transifex.com/Friendica/friendica/language/nl/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: nl\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: appnet.php:39 -msgid "Permission denied." -msgstr "Toegang geweigerd" - -#: appnet.php:73 -msgid "You are now authenticated to app.net. " -msgstr "Je bent nu aangemeld bij app.net." - -#: appnet.php:77 -msgid "

Error fetching token. Please try again.

" -msgstr "

Fout tijdens token fetching. Probeer het nogmaals.

" - -#: appnet.php:80 -msgid "return to the connector page" -msgstr "ga terug naar de connector pagina" - -#: appnet.php:94 -msgid "Post to app.net" -msgstr "Post naar app.net." - -#: appnet.php:125 appnet.php:129 -msgid "App.net Export" -msgstr "App.net Export" - -#: appnet.php:142 -msgid "Currently connected to: " -msgstr "Momenteel verbonden met:" - -#: appnet.php:144 -msgid "Enable App.net Post Plugin" -msgstr "App.net Post Plugin inschakelen" - -#: appnet.php:149 -msgid "Post to App.net by default" -msgstr "Naar App.net posten als standaard instellen" - -#: appnet.php:153 -msgid "Import the remote timeline" -msgstr "The tijdlijn op afstand importeren" - -#: appnet.php:159 -msgid "" -"

Error fetching user profile. Please clear the configuration and try " -"again.

" -msgstr "

Fout tijdens het ophalen van gebruikersprofiel. Leeg de configuratie en probeer het opnieuw.

" - -#: appnet.php:164 -msgid "

You have two ways to connect to App.net.

" -msgstr "

Er zijn twee manieren om met App.net te verbinden.

" - -#: appnet.php:166 -msgid "" -"

First way: Register an application at https://account.app.net/developer/apps/" -" and enter Client ID and Client Secret. " -msgstr "" - -#: appnet.php:167 -#, php-format -msgid "Use '%s' as Redirect URI

" -msgstr "" - -#: appnet.php:169 -msgid "Client ID" -msgstr "" - -#: appnet.php:173 -msgid "Client Secret" -msgstr "" - -#: appnet.php:177 -msgid "" -"

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. " -msgstr "" - -#: appnet.php:178 -msgid "" -"Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', " -"'Messages'.

" -msgstr "" - -#: appnet.php:180 -msgid "Token" -msgstr "" - -#: appnet.php:192 -msgid "Sign in using App.net" -msgstr "" - -#: appnet.php:197 -msgid "Clear OAuth configuration" -msgstr "" - -#: appnet.php:204 -msgid "Save Settings" -msgstr "" diff --git a/appnet/lang/nl/strings.php b/appnet/lang/nl/strings.php deleted file mode 100644 index ba72e364..00000000 --- a/appnet/lang/nl/strings.php +++ /dev/null @@ -1,29 +0,0 @@ -strings["Permission denied."] = "Toegang geweigerd"; -$a->strings["You are now authenticated to app.net. "] = "Je bent nu aangemeld bij app.net."; -$a->strings["

Error fetching token. Please try again.

"] = "

Fout tijdens token fetching. Probeer het nogmaals.

"; -$a->strings["return to the connector page"] = "ga terug naar de connector pagina"; -$a->strings["Post to app.net"] = "Post naar app.net."; -$a->strings["App.net Export"] = "App.net Export"; -$a->strings["Currently connected to: "] = "Momenteel verbonden met:"; -$a->strings["Enable App.net Post Plugin"] = "App.net Post Plugin inschakelen"; -$a->strings["Post to App.net by default"] = "Naar App.net posten als standaard instellen"; -$a->strings["Import the remote timeline"] = "The tijdlijn op afstand importeren"; -$a->strings["

Error fetching user profile. Please clear the configuration and try again.

"] = "

Fout tijdens het ophalen van gebruikersprofiel. Leeg de configuratie en probeer het opnieuw.

"; -$a->strings["

You have two ways to connect to App.net.

"] = "

Er zijn twee manieren om met App.net te verbinden.

"; -$a->strings["

First way: Register an application at https://account.app.net/developer/apps/ and enter Client ID and Client Secret. "] = ""; -$a->strings["Use '%s' as Redirect URI

"] = ""; -$a->strings["Client ID"] = ""; -$a->strings["Client Secret"] = ""; -$a->strings["

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. "] = ""; -$a->strings["Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"] = ""; -$a->strings["Token"] = ""; -$a->strings["Sign in using App.net"] = ""; -$a->strings["Clear OAuth configuration"] = ""; -$a->strings["Save Settings"] = ""; diff --git a/appnet/lang/pt-br/messages.po b/appnet/lang/pt-br/messages.po deleted file mode 100644 index c279c7dd..00000000 --- a/appnet/lang/pt-br/messages.po +++ /dev/null @@ -1,119 +0,0 @@ -# ADDON appnet -# Copyright (C) -# This file is distributed under the same license as the Friendica appnet addon package. -# -# -# Translators: -# Beatriz Vital , 2016 -# Calango Jr , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 11:47+0200\n" -"PO-Revision-Date: 2016-08-19 20:37+0000\n" -"Last-Translator: Beatriz Vital \n" -"Language-Team: Portuguese (Brazil) (http://www.transifex.com/Friendica/friendica/language/pt_BR/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: pt_BR\n" -"Plural-Forms: nplurals=2; plural=(n > 1);\n" - -#: appnet.php:39 -msgid "Permission denied." -msgstr "Permissão negada." - -#: appnet.php:73 -msgid "You are now authenticated to app.net. " -msgstr "Você está autenticado no app.net." - -#: appnet.php:77 -msgid "

Error fetching token. Please try again.

" -msgstr "Erro ocorrido na obtenção do token. Tente novamente." - -#: appnet.php:80 -msgid "return to the connector page" -msgstr "Volte a página de conectores." - -#: appnet.php:94 -msgid "Post to app.net" -msgstr "Publicar no App.net" - -#: appnet.php:125 appnet.php:129 -msgid "App.net Export" -msgstr "App.net exportar" - -#: appnet.php:142 -msgid "Currently connected to: " -msgstr "Atualmente conectado em: " - -#: appnet.php:144 -msgid "Enable App.net Post Plugin" -msgstr "Habilitar plug-in para publicar no App.net" - -#: appnet.php:149 -msgid "Post to App.net by default" -msgstr "Publicar em App.net por padrão" - -#: appnet.php:153 -msgid "Import the remote timeline" -msgstr "Importar a linha do tempo remota" - -#: appnet.php:159 -msgid "" -"

Error fetching user profile. Please clear the configuration and try " -"again.

" -msgstr "Erro na obtenção do perfil do usuário. Confira as configurações e tente novamente." - -#: appnet.php:164 -msgid "

You have two ways to connect to App.net.

" -msgstr "

Você possui duas formas de conectar ao App.net

" - -#: appnet.php:166 -msgid "" -"

First way: Register an application at https://account.app.net/developer/apps/" -" and enter Client ID and Client Secret. " -msgstr "

1º Método: Registre uma aplicação em https://account.app.net/developer/apps/ e entre o Client ID e Client Secret" - -#: appnet.php:167 -#, php-format -msgid "Use '%s' as Redirect URI

" -msgstr "Use '%s' como URI redirecionador

" - -#: appnet.php:169 -msgid "Client ID" -msgstr "Client ID" - -#: appnet.php:173 -msgid "Client Secret" -msgstr "Client Secret" - -#: appnet.php:177 -msgid "" -"

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. " -msgstr "

2º Método: obtenha um token em http://dev-lite.jonathonduerig.com/. " - -#: appnet.php:178 -msgid "" -"Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', " -"'Messages'.

" -msgstr "Adicione valor as estas saídas: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

" - -#: appnet.php:180 -msgid "Token" -msgstr "Token" - -#: appnet.php:192 -msgid "Sign in using App.net" -msgstr "Entre usando o App.net" - -#: appnet.php:197 -msgid "Clear OAuth configuration" -msgstr "Limpar configuração OAuth" - -#: appnet.php:204 -msgid "Save Settings" -msgstr "Salvar Configurações" diff --git a/appnet/lang/pt-br/strings.php b/appnet/lang/pt-br/strings.php deleted file mode 100644 index b8e1112c..00000000 --- a/appnet/lang/pt-br/strings.php +++ /dev/null @@ -1,29 +0,0 @@ - 1);; -}} -; -$a->strings["Permission denied."] = "Permissão negada."; -$a->strings["You are now authenticated to app.net. "] = "Você está autenticado no app.net."; -$a->strings["

Error fetching token. Please try again.

"] = "Erro ocorrido na obtenção do token. Tente novamente."; -$a->strings["return to the connector page"] = "Volte a página de conectores."; -$a->strings["Post to app.net"] = "Publicar no App.net"; -$a->strings["App.net Export"] = "App.net exportar"; -$a->strings["Currently connected to: "] = "Atualmente conectado em: "; -$a->strings["Enable App.net Post Plugin"] = "Habilitar plug-in para publicar no App.net"; -$a->strings["Post to App.net by default"] = "Publicar em App.net por padrão"; -$a->strings["Import the remote timeline"] = "Importar a linha do tempo remota"; -$a->strings["

Error fetching user profile. Please clear the configuration and try again.

"] = "Erro na obtenção do perfil do usuário. Confira as configurações e tente novamente."; -$a->strings["

You have two ways to connect to App.net.

"] = "

Você possui duas formas de conectar ao App.net

"; -$a->strings["

First way: Register an application at https://account.app.net/developer/apps/ and enter Client ID and Client Secret. "] = "

1º Método: Registre uma aplicação em https://account.app.net/developer/apps/ e entre o Client ID e Client Secret"; -$a->strings["Use '%s' as Redirect URI

"] = "Use '%s' como URI redirecionador

"; -$a->strings["Client ID"] = "Client ID"; -$a->strings["Client Secret"] = "Client Secret"; -$a->strings["

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. "] = "

2º Método: obtenha um token em http://dev-lite.jonathonduerig.com/. "; -$a->strings["Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"] = "Adicione valor as estas saídas: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"; -$a->strings["Token"] = "Token"; -$a->strings["Sign in using App.net"] = "Entre usando o App.net"; -$a->strings["Clear OAuth configuration"] = "Limpar configuração OAuth"; -$a->strings["Save Settings"] = "Salvar Configurações"; diff --git a/appnet/lang/ro/messages.po b/appnet/lang/ro/messages.po deleted file mode 100644 index a9c5242f..00000000 --- a/appnet/lang/ro/messages.po +++ /dev/null @@ -1,117 +0,0 @@ -# ADDON appnet -# Copyright (C) -# This file is distributed under the same license as the Friendica appnet addon package. -# -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 11:47+0200\n" -"PO-Revision-Date: 2014-07-08 11:40+0000\n" -"Last-Translator: Arian - Cazare Muncitori \n" -"Language-Team: Romanian (Romania) (http://www.transifex.com/projects/p/friendica/language/ro_RO/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ro_RO\n" -"Plural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n" - -#: appnet.php:39 -msgid "Permission denied." -msgstr "Permisiune refuzată." - -#: appnet.php:73 -msgid "You are now authenticated to app.net. " -msgstr "Acum sunteți autentificat pe App.net." - -#: appnet.php:77 -msgid "

Error fetching token. Please try again.

" -msgstr "

Eroare la procesarea token-ului. Vă rugăm să reîncercați.

" - -#: appnet.php:80 -msgid "return to the connector page" -msgstr "revenire la pagina de conectare" - -#: appnet.php:94 -msgid "Post to app.net" -msgstr "Postați pe App.net" - -#: appnet.php:125 appnet.php:129 -msgid "App.net Export" -msgstr "Exportare pe App.net" - -#: appnet.php:142 -msgid "Currently connected to: " -msgstr "Conectat curent la:" - -#: appnet.php:144 -msgid "Enable App.net Post Plugin" -msgstr "Activare Modul Postare pe App.net" - -#: appnet.php:149 -msgid "Post to App.net by default" -msgstr "Postați implicit pe App.net" - -#: appnet.php:153 -msgid "Import the remote timeline" -msgstr "Importare cronologie la distanță" - -#: appnet.php:159 -msgid "" -"

Error fetching user profile. Please clear the configuration and try " -"again.

" -msgstr "

Eroare la procesarea profilului de utilizator. Vă rugăm să ștergeți configurarea şi apoi reîncercați.

" - -#: appnet.php:164 -msgid "

You have two ways to connect to App.net.

" -msgstr "

Aveți două modalități de a vă conecta la App.net.

" - -#: appnet.php:166 -msgid "" -"

First way: Register an application at https://account.app.net/developer/apps/" -" and enter Client ID and Client Secret. " -msgstr "

Prima modalitate: Înregistrați o cerere pe https://account.app.net/developer/apps/ şi introduceți ID Client şi Cheia Secretă Client." - -#: appnet.php:167 -#, php-format -msgid "Use '%s' as Redirect URI

" -msgstr "Utilizați '%s' ca URI de Redirecţionare

" - -#: appnet.php:169 -msgid "Client ID" -msgstr "ID Client" - -#: appnet.php:173 -msgid "Client Secret" -msgstr "Cheia Secretă Client" - -#: appnet.php:177 -msgid "" -"

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. " -msgstr "

A doua cale: autorizați un indicativ de acces token de pe http://dev-lite.jonathonduerig.com/ ." - -#: appnet.php:178 -msgid "" -"Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', " -"'Messages'.

" -msgstr "Stabiliți aceste scopuri: 'De Bază', 'Flux', 'Scriere Postare', 'Mesaje Publice', 'Mesaje'.

" - -#: appnet.php:180 -msgid "Token" -msgstr "Token" - -#: appnet.php:192 -msgid "Sign in using App.net" -msgstr "Autentificați-vă utilizând App.net" - -#: appnet.php:197 -msgid "Clear OAuth configuration" -msgstr "Ștergeți configurările OAuth" - -#: appnet.php:204 -msgid "Save Settings" -msgstr "Salvare Configurări" diff --git a/appnet/lang/ro/strings.php b/appnet/lang/ro/strings.php deleted file mode 100644 index fa8d139d..00000000 --- a/appnet/lang/ro/strings.php +++ /dev/null @@ -1,29 +0,0 @@ -19)||(($n%100==0)&&($n!=0)))?2:1));; -}} -; -$a->strings["Permission denied."] = "Permisiune refuzată."; -$a->strings["You are now authenticated to app.net. "] = "Acum sunteți autentificat pe App.net."; -$a->strings["

Error fetching token. Please try again.

"] = "

Eroare la procesarea token-ului. Vă rugăm să reîncercați.

"; -$a->strings["return to the connector page"] = "revenire la pagina de conectare"; -$a->strings["Post to app.net"] = "Postați pe App.net"; -$a->strings["App.net Export"] = "Exportare pe App.net"; -$a->strings["Currently connected to: "] = "Conectat curent la:"; -$a->strings["Enable App.net Post Plugin"] = "Activare Modul Postare pe App.net"; -$a->strings["Post to App.net by default"] = "Postați implicit pe App.net"; -$a->strings["Import the remote timeline"] = "Importare cronologie la distanță"; -$a->strings["

Error fetching user profile. Please clear the configuration and try again.

"] = "

Eroare la procesarea profilului de utilizator. Vă rugăm să ștergeți configurarea şi apoi reîncercați.

"; -$a->strings["

You have two ways to connect to App.net.

"] = "

Aveți două modalități de a vă conecta la App.net.

"; -$a->strings["

First way: Register an application at https://account.app.net/developer/apps/ and enter Client ID and Client Secret. "] = "

Prima modalitate: Înregistrați o cerere pe https://account.app.net/developer/apps/ şi introduceți ID Client şi Cheia Secretă Client."; -$a->strings["Use '%s' as Redirect URI

"] = "Utilizați '%s' ca URI de Redirecţionare

"; -$a->strings["Client ID"] = "ID Client"; -$a->strings["Client Secret"] = "Cheia Secretă Client"; -$a->strings["

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. "] = "

A doua cale: autorizați un indicativ de acces token de pe http://dev-lite.jonathonduerig.com/ ."; -$a->strings["Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"] = "Stabiliți aceste scopuri: 'De Bază', 'Flux', 'Scriere Postare', 'Mesaje Publice', 'Mesaje'.

"; -$a->strings["Token"] = "Token"; -$a->strings["Sign in using App.net"] = "Autentificați-vă utilizând App.net"; -$a->strings["Clear OAuth configuration"] = "Ștergeți configurările OAuth"; -$a->strings["Save Settings"] = "Salvare Configurări"; diff --git a/appnet/lang/ru/messages.po b/appnet/lang/ru/messages.po deleted file mode 100644 index a5755caa..00000000 --- a/appnet/lang/ru/messages.po +++ /dev/null @@ -1,118 +0,0 @@ -# ADDON appnet -# Copyright (C) -# This file is distributed under the same license as the Friendica appnet addon package. -# -# -# Translators: -# Stanislav N. , 2017 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 11:47+0200\n" -"PO-Revision-Date: 2017-04-08 05:32+0000\n" -"Last-Translator: Stanislav N. \n" -"Language-Team: Russian (http://www.transifex.com/Friendica/friendica/language/ru/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru\n" -"Plural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n" - -#: appnet.php:39 -msgid "Permission denied." -msgstr "Доступ запрещен." - -#: appnet.php:73 -msgid "You are now authenticated to app.net. " -msgstr "Вы аутентифицированы на app.net" - -#: appnet.php:77 -msgid "

Error fetching token. Please try again.

" -msgstr "

Ошибка получения токена. Попробуйте еще раз.

" - -#: appnet.php:80 -msgid "return to the connector page" -msgstr "вернуться на страницу коннектора" - -#: appnet.php:94 -msgid "Post to app.net" -msgstr "Отправить на app.net" - -#: appnet.php:125 appnet.php:129 -msgid "App.net Export" -msgstr "Экспорт app.net" - -#: appnet.php:142 -msgid "Currently connected to: " -msgstr "В настоящее время соединены с: " - -#: appnet.php:144 -msgid "Enable App.net Post Plugin" -msgstr "Включить плагин App.net" - -#: appnet.php:149 -msgid "Post to App.net by default" -msgstr "Отправлять сообщения на App.net по-умолчанию" - -#: appnet.php:153 -msgid "Import the remote timeline" -msgstr "Импортировать удаленные сообщения" - -#: appnet.php:159 -msgid "" -"

Error fetching user profile. Please clear the configuration and try " -"again.

" -msgstr "

Ошибка при получении профиля пользователя. Сбросьте конфигурацию и попробуйте еще раз.

" - -#: appnet.php:164 -msgid "

You have two ways to connect to App.net.

" -msgstr "

У вас есть два способа соединения с App.net.

" - -#: appnet.php:166 -msgid "" -"

First way: Register an application at https://account.app.net/developer/apps/" -" and enter Client ID and Client Secret. " -msgstr "

Первый способ: зарегистрируйте приложение на https://account.app.net/developer/apps/ и введите Client ID и Client Secret" - -#: appnet.php:167 -#, php-format -msgid "Use '%s' as Redirect URI

" -msgstr "Используйте '%s' как Redirect URI

" - -#: appnet.php:169 -msgid "Client ID" -msgstr "Client ID" - -#: appnet.php:173 -msgid "Client Secret" -msgstr "Client Secret" - -#: appnet.php:177 -msgid "" -"

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. " -msgstr "

Второй путь: получите токен на http://dev-lite.jonathonduerig.com/. " - -#: appnet.php:178 -msgid "" -"Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', " -"'Messages'.

" -msgstr "Выберите области: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

" - -#: appnet.php:180 -msgid "Token" -msgstr "Токен" - -#: appnet.php:192 -msgid "Sign in using App.net" -msgstr "Войти через App.net" - -#: appnet.php:197 -msgid "Clear OAuth configuration" -msgstr "Удалить конфигурацию OAuth" - -#: appnet.php:204 -msgid "Save Settings" -msgstr "Сохранить настройки" diff --git a/appnet/lang/ru/strings.php b/appnet/lang/ru/strings.php deleted file mode 100644 index c2d9b440..00000000 --- a/appnet/lang/ru/strings.php +++ /dev/null @@ -1,29 +0,0 @@ -=2 && $n%10<=4 && ($n%100<12 || $n%100>14) ? 1 : $n%10==0 || ($n%10>=5 && $n%10<=9) || ($n%100>=11 && $n%100<=14)? 2 : 3);; -}} -; -$a->strings["Permission denied."] = "Доступ запрещен."; -$a->strings["You are now authenticated to app.net. "] = "Вы аутентифицированы на app.net"; -$a->strings["

Error fetching token. Please try again.

"] = "

Ошибка получения токена. Попробуйте еще раз.

"; -$a->strings["return to the connector page"] = "вернуться на страницу коннектора"; -$a->strings["Post to app.net"] = "Отправить на app.net"; -$a->strings["App.net Export"] = "Экспорт app.net"; -$a->strings["Currently connected to: "] = "В настоящее время соединены с: "; -$a->strings["Enable App.net Post Plugin"] = "Включить плагин App.net"; -$a->strings["Post to App.net by default"] = "Отправлять сообщения на App.net по-умолчанию"; -$a->strings["Import the remote timeline"] = "Импортировать удаленные сообщения"; -$a->strings["

Error fetching user profile. Please clear the configuration and try again.

"] = "

Ошибка при получении профиля пользователя. Сбросьте конфигурацию и попробуйте еще раз.

"; -$a->strings["

You have two ways to connect to App.net.

"] = "

У вас есть два способа соединения с App.net.

"; -$a->strings["

First way: Register an application at https://account.app.net/developer/apps/ and enter Client ID and Client Secret. "] = "

Первый способ: зарегистрируйте приложение на https://account.app.net/developer/apps/ и введите Client ID и Client Secret"; -$a->strings["Use '%s' as Redirect URI

"] = "Используйте '%s' как Redirect URI

"; -$a->strings["Client ID"] = "Client ID"; -$a->strings["Client Secret"] = "Client Secret"; -$a->strings["

Second way: fetch a token at http://dev-lite.jonathonduerig.com/. "] = "

Второй путь: получите токен на http://dev-lite.jonathonduerig.com/. "; -$a->strings["Set these scopes: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"] = "Выберите области: 'Basic', 'Stream', 'Write Post', 'Public Messages', 'Messages'.

"; -$a->strings["Token"] = "Токен"; -$a->strings["Sign in using App.net"] = "Войти через App.net"; -$a->strings["Clear OAuth configuration"] = "Удалить конфигурацию OAuth"; -$a->strings["Save Settings"] = "Сохранить настройки"; diff --git a/appnet/templates/admin.tpl b/appnet/templates/admin.tpl deleted file mode 100644 index a933f3d3..00000000 --- a/appnet/templates/admin.tpl +++ /dev/null @@ -1,3 +0,0 @@ -{{include file="field_input.tpl" field=$clientid}} -{{include file="field_input.tpl" field=$clientsecret}} -
diff --git a/blackout/blackout.php b/blackout/blackout.php index ec7215ab..28e5567f 100644 --- a/blackout/blackout.php +++ b/blackout/blackout.php @@ -36,10 +36,10 @@ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: - * + * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. - * + * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE @@ -70,9 +70,9 @@ function blackout_redirect ($a, $b) { return true; // else... - $mystart = get_config('blackout','begindate'); - $myend = get_config('blackout','enddate'); - $myurl = get_config('blackout','url'); + $mystart = Config::get('blackout','begindate'); + $myend = Config::get('blackout','enddate'); + $myurl = Config::get('blackout','url'); $now = time(); $date1 = DateTime::createFromFormat('Y-m-d G:i', $mystart); $date2 = DateTime::createFromFormat('Y-m-d G:i', $myend); @@ -92,9 +92,9 @@ function blackout_redirect ($a, $b) { function blackout_addon_admin(&$a, &$o) { $mystart = Config::get('blackout','begindate'); if (! is_string($mystart)) { $mystart = "YYYY-MM-DD:hhmm"; } - $myend = get_config('blackout','enddate'); + $myend = Config::get('blackout','enddate'); if (! is_string($myend)) { $myend = "YYYY-MM-DD:hhmm"; } - $myurl = get_config('blackout','url'); + $myurl = Config::get('blackout','url'); if (! is_string($myurl)) { $myurl = "http://www.example.com"; } $t = get_markup_template( "admin.tpl", "addon/blackout/" ); @@ -104,7 +104,7 @@ function blackout_addon_admin(&$a, &$o) { '$startdate' => ["startdate", "Begin of the Blackout
(YYYY-MM-DD hh:mm)", $mystart, "format is YYYY year, MM month, DD day, hh hour and mm minute"], '$enddate' => ["enddate", "End of the Blackout
(YYYY-MM-DD hh:mm)", $myend, ""], - )); + ]); $date1 = DateTime::createFromFormat('Y-m-d G:i', $mystart); $date2 = DateTime::createFromFormat('Y-m-d G:i', $myend); if ($date2 < $date1) { @@ -117,7 +117,7 @@ function blackout_addon_admin_post (&$a) { $begindate = trim($_POST['startdate']); $enddate = trim($_POST['enddate']); $url = trim($_POST['rurl']); - set_config('blackout','begindate',$begindate); - set_config('blackout','enddate',$enddate); - set_config('blackout','url',$url); + Config::set('blackout','begindate',$begindate); + Config::set('blackout','enddate',$enddate); + Config::set('blackout','url',$url); } diff --git a/blockem/blockem.php b/blockem/blockem.php index 6f2b6d89..45272e00 100644 --- a/blockem/blockem.php +++ b/blockem/blockem.php @@ -4,7 +4,7 @@ * Description: Allows users to hide content by collapsing posts and replies. * Version: 1.0 * Author: Mike Macgirvin - * + * */ use Friendica\Core\Addon; use Friendica\Core\L10n; @@ -80,7 +80,7 @@ function blockem_addon_settings_post(&$a,&$b) { function blockem_enotify_store(&$a,&$b) { - $words = get_pconfig($b['uid'],'blockem','words'); + $words = PConfig::get($b['uid'],'blockem','words'); if($words) { $arr = explode(',',$words); } @@ -113,7 +113,7 @@ function blockem_prepare_body(&$a,&$b) { $words = null; if(local_user()) { - $words = get_pconfig(local_user(),'blockem','words'); + $words = PConfig::get(local_user(),'blockem','words'); } if($words) { $arr = explode(',',$words); @@ -151,7 +151,7 @@ function blockem_conversation_start(&$a,&$b) { if(! local_user()) return; - $words = get_pconfig(local_user(),'blockem','words'); + $words = PConfig::get(local_user(),'blockem','words'); if($words) { $a->data['blockem'] = explode(',',$words); } @@ -203,7 +203,7 @@ function blockem_init(&$a) { if(! local_user()) return; - $words = get_pconfig(local_user(),'blockem','words'); + $words = PConfig::get(local_user(),'blockem','words'); if(array_key_exists('block',$_GET) && $_GET['block']) { if(strlen($words)) @@ -212,7 +212,7 @@ function blockem_init(&$a) { } if(array_key_exists('unblock',$_GET) && $_GET['unblock']) { $arr = explode(',',$words); - $newarr = array(); + $newarr = []; if(count($arr)) { foreach($arr as $x) { diff --git a/blogger/blogger.php b/blogger/blogger.php index 97d488bc..30c450bd 100644 --- a/blogger/blogger.php +++ b/blogger/blogger.php @@ -3,7 +3,7 @@ * Name: Blogger Post Connector * Description: Post to Blogger (or anything else which uses blogger XMLRPC API) * Version: 1.0 - * + * */ use Friendica\Content\Text\BBCode; @@ -58,11 +58,11 @@ function blogger_settings(&$a, &$s) return; } - /* Add our stylesheet to the page so we can make our settings look nice */ + /* Add our stylesheet to the page so we can make our settings look nice */ - $a->page['htmlhead'] .= '' . "\r\n"; + $a->page['htmlhead'] .= '' . "\r\n"; - /* Get the current state of our config variables */ + /* Get the current state of our config variables */ $enabled = PConfig::get(local_user(), 'blogger', 'post'); $checked = (($enabled) ? ' checked="checked" ' : ''); @@ -70,11 +70,11 @@ function blogger_settings(&$a, &$s) $def_enabled = PConfig::get(local_user(), 'blogger', 'post_by_default'); - $def_checked = (($def_enabled) ? ' checked="checked" ' : ''); + $def_checked = (($def_enabled) ? ' checked="checked" ' : ''); - $bl_username = get_pconfig(local_user(), 'blogger', 'bl_username'); - $bl_password = get_pconfig(local_user(), 'blogger', 'bl_password'); - $bl_blog = get_pconfig(local_user(), 'blogger', 'bl_blog'); + $bl_username = PConfig::get(local_user(), 'blogger', 'bl_username'); + $bl_password = PConfig::get(local_user(), 'blogger', 'bl_password'); + $bl_blog = PConfig::get(local_user(), 'blogger', 'bl_blog'); /* Add some HTML to the existing form */ $s .= ''; @@ -124,21 +124,23 @@ function blogger_settings_post(&$a, &$b) PConfig::set(local_user(), 'blogger', 'bl_password', trim($_POST['bl_password'])); PConfig::set(local_user(), 'blogger', 'bl_blog', trim($_POST['bl_blog'])); } - } function blogger_post_local(&$a, &$b) { // This can probably be changed to allow editing by pointing to a different API endpoint - if($b['edit']) + if ($b['edit']) { return; + } - if((! local_user()) || (local_user() != $b['uid'])) + if (!local_user() || (local_user() != $b['uid'])) { return; + } - if($b['private'] || $b['parent']) + if ($b['private'] || $b['parent']) { return; + } $bl_post = intval(PConfig::get(local_user(), 'blogger', 'post')); @@ -146,13 +148,17 @@ function blogger_post_local(&$a, &$b) if ($b['api_source'] && intval(PConfig::get(local_user(), 'blogger', 'post_by_default'))) { $bl_enable = 1; + } - if(! $bl_enable) - return; + if (!$bl_enable) { + return; + } - if(strlen($b['postopts'])) - $b['postopts'] .= ','; - $b['postopts'] .= 'blogger'; + if (strlen($b['postopts'])) { + $b['postopts'] .= ','; + } + + $b['postopts'] .= 'blogger'; } @@ -168,6 +174,9 @@ function blogger_send(&$a, &$b) return; } + if ($b['parent'] != $b['id']) { + return; + } $bl_username = xmlify(PConfig::get($b['uid'], 'blogger', 'bl_username')); $bl_password = xmlify(PConfig::get($b['uid'], 'blogger', 'bl_password')); @@ -201,6 +210,5 @@ EOT; } logger('posted to blogger: ' . (($x) ? $x : ''), LOGGER_DEBUG); - } } diff --git a/buffer/buffer.php b/buffer/buffer.php index 9b0979ee..bb1d8482 100644 --- a/buffer/buffer.php +++ b/buffer/buffer.php @@ -88,8 +88,8 @@ function buffer_connect(&$a) { session_start(); // Define the needed keys - $client_id = get_config('buffer','client_id'); - $client_secret = get_config('buffer','client_secret'); + $client_id = Config::get('buffer','client_id'); + $client_secret = Config::get('buffer','client_secret'); // The callback URL is the script that gets called after the user authenticates with buffer $callback_url = $a->get_baseurl()."/buffer/connect"; @@ -112,9 +112,9 @@ function buffer_jot_nets(&$a,&$b) { if(! local_user()) return; - $buffer_post = get_pconfig(local_user(),'buffer','post'); + $buffer_post = PConfig::get(local_user(),'buffer','post'); if(intval($buffer_post) == 1) { - $buffer_defpost = get_pconfig(local_user(),'buffer','post_by_default'); + $buffer_defpost = PConfig::get(local_user(),'buffer','post_by_default'); $selected = ((intval($buffer_defpost) == 1) ? ' checked="checked" ' : ''); $b .= '
' . L10n::t('Post to Buffer') . '
'; @@ -132,11 +132,11 @@ function buffer_settings(&$a,&$s) { /* Get the current state of our config variables */ - $enabled = get_pconfig(local_user(),'buffer','post'); + $enabled = PConfig::get(local_user(),'buffer','post'); $checked = (($enabled) ? ' checked="checked" ' : ''); $css = (($enabled) ? '' : '-disabled'); - $def_enabled = get_pconfig(local_user(),'buffer','post_by_default'); + $def_enabled = PConfig::get(local_user(),'buffer','post_by_default'); $def_checked = (($def_enabled) ? ' checked="checked" ' : ''); /* Add some HTML to the existing form */ @@ -149,9 +149,9 @@ function buffer_settings(&$a,&$s) { $s .= '

'. L10n::t('Buffer Export').'

'; $s .= '
'; - $client_id = get_config("buffer", "client_id"); - $client_secret = get_config("buffer", "client_secret"); - $access_token = get_pconfig(local_user(), "buffer", "access_token"); + $client_id = Config::get("buffer", "client_id"); + $client_secret = Config::get("buffer", "client_secret"); + $access_token = PConfig::get(local_user(), "buffer", "access_token"); $s .= '
'; if ($access_token == "") { @@ -208,12 +208,12 @@ function buffer_settings_post(&$a,&$b) { if(x($_POST,'buffer-submit')) { if(x($_POST,'buffer_delete')) { - set_pconfig(local_user(),'buffer','access_token',''); - set_pconfig(local_user(),'buffer','post',false); - set_pconfig(local_user(),'buffer','post_by_default',false); + PConfig::set(local_user(),'buffer','access_token',''); + PConfig::set(local_user(),'buffer','post',false); + PConfig::set(local_user(),'buffer','post_by_default',false); } else { - set_pconfig(local_user(),'buffer','post',intval($_POST['buffer'])); - set_pconfig(local_user(),'buffer','post_by_default',intval($_POST['buffer_bydefault'])); + PConfig::set(local_user(),'buffer','post',intval($_POST['buffer'])); + PConfig::set(local_user(),'buffer','post_by_default',intval($_POST['buffer_bydefault'])); } } } @@ -224,11 +224,11 @@ function buffer_post_local(&$a,&$b) { return; } - $buffer_post = intval(get_pconfig(local_user(),'buffer','post')); + $buffer_post = intval(PConfig::get(local_user(),'buffer','post')); $buffer_enable = (($buffer_post && x($_REQUEST,'buffer_enable')) ? intval($_REQUEST['buffer_enable']) : 0); - if ($b['api_source'] && intval(get_pconfig(local_user(),'buffer','post_by_default'))) { + if ($b['api_source'] && intval(PConfig::get(local_user(),'buffer','post_by_default'))) { $buffer_enable = 1; } @@ -243,24 +243,34 @@ function buffer_post_local(&$a,&$b) { $b['postopts'] .= 'buffer'; } -function buffer_send(&$a,&$b) { - - if($b['deleted'] || $b['private'] || ($b['created'] !== $b['edited'])) +function buffer_send(App $a, &$b) +{ + if($b['deleted'] || $b['private'] || ($b['created'] !== $b['edited'])) { return; + } - if(! strstr($b['postopts'],'buffer')) + if(! strstr($b['postopts'],'buffer')) { return; + } - if($b['parent'] != $b['id']) + if($b['parent'] != $b['id']) { return; + } + + // Dont't post if the post doesn't belong to us. + // This is a check for forum postings + $self = dba::selectFirst('contact', ['id'], ['uid' => $b['uid'], 'self' => true]); + if ($b['contact-id'] != $self['id']) { + return; + } // if post comes from buffer don't send it back //if($b['app'] == "Buffer") // return; - $client_id = get_config("buffer", "client_id"); - $client_secret = get_config("buffer", "client_secret"); - $access_token = get_pconfig($b['uid'], "buffer","access_token"); + $client_id = Config::get("buffer", "client_id"); + $client_secret = Config::get("buffer", "client_secret"); + $access_token = PConfig::get($b['uid'], "buffer","access_token"); if ($access_token) { $buffer = new BufferApp($client_id, $client_secret, $callback_url, $access_token); @@ -299,7 +309,7 @@ function buffer_send(&$a,&$b) { break; case 'twitter': $send = ($b["extid"] != NETWORK_TWITTER); - $limit = 140; + $limit = 280; $markup = false; $includedlinks = true; $htmlmode = 8; @@ -362,7 +372,7 @@ function buffer_send(&$a,&$b) { elseif ($profile->service == "google") $post["text"] .= html_entity_decode(" ", ENT_QUOTES, 'UTF-8'); // Send a special blank to identify the post through the "fromgplus" addon - $message = array(); + $message = []; $message["text"] = $post["text"]; $message["profile_ids[]"] = $profile->id; $message["shorten"] = false; diff --git a/buffer/bufferapp.php b/buffer/bufferapp.php index 7215175d..a222b23e 100644 --- a/buffer/bufferapp.php +++ b/buffer/bufferapp.php @@ -12,7 +12,7 @@ public $ok = false; - private $endpoints = array( + private $endpoints = [ '/user' => 'get', '/profiles' => 'get', @@ -37,9 +37,9 @@ '/info/configuration' => 'get', - ); + ]; - public $errors = array( + public $errors = [ 'invalid-endpoint' => 'The endpoint you supplied does not appear to be valid.', '403' => 'Permission denied.', @@ -77,7 +77,7 @@ '1042' => 'User did not save successfully.', '1050' => 'Client could not be found.', '1051' => 'No authorization to access client.', - ); + ]; function __construct($client_id = '', $client_secret = '', $callback_url = '', $access_token = '') { if ($client_id) $this->set_client_id($client_id); @@ -110,7 +110,7 @@ if (!$ok) return $this->error('invalid-endpoint'); } - if (!$data || !is_array($data)) $data = array(); + if (!$data || !is_array($data)) $data = []; $data['access_token'] = $this->access_token; $method = $this->endpoints[$done_endpoint]; //get() or post() @@ -130,17 +130,17 @@ } function error($error) { - return (object) array('error' => $this->errors[$error]); + return (object) ['error' => $this->errors[$error]]; } function create_access_token_url() { - $data = array( + $data = [ 'code' => $this->code, 'grant_type' => 'authorization_code', 'client_id' => $this->client_id, 'client_secret' => $this->client_secret, 'redirect_uri' => $this->callback_url, - ); + ]; $obj = $this->post($this->access_token_url, $data); $this->access_token = $obj->access_token; @@ -150,15 +150,15 @@ function req($url = '', $data = '', $post = true) { if (!$url) return false; - if (!$data || !is_array($data)) $data = array(); + if (!$data || !is_array($data)) $data = []; - $options = array(CURLOPT_RETURNTRANSFER => true, CURLOPT_HEADER => false); + $options = [CURLOPT_RETURNTRANSFER => true, CURLOPT_HEADER => false]; if ($post) { - $options += array( + $options += [ CURLOPT_POST => $post, CURLOPT_POSTFIELDS => $data - ); + ]; } else { $url .= '?' . http_build_query($data); } diff --git a/cal/LICENSE b/cal/LICENSE deleted file mode 100644 index 2c696e9a..00000000 --- a/cal/LICENSE +++ /dev/null @@ -1,19 +0,0 @@ -Copyright (c) 2013 Tobias Diekershoff - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. diff --git a/cal/README.md b/cal/README.md deleted file mode 100644 index cb7501cd..00000000 --- a/cal/README.md +++ /dev/null @@ -1,29 +0,0 @@ -Calendar Export -=============== - -This addon makes it possible to export the events posted by your users, -so they can be imported into other calendar applications. - -Exporting a calendar is an _opt-in_ feature which has to be activated by each -of the users in the _addon settings_. As the admin you can only provide the -service but should not force it upon your users. - -The calendars are exported at - - http://example.com/cal/username/export/format - -currently the following formats are supported - -* ical -* csv. - -Author ------- - -This addon is developed by [Tobias Diekershoff](https://f.diekershoff.de/profile/tobias). - -License -------- - -This addon is licensed under the [MIT](http://opensource.org/licenses/MIT) -license, see also the LICENSE file in the addon directory. diff --git a/cal/cal.php b/cal/cal.php deleted file mode 100644 index 5c2f1021..00000000 --- a/cal/cal.php +++ /dev/null @@ -1,200 +0,0 @@ - - * License: MIT - * Status: Unsupported - * ******************************************************************/ - - -function cal_install() -{ - register_hook('plugin_settings', 'addon/cal/cal.php', 'cal_addon_settings'); - register_hook('plugin_settings_post', 'addon/cal/cal.php', 'cal_addon_settings_post'); -} -function cal_uninstall() -{ - unregister_hook('plugin_settings', 'addon/cal/cal.php', 'cal_addon_settings'); - unregister_hook('plugin_settings_post', 'addon/cal/cal.php', 'cal_addon_settings_post'); -} -function cal_module() -{ -} -/* pathes - * /cal/$user/export/$format - * currently supported formats are ical (iCalendar) and CSV - */ -function cal_content() -{ - $a = get_app(); - $o = ""; - if ($a->argc == 1) { - $o .= "

".t('Event Export')."

".t('You can download public events from: ').$a->get_baseurl()."/cal/username/export/ical

"; - } elseif ($a->argc==4) { - // get the parameters from the request we just received - $username = $a->argv[1]; - $do = $a->argv[2]; - $format = $a->argv[3]; - // check that there is a user matching the requested profile - $r = q("SELECT uid FROM user WHERE nickname='".$username."' LIMIT 1;"); - if (count($r)) - { - $uid = $r[0]['uid']; - } else { - killme(); - } - // if we shall do anything other then export, end here - if (! $do == 'export' ) - killme(); - // check if the user allows us to share the profile - $enable = get_pconfig( $uid, 'cal', 'enable'); - if (! $enable == 1) { - info(t('The user does not export the calendar.')); - return; - } - // we are allowed to show events - // get the timezone the user is in - $r = q("SELECT timezone FROM user WHERE uid=".$uid." LIMIT 1;"); - if (count($r)) - $timezone = $r[0]['timezone']; - // does the user who requests happen to be the owner of the events - // requested? then show all of your events, otherwise only those that - // don't have limitations set in allow_cid and allow_gid - if (local_user() == $uid) { - $r = q("SELECT `start`, `finish`, `adjust`, `summary`, `desc`, `location` FROM `event` WHERE `uid`=".$uid." and `cid`=0;"); - } else { - $r = q("SELECT `start`, `finish`, `adjust`, `summary`, `desc`, `location` FROM `event` WHERE `allow_cid`='' and `allow_gid`='' and `uid`='".$uid."' and `cid`='0';"); - } - // we have the events that are available for the requestor - // now format the output according to the requested format - $res = cal_format_output($r, $format, $timezone); - if (! $res=='') - info($res); - } else { - // wrong number of parameters - killme(); - } - return $o; -} - -function cal_format_output ($r, $f, $tz) -{ - $res = t('This calendar format is not supported'); - switch ($f) - { - // format the exported data as a CSV file - case "csv": - header("Content-type: text/csv"); - $o = '"Subject", "Start Date", "Start Time", "Description", "End Date", "End Time", "Location"' . PHP_EOL; - foreach ($r as $rr) { -// TODO the time / date entries don't include any information about the -// timezone the event is scheduled in :-/ - $tmp1 = strtotime($rr['start']); - $tmp2 = strtotime($rr['finish']); - $time_format = "%H:%M:%S"; - $date_format = "%Y-%m-%d"; - $o .= '"'.$rr['summary'].'", "'.strftime($date_format, $tmp1) . - '", "'.strftime($time_format, $tmp1).'", "'.$rr['desc'] . - '", "'.strftime($date_format, $tmp2) . - '", "'.strftime($time_format, $tmp2) . - '", "'.$rr['location'].'"' . PHP_EOL; - } - echo $o; - killme(); - - case "ical": - header("Content-type: text/ics"); - $o = 'BEGIN:VCALENDAR'. PHP_EOL - . 'VERSION:2.0' . PHP_EOL - . 'PRODID:-//friendica calendar export//0.1//EN' . PHP_EOL; -// TODO include timezone informations in cases were the time is not in UTC -// see http://tools.ietf.org/html/rfc2445#section-4.8.3 -// . 'BEGIN:VTIMEZONE' . PHP_EOL -// . 'TZID:' . $tz . PHP_EOL -// . 'END:VTIMEZONE' . PHP_EOL; -// TODO instead of PHP_EOL CRLF should be used for long entries -// but test your solution against http://icalvalid.cloudapp.net/ -// also long lines SHOULD be split at 75 characters length - foreach ($r as $rr) { - if ($rr['adjust'] == 1) { - $UTC = 'Z'; - } else { - $UTC = ''; - } - $o .= 'BEGIN:VEVENT' . PHP_EOL; - if ($rr[start]) { - $tmp = strtotime($rr['start']); - $dtformat = "%Y%m%dT%H%M%S".$UTC; - $o .= 'DTSTART:'.strftime($dtformat, $tmp).PHP_EOL; - } - if ($rr['finish']) { - $tmp = strtotime($rr['finish']); - $dtformat = "%Y%m%dT%H%M%S".$UTC; - $o .= 'DTEND:'.strftime($dtformat, $tmp).PHP_EOL; - } - if ($rr['summary']) - $tmp = $rr['summary']; - $tmp = str_replace(PHP_EOL, PHP_EOL.' ',$tmp); - $tmp = addcslashes($tmp, ',;'); - $o .= 'SUMMARY:' . $tmp . PHP_EOL; - if ($rr['desc']) - $tmp = $rr['desc']; - $tmp = str_replace(PHP_EOL, PHP_EOL.' ',$tmp); - $tmp = addcslashes($tmp, ',;'); - $o .= 'DESCRIPTION:' . $tmp . PHP_EOL; - if ($rr['location']) { - $tmp = $rr['location']; - $tmp = str_replace(PHP_EOL, PHP_EOL.' ',$tmp); - $tmp = addcslashes($tmp, ',;'); - $o .= 'LOCATION:' . $tmp . PHP_EOL; - } - $o .= 'END:VEVENT' . PHP_EOL; - } - $o .= 'END:VCALENDAR' . PHP_EOL; - echo $o; - killme(); - } - return $res; -} - -function cal_addon_settings_post ( &$a, &$b ) -{ - if (! local_user()) - return; - - if (!x($_POST,'cal-submit')) - return; - - set_pconfig(local_user(),'cal','enable',intval($_POST['cal-enable'])); -} -function cal_addon_settings ( &$a, &$s ) -{ - if (! local_user()) - return; - - $enabled = get_pconfig(local_user(), 'cal', 'enable'); - $checked = (($enabled) ? ' checked="checked" ' : ''); - $url = $a->get_baseurl().'/cal/'.$a->user['nickname'].'/export/format'; - - $s .= ''; - $s .= '

'.t('Export Events').'

'; - $s .= '
'; - $s .= ''; -} - -?> diff --git a/cal/lang/C/messages.po b/cal/lang/C/messages.po deleted file mode 100644 index 91883299..00000000 --- a/cal/lang/C/messages.po +++ /dev/null @@ -1,54 +0,0 @@ -# ADDON cal -# Copyright (C) -# This file is distributed under the same license as the Friendica cal addon package. -# -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: \n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 13:18+0200\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME \n" -"Language-Team: LANGUAGE \n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#: cal.php:33 -msgid "Event Export" -msgstr "" - -#: cal.php:33 -msgid "You can download public events from: " -msgstr "" - -#: cal.php:53 -msgid "The user does not export the calendar." -msgstr "" - -#: cal.php:83 -msgid "This calendar format is not supported" -msgstr "" - -#: cal.php:181 cal.php:185 -msgid "Export Events" -msgstr "" - -#: cal.php:189 -msgid "If this is enabled, your public events will be available at" -msgstr "" - -#: cal.php:190 -msgid "Currently supported formats are ical and csv." -msgstr "" - -#: cal.php:191 -msgid "Enable calendar export" -msgstr "" - -#: cal.php:193 -msgid "Save Settings" -msgstr "" diff --git a/cal/lang/C/strings.php b/cal/lang/C/strings.php deleted file mode 100644 index a72dc119..00000000 --- a/cal/lang/C/strings.php +++ /dev/null @@ -1,12 +0,0 @@ -strings["Event Export"] = ""; -$a->strings["You can download public events from: "] = ""; -$a->strings["The user does not export the calendar."] = ""; -$a->strings["This calendar format is not supported"] = ""; -$a->strings["Export Events"] = ""; -$a->strings["If this is enabled, your public events will be available at"] = ""; -$a->strings["Currently supported formats are ical and csv."] = ""; -$a->strings["Enable calendar export"] = ""; -$a->strings["Submit"] = ""; diff --git a/cal/lang/cs/messages.po b/cal/lang/cs/messages.po deleted file mode 100644 index 28fcb4f9..00000000 --- a/cal/lang/cs/messages.po +++ /dev/null @@ -1,56 +0,0 @@ -# ADDON cal -# Copyright (C) -# This file is distributed under the same license as the Friendica cal addon package. -# -# -# Translators: -# Michal Šupler , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 13:18+0200\n" -"PO-Revision-Date: 2014-09-07 11:04+0000\n" -"Last-Translator: Michal Šupler \n" -"Language-Team: Czech (http://www.transifex.com/projects/p/friendica/language/cs/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: cs\n" -"Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" - -#: cal.php:33 -msgid "Event Export" -msgstr "Export událostí" - -#: cal.php:33 -msgid "You can download public events from: " -msgstr "Veřejné události si můžete stánout z:" - -#: cal.php:53 -msgid "The user does not export the calendar." -msgstr "Uživatel kalenář neexportuje." - -#: cal.php:83 -msgid "This calendar format is not supported" -msgstr "Tento kalendářový formát není podporován." - -#: cal.php:181 cal.php:185 -msgid "Export Events" -msgstr "Export událostí" - -#: cal.php:189 -msgid "If this is enabled, your public events will be available at" -msgstr "Pokud je toto povoleno, vaše veřejné události budou viditelné na" - -#: cal.php:190 -msgid "Currently supported formats are ical and csv." -msgstr "Aktuálně podporované formáty jsou ical a csv." - -#: cal.php:191 -msgid "Enable calendar export" -msgstr "Povolit export kalendáře" - -#: cal.php:193 -msgid "Save Settings" -msgstr "Uložit Nastavení" diff --git a/cal/lang/cs/strings.php b/cal/lang/cs/strings.php deleted file mode 100644 index 9a99079d..00000000 --- a/cal/lang/cs/strings.php +++ /dev/null @@ -1,16 +0,0 @@ -=2 && $n<=4) ? 1 : 2;; -}} -; -$a->strings["Event Export"] = "Export událostí"; -$a->strings["You can download public events from: "] = "Veřejné události si můžete stánout z:"; -$a->strings["The user does not export the calendar."] = "Uživatel kalenář neexportuje."; -$a->strings["This calendar format is not supported"] = "Tento kalendářový formát není podporován."; -$a->strings["Export Events"] = "Export událostí"; -$a->strings["If this is enabled, your public events will be available at"] = "Pokud je toto povoleno, vaše veřejné události budou viditelné na"; -$a->strings["Currently supported formats are ical and csv."] = "Aktuálně podporované formáty jsou ical a csv."; -$a->strings["Enable calendar export"] = "Povolit export kalendáře"; -$a->strings["Save Settings"] = "Uložit Nastavení"; diff --git a/cal/lang/de/messages.po b/cal/lang/de/messages.po deleted file mode 100644 index 29f6b601..00000000 --- a/cal/lang/de/messages.po +++ /dev/null @@ -1,56 +0,0 @@ -# ADDON cal -# Copyright (C) -# This file is distributed under the same license as the Friendica cal addon package. -# -# -# Translators: -# bavatar , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 13:18+0200\n" -"PO-Revision-Date: 2014-09-28 10:39+0000\n" -"Last-Translator: bavatar \n" -"Language-Team: German (http://www.transifex.com/projects/p/friendica/language/de/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: de\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: cal.php:33 -msgid "Event Export" -msgstr "Ereignis Export" - -#: cal.php:33 -msgid "You can download public events from: " -msgstr "Du kannst öffentliche Ereignisse hier herunterladen;" - -#: cal.php:53 -msgid "The user does not export the calendar." -msgstr "Diese_r Nutzer_in exportiert den Kalender nicht." - -#: cal.php:83 -msgid "This calendar format is not supported" -msgstr "Dieses Kalenderformat wird nicht unterstützt." - -#: cal.php:181 cal.php:185 -msgid "Export Events" -msgstr "Exportiere Ereignisse" - -#: cal.php:189 -msgid "If this is enabled, your public events will be available at" -msgstr "Wenn dies aktiviert ist, werden alle öffentliche Ereignisse unter folgender URL verfügbar sein" - -#: cal.php:190 -msgid "Currently supported formats are ical and csv." -msgstr "Derzeit werden die Formate ical und csv unterstützt." - -#: cal.php:191 -msgid "Enable calendar export" -msgstr "Kalenderexport aktivieren" - -#: cal.php:193 -msgid "Save Settings" -msgstr "Einstellungen speichern" diff --git a/cal/lang/de/strings.php b/cal/lang/de/strings.php deleted file mode 100644 index 39359271..00000000 --- a/cal/lang/de/strings.php +++ /dev/null @@ -1,16 +0,0 @@ -strings["Event Export"] = "Ereignis Export"; -$a->strings["You can download public events from: "] = "Du kannst öffentliche Ereignisse hier herunterladen;"; -$a->strings["The user does not export the calendar."] = "Diese_r Nutzer_in exportiert den Kalender nicht."; -$a->strings["This calendar format is not supported"] = "Dieses Kalenderformat wird nicht unterstützt."; -$a->strings["Export Events"] = "Exportiere Ereignisse"; -$a->strings["If this is enabled, your public events will be available at"] = "Wenn dies aktiviert ist, werden alle öffentliche Ereignisse unter folgender URL verfügbar sein"; -$a->strings["Currently supported formats are ical and csv."] = "Derzeit werden die Formate ical und csv unterstützt."; -$a->strings["Enable calendar export"] = "Kalenderexport aktivieren"; -$a->strings["Save Settings"] = "Einstellungen speichern"; diff --git a/cal/lang/es/messages.po b/cal/lang/es/messages.po deleted file mode 100644 index 65b2a322..00000000 --- a/cal/lang/es/messages.po +++ /dev/null @@ -1,55 +0,0 @@ -# ADDON cal -# Copyright (C) -# This file is distributed under the same license as the Friendica cal addon package. -# -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 13:18+0200\n" -"PO-Revision-Date: 2016-10-10 20:48+0000\n" -"Last-Translator: Athalbert\n" -"Language-Team: Spanish (http://www.transifex.com/Friendica/friendica/language/es/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: es\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: cal.php:33 -msgid "Event Export" -msgstr "Exportación de evento" - -#: cal.php:33 -msgid "You can download public events from: " -msgstr "Puede descargar eventos públicos desde:" - -#: cal.php:53 -msgid "The user does not export the calendar." -msgstr "El usuario no exporta el calendario." - -#: cal.php:83 -msgid "This calendar format is not supported" -msgstr "No se soporta este formato de calendario" - -#: cal.php:181 cal.php:185 -msgid "Export Events" -msgstr "Exportar Eventos" - -#: cal.php:189 -msgid "If this is enabled, your public events will be available at" -msgstr "Si esto está habilitado, sus eventos públicos estarán permitidos en" - -#: cal.php:190 -msgid "Currently supported formats are ical and csv." -msgstr "Los formatos soportados actualmente son ical y csv." - -#: cal.php:191 -msgid "Enable calendar export" -msgstr "Habilitar exportar calendario" - -#: cal.php:193 -msgid "Save Settings" -msgstr "Guardar Ajustes" diff --git a/cal/lang/es/strings.php b/cal/lang/es/strings.php deleted file mode 100644 index 29c9cc93..00000000 --- a/cal/lang/es/strings.php +++ /dev/null @@ -1,16 +0,0 @@ -strings["Event Export"] = "Exportación de evento"; -$a->strings["You can download public events from: "] = "Puede descargar eventos públicos desde:"; -$a->strings["The user does not export the calendar."] = "El usuario no exporta el calendario."; -$a->strings["This calendar format is not supported"] = "No se soporta este formato de calendario"; -$a->strings["Export Events"] = "Exportar Eventos"; -$a->strings["If this is enabled, your public events will be available at"] = "Si esto está habilitado, sus eventos públicos estarán permitidos en"; -$a->strings["Currently supported formats are ical and csv."] = "Los formatos soportados actualmente son ical y csv."; -$a->strings["Enable calendar export"] = "Habilitar exportar calendario"; -$a->strings["Save Settings"] = "Guardar Ajustes"; diff --git a/cal/lang/fr/messages.po b/cal/lang/fr/messages.po deleted file mode 100644 index 1b33c119..00000000 --- a/cal/lang/fr/messages.po +++ /dev/null @@ -1,56 +0,0 @@ -# ADDON cal -# Copyright (C) -# This file is distributed under the same license as the Friendica cal addon package. -# -# -# Translators: -# Tubuntu , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 13:18+0200\n" -"PO-Revision-Date: 2014-09-07 09:24+0000\n" -"Last-Translator: Tubuntu \n" -"Language-Team: French (http://www.transifex.com/projects/p/friendica/language/fr/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: fr\n" -"Plural-Forms: nplurals=2; plural=(n > 1);\n" - -#: cal.php:33 -msgid "Event Export" -msgstr "Exportation d'événement" - -#: cal.php:33 -msgid "You can download public events from: " -msgstr "Vous pouvez télécharger les événements publiques de :" - -#: cal.php:53 -msgid "The user does not export the calendar." -msgstr "L'utilisateur n'exporte pas le calendrier." - -#: cal.php:83 -msgid "This calendar format is not supported" -msgstr "Ce format de calendrier n'est pas pris en charge" - -#: cal.php:181 cal.php:185 -msgid "Export Events" -msgstr "Exporter les événements" - -#: cal.php:189 -msgid "If this is enabled, your public events will be available at" -msgstr "Si activé, vos événements publiques seront disponible à" - -#: cal.php:190 -msgid "Currently supported formats are ical and csv." -msgstr "Les formats actuellement pris en charge sont ical et csv." - -#: cal.php:191 -msgid "Enable calendar export" -msgstr "Activer l'export de calendrier" - -#: cal.php:193 -msgid "Save Settings" -msgstr "Sauvegarder les paramètres" diff --git a/cal/lang/fr/strings.php b/cal/lang/fr/strings.php deleted file mode 100644 index b3517062..00000000 --- a/cal/lang/fr/strings.php +++ /dev/null @@ -1,16 +0,0 @@ - 1);; -}} -; -$a->strings["Event Export"] = "Exportation d'événement"; -$a->strings["You can download public events from: "] = "Vous pouvez télécharger les événements publiques de :"; -$a->strings["The user does not export the calendar."] = "L'utilisateur n'exporte pas le calendrier."; -$a->strings["This calendar format is not supported"] = "Ce format de calendrier n'est pas pris en charge"; -$a->strings["Export Events"] = "Exporter les événements"; -$a->strings["If this is enabled, your public events will be available at"] = "Si activé, vos événements publiques seront disponible à"; -$a->strings["Currently supported formats are ical and csv."] = "Les formats actuellement pris en charge sont ical et csv."; -$a->strings["Enable calendar export"] = "Activer l'export de calendrier"; -$a->strings["Save Settings"] = "Sauvegarder les paramètres"; diff --git a/cal/lang/it/messages.po b/cal/lang/it/messages.po deleted file mode 100644 index f2aa1cbb..00000000 --- a/cal/lang/it/messages.po +++ /dev/null @@ -1,56 +0,0 @@ -# ADDON cal -# Copyright (C) -# This file is distributed under the same license as the Friendica cal addon package. -# -# -# Translators: -# fabrixxm , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 13:18+0200\n" -"PO-Revision-Date: 2014-09-10 10:30+0000\n" -"Last-Translator: fabrixxm \n" -"Language-Team: Italian (http://www.transifex.com/Friendica/friendica/language/it/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: it\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: cal.php:33 -msgid "Event Export" -msgstr "Esporta Evento" - -#: cal.php:33 -msgid "You can download public events from: " -msgstr "Puoi scaricare gli eventi publici da:" - -#: cal.php:53 -msgid "The user does not export the calendar." -msgstr "L'utente non esporta il calendario." - -#: cal.php:83 -msgid "This calendar format is not supported" -msgstr "Il formato del calendario non è supportato" - -#: cal.php:181 cal.php:185 -msgid "Export Events" -msgstr "Esporta Eventi" - -#: cal.php:189 -msgid "If this is enabled, your public events will be available at" -msgstr "Se abilitato, i tuoi eventi pubblici saranno disponibili a" - -#: cal.php:190 -msgid "Currently supported formats are ical and csv." -msgstr "I formati supportati sono ical e csv." - -#: cal.php:191 -msgid "Enable calendar export" -msgstr "Abilita esporazione calendario" - -#: cal.php:193 -msgid "Save Settings" -msgstr "Salva Impostazioni" diff --git a/cal/lang/it/strings.php b/cal/lang/it/strings.php deleted file mode 100644 index c7f228bb..00000000 --- a/cal/lang/it/strings.php +++ /dev/null @@ -1,16 +0,0 @@ -strings["Event Export"] = "Esporta Evento"; -$a->strings["You can download public events from: "] = "Puoi scaricare gli eventi publici da:"; -$a->strings["The user does not export the calendar."] = "L'utente non esporta il calendario."; -$a->strings["This calendar format is not supported"] = "Il formato del calendario non è supportato"; -$a->strings["Export Events"] = "Esporta Eventi"; -$a->strings["If this is enabled, your public events will be available at"] = "Se abilitato, i tuoi eventi pubblici saranno disponibili a"; -$a->strings["Currently supported formats are ical and csv."] = "I formati supportati sono ical e csv."; -$a->strings["Enable calendar export"] = "Abilita esporazione calendario"; -$a->strings["Save Settings"] = "Salva Impostazioni"; diff --git a/cal/lang/pt-br/messages.po b/cal/lang/pt-br/messages.po deleted file mode 100644 index 7defc7d5..00000000 --- a/cal/lang/pt-br/messages.po +++ /dev/null @@ -1,57 +0,0 @@ -# ADDON cal -# Copyright (C) -# This file is distributed under the same license as the Friendica cal addon package. -# -# -# Translators: -# John Brazil, 2015 -# Sérgio Lima , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 13:18+0200\n" -"PO-Revision-Date: 2015-01-31 01:24+0000\n" -"Last-Translator: John Brazil\n" -"Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/friendica/language/pt_BR/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: pt_BR\n" -"Plural-Forms: nplurals=2; plural=(n > 1);\n" - -#: cal.php:33 -msgid "Event Export" -msgstr "Exportar Evento" - -#: cal.php:33 -msgid "You can download public events from: " -msgstr "Você pode baixar eventos públicos de:" - -#: cal.php:53 -msgid "The user does not export the calendar." -msgstr "O usuário não exportou o calendário." - -#: cal.php:83 -msgid "This calendar format is not supported" -msgstr "Esse formato de calendário não é suportado." - -#: cal.php:181 cal.php:185 -msgid "Export Events" -msgstr "Exporta Eventos" - -#: cal.php:189 -msgid "If this is enabled, your public events will be available at" -msgstr "Se isso estiver habiltiado, seus eventos públicos estarão disponíveis" - -#: cal.php:190 -msgid "Currently supported formats are ical and csv." -msgstr "Os formatos disponíveis atualmente são ical e csv." - -#: cal.php:191 -msgid "Enable calendar export" -msgstr "Habilite exportar calendário" - -#: cal.php:193 -msgid "Save Settings" -msgstr "Salvar as Configurações" diff --git a/cal/lang/pt-br/strings.php b/cal/lang/pt-br/strings.php deleted file mode 100644 index 69e35ea5..00000000 --- a/cal/lang/pt-br/strings.php +++ /dev/null @@ -1,16 +0,0 @@ - 1);; -}} -; -$a->strings["Event Export"] = "Exportar Evento"; -$a->strings["You can download public events from: "] = "Você pode baixar eventos públicos de:"; -$a->strings["The user does not export the calendar."] = "O usuário não exportou o calendário."; -$a->strings["This calendar format is not supported"] = "Esse formato de calendário não é suportado."; -$a->strings["Export Events"] = "Exporta Eventos"; -$a->strings["If this is enabled, your public events will be available at"] = "Se isso estiver habiltiado, seus eventos públicos estarão disponíveis"; -$a->strings["Currently supported formats are ical and csv."] = "Os formatos disponíveis atualmente são ical e csv."; -$a->strings["Enable calendar export"] = "Habilite exportar calendário"; -$a->strings["Save Settings"] = "Salvar as Configurações"; diff --git a/cal/lang/ro/messages.po b/cal/lang/ro/messages.po deleted file mode 100644 index c0cd3f87..00000000 --- a/cal/lang/ro/messages.po +++ /dev/null @@ -1,56 +0,0 @@ -# ADDON cal -# Copyright (C) -# This file is distributed under the same license as the Friendica cal addon package. -# -# -# Translators: -# Doru DEACONU , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 13:18+0200\n" -"PO-Revision-Date: 2014-11-27 14:13+0000\n" -"Last-Translator: Doru DEACONU \n" -"Language-Team: Romanian (Romania) (http://www.transifex.com/projects/p/friendica/language/ro_RO/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ro_RO\n" -"Plural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n" - -#: cal.php:33 -msgid "Event Export" -msgstr "Exportare Eveniment" - -#: cal.php:33 -msgid "You can download public events from: " -msgstr "Puteți descărca evenimente publice de la:" - -#: cal.php:53 -msgid "The user does not export the calendar." -msgstr "Utilizatorul nu își exportă calendarul." - -#: cal.php:83 -msgid "This calendar format is not supported" -msgstr "Acest format de calendar nu este acceptat" - -#: cal.php:181 cal.php:185 -msgid "Export Events" -msgstr "Exportați Evenimente" - -#: cal.php:189 -msgid "If this is enabled, your public events will be available at" -msgstr "Dacă este activat, evenimente dvs publice vor fi disponibile pe" - -#: cal.php:190 -msgid "Currently supported formats are ical and csv." -msgstr "Formate acceptate în prezent sunt ical şi csv." - -#: cal.php:191 -msgid "Enable calendar export" -msgstr "Activați exportarea calendarului" - -#: cal.php:193 -msgid "Save Settings" -msgstr "Salvare Configurări" diff --git a/cal/lang/ro/strings.php b/cal/lang/ro/strings.php deleted file mode 100644 index 8e328e98..00000000 --- a/cal/lang/ro/strings.php +++ /dev/null @@ -1,16 +0,0 @@ -19)||(($n%100==0)&&($n!=0)))?2:1));; -}} -; -$a->strings["Event Export"] = "Exportare Eveniment"; -$a->strings["You can download public events from: "] = "Puteți descărca evenimente publice de la:"; -$a->strings["The user does not export the calendar."] = "Utilizatorul nu își exportă calendarul."; -$a->strings["This calendar format is not supported"] = "Acest format de calendar nu este acceptat"; -$a->strings["Export Events"] = "Exportați Evenimente"; -$a->strings["If this is enabled, your public events will be available at"] = "Dacă este activat, evenimente dvs publice vor fi disponibile pe"; -$a->strings["Currently supported formats are ical and csv."] = "Formate acceptate în prezent sunt ical şi csv."; -$a->strings["Enable calendar export"] = "Activați exportarea calendarului"; -$a->strings["Save Settings"] = "Salvare Configurări"; diff --git a/cal/lang/ru/messages.po b/cal/lang/ru/messages.po deleted file mode 100644 index 155cba8e..00000000 --- a/cal/lang/ru/messages.po +++ /dev/null @@ -1,56 +0,0 @@ -# ADDON cal -# Copyright (C) -# This file is distributed under the same license as the Friendica cal addon package. -# -# -# Translators: -# Stanislav N. , 2017 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 13:18+0200\n" -"PO-Revision-Date: 2017-04-08 17:06+0000\n" -"Last-Translator: Stanislav N. \n" -"Language-Team: Russian (http://www.transifex.com/Friendica/friendica/language/ru/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ru\n" -"Plural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n" - -#: cal.php:33 -msgid "Event Export" -msgstr "Экспорт событий" - -#: cal.php:33 -msgid "You can download public events from: " -msgstr "Вы можете скачать публичные события из:" - -#: cal.php:53 -msgid "The user does not export the calendar." -msgstr "Пользователь не экспортировал календарь." - -#: cal.php:83 -msgid "This calendar format is not supported" -msgstr "Этот формат календарей не поддерживается" - -#: cal.php:181 cal.php:185 -msgid "Export Events" -msgstr "Экспорт событий" - -#: cal.php:189 -msgid "If this is enabled, your public events will be available at" -msgstr "Если эта настройка включена, то ваши публичные события будут доступны на:" - -#: cal.php:190 -msgid "Currently supported formats are ical and csv." -msgstr "Текущие поддерживаемые форматы ical и csv." - -#: cal.php:191 -msgid "Enable calendar export" -msgstr "Включить экспорт календаря" - -#: cal.php:193 -msgid "Save Settings" -msgstr "Сохранить настройки" diff --git a/cal/lang/ru/strings.php b/cal/lang/ru/strings.php deleted file mode 100644 index d2ab1418..00000000 --- a/cal/lang/ru/strings.php +++ /dev/null @@ -1,16 +0,0 @@ -=2 && $n%10<=4 && ($n%100<12 || $n%100>14) ? 1 : $n%10==0 || ($n%10>=5 && $n%10<=9) || ($n%100>=11 && $n%100<=14)? 2 : 3);; -}} -; -$a->strings["Event Export"] = "Экспорт событий"; -$a->strings["You can download public events from: "] = "Вы можете скачать публичные события из:"; -$a->strings["The user does not export the calendar."] = "Пользователь не экспортировал календарь."; -$a->strings["This calendar format is not supported"] = "Этот формат календарей не поддерживается"; -$a->strings["Export Events"] = "Экспорт событий"; -$a->strings["If this is enabled, your public events will be available at"] = "Если эта настройка включена, то ваши публичные события будут доступны на:"; -$a->strings["Currently supported formats are ical and csv."] = "Текущие поддерживаемые форматы ical и csv."; -$a->strings["Enable calendar export"] = "Включить экспорт календаря"; -$a->strings["Save Settings"] = "Сохранить настройки"; diff --git a/cal/lang/zh-cn/messages.po b/cal/lang/zh-cn/messages.po deleted file mode 100644 index 15f34a47..00000000 --- a/cal/lang/zh-cn/messages.po +++ /dev/null @@ -1,56 +0,0 @@ -# ADDON cal -# Copyright (C) -# This file is distributed under the same license as the Friendica cal addon package. -# -# -# Translators: -# mytbk , 2017 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-22 13:18+0200\n" -"PO-Revision-Date: 2017-10-02 05:52+0000\n" -"Last-Translator: mytbk \n" -"Language-Team: Chinese (China) (http://www.transifex.com/Friendica/friendica/language/zh_CN/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: zh_CN\n" -"Plural-Forms: nplurals=1; plural=0;\n" - -#: cal.php:33 -msgid "Event Export" -msgstr "事件导出" - -#: cal.php:33 -msgid "You can download public events from: " -msgstr "你可以从这里下载公开事件:" - -#: cal.php:53 -msgid "The user does not export the calendar." -msgstr "这个用户没有导出日历。" - -#: cal.php:83 -msgid "This calendar format is not supported" -msgstr "不支持这个日历格式" - -#: cal.php:181 cal.php:185 -msgid "Export Events" -msgstr "导出事件" - -#: cal.php:189 -msgid "If this is enabled, your public events will be available at" -msgstr "如果这个被启用,你的公开事件会在" - -#: cal.php:190 -msgid "Currently supported formats are ical and csv." -msgstr "当前支持的格式是 ical 和 csv." - -#: cal.php:191 -msgid "Enable calendar export" -msgstr "启用日历导出" - -#: cal.php:193 -msgid "Save Settings" -msgstr "保存设置" diff --git a/cal/lang/zh-cn/strings.php b/cal/lang/zh-cn/strings.php deleted file mode 100644 index e94fa51b..00000000 --- a/cal/lang/zh-cn/strings.php +++ /dev/null @@ -1,16 +0,0 @@ -strings["Event Export"] = "事件导出"; -$a->strings["You can download public events from: "] = "你可以从这里下载公开事件:"; -$a->strings["The user does not export the calendar."] = "这个用户没有导出日历。"; -$a->strings["This calendar format is not supported"] = "不支持这个日历格式"; -$a->strings["Export Events"] = "导出事件"; -$a->strings["If this is enabled, your public events will be available at"] = "如果这个被启用,你的公开事件会在"; -$a->strings["Currently supported formats are ical and csv."] = "当前支持的格式是 ical 和 csv."; -$a->strings["Enable calendar export"] = "启用日历导出"; -$a->strings["Save Settings"] = "保存设置"; diff --git a/communityhome/communityhome.php b/communityhome/communityhome.php index f2908ab0..dc0a6baf 100644 --- a/communityhome/communityhome.php +++ b/communityhome/communityhome.php @@ -111,9 +111,9 @@ function communityhome_home(App $a, &$o) $entry = replace_macros($tpl, [ '$id' => $rr['id'], '$profile_link' => $profile_link, - '$photo' => $a->get_cached_avatar_image($rr[$photo]), + '$photo' => $rr[$photo], '$alt_text' => $rr['name'], - )); + ]); $aside['$lastusers_items'][] = $entry; } } @@ -128,7 +128,7 @@ function communityhome_home(App $a, &$o) WHERE `profile`=0 AND `contact-id`=0 AND `album` NOT IN ('Contact Photos', '%s', 'Profile Photos', '%s') AND `allow_cid`='' AND `allow_gid`='' AND `deny_cid`='' AND `deny_gid`='' GROUP BY `resource-id`) AS `t1` INNER JOIN `photo` ON `photo`.`resource-id`=`t1`.`resource-id` AND `photo`.`scale` = `t1`.`maxscale`, - `user` + `user` WHERE `user`.`uid` = `photo`.`uid` AND `user`.`blockwall`=0 AND `user`.`hidewall` = 0 @@ -150,8 +150,9 @@ function communityhome_home(App $a, &$o) '$id' => $rr['id'], '$profile_link' => $photo_page, '$photo' => $photo_url, - '$alt_text' => $rr['username']." : ".$rr['desc'], - )); + '$photo_user' => $rr['username'], + '$photo_title' => $rr['desc'] + ]); $aside['$photos_items'][] = $entry; } @@ -165,7 +166,7 @@ function communityhome_home(App $a, &$o) $r = q("SELECT `T1`.`created`, `T1`.`liker`, `T1`.`liker-link`, `item`.* FROM (SELECT `parent-uri`, `created`, `author-name` AS `liker`,`author-link` AS `liker-link` FROM `item` WHERE `verb`='http://activitystrea.ms/schema/1.0/like' GROUP BY `parent-uri` ORDER BY `created` DESC) AS T1 - INNER JOIN `item` ON `item`.`uri`=`T1`.`parent-uri` + INNER JOIN `item` ON `item`.`uri`=`T1`.`parent-uri` WHERE `T1`.`liker-link` LIKE '%s%%' OR `item`.`author-link` LIKE '%s%%' GROUP BY `uri` ORDER BY `T1`.`created` DESC diff --git a/communityhome/templates/directory_item.tpl b/communityhome/templates/directory_item.tpl index 5fb11986..30512f4e 100644 --- a/communityhome/templates/directory_item.tpl +++ b/communityhome/templates/directory_item.tpl @@ -2,8 +2,8 @@
diff --git a/communityhome/templates/settings.tpl b/communityhome/templates/settings.tpl new file mode 100644 index 00000000..d73ed74c --- /dev/null +++ b/communityhome/templates/settings.tpl @@ -0,0 +1,9 @@ +
+ {{foreach $fields as $field}} + {{include file="field_checkbox.tpl" field=$field}} + {{/foreach}} +
+
+ +
+ diff --git a/convert/convert.php b/convert/convert.php index 5064d380..1ddd2978 100644 --- a/convert/convert.php +++ b/convert/convert.php @@ -16,7 +16,7 @@ function convert_uninstall() { } function convert_app_menu($a,&$b) { - $b['app_menu'][] = ''; + $b['app_menu'][] = ''; } @@ -31,7 +31,7 @@ function convert_module() {} function convert_content($app) { include("UnitConvertor.php"); - + class TP_Converter extends UnitConvertor { function TP_Converter($lang = "en") { @@ -40,7 +40,7 @@ include("UnitConvertor.php"); } else { $dec_point = '.'; $thousand_sep = ","; } - + $this->UnitConvertor($dec_point , $thousand_sep ); } // end func UnitConvertor @@ -48,24 +48,24 @@ include("UnitConvertor.php"); function find_base_unit($from,$to) { while (list($skey,$sval) = each($this->bases)) { if ($skey == $from || $to == $skey || in_array($to,$sval) || in_array($from,$sval)) { - return $skey; + return $skey; } } - return false; + return false; } function getTable($value, $from_unit, $to_unit, $precision) { - + if ($base_unit = $this->find_base_unit($from_unit,$to_unit)) { - - // A baseunit was found now lets convert from -> $base_unit - - $cell ['value'] = $this->convert($value, $from_unit, $base_unit, $precision)." ".$base_unit; + + // A baseunit was found now lets convert from -> $base_unit + + $cell ['value'] = $this->convert($value, $from_unit, $base_unit, $precision)." ".$base_unit; $cell ['class'] = ($base_unit == $from_unit || $base_unit == $to_unit) ? "framedred": ""; $cells[] = $cell; // We now have the base unit and value now lets produce the table; while (list($key,$val) = each($this->bases[$base_unit])) { - $cell ['value'] = $this->convert($value, $from_unit, $val, $precision)." ".$val; + $cell ['value'] = $this->convert($value, $from_unit, $val, $precision)." ".$val; $cell ['class'] = ($val == $from_unit || $val == $to_unit) ? "framedred": ""; $cells[] = $cell; } @@ -84,8 +84,8 @@ include("UnitConvertor.php"); } $string .= ""; return $string; - } - + } + } } @@ -93,16 +93,16 @@ include("UnitConvertor.php"); $conv = new TP_Converter('en'); -$conversions = array( - 'Temperature'=>array('base' =>'Celsius', - 'conv'=>array( - 'Fahrenheit'=>array('ratio'=>1.8, 'offset'=>32), - 'Kelvin'=>array('ratio'=>1, 'offset'=>273), +$conversions = [ + 'Temperature'=>['base' =>'Celsius', + 'conv'=>[ + 'Fahrenheit'=>['ratio'=>1.8, 'offset'=>32], + 'Kelvin'=>['ratio'=>1, 'offset'=>273], 'Reaumur'=>0.8 - ) - ), - 'Weight' => array('base' =>'kg', - 'conv'=>array( + ] + ], + 'Weight' => ['base' =>'kg', + 'conv'=>[ 'g'=>1000, 'mg'=>1000000, 't'=>0.001, @@ -110,13 +110,13 @@ $conversions = array( 'oz'=>35.274, 'lb'=>2.2046, 'cwt(UK)' => 0.019684, - 'cwt(US)' => 0.022046, + 'cwt(US)' => 0.022046, 'ton (US)' => 0.0011023, 'ton (UK)' => 0.0009842 - ) - ), - 'Distance' => array('base' =>'km', - 'conv'=>array( + ] + ], + 'Distance' => ['base' =>'km', + 'conv'=>[ 'm'=>1000, 'dm'=>10000, 'cm'=>100000, @@ -128,25 +128,25 @@ $conversions = array( 'yd'=>1093.6, 'furlong'=>4.970969537898672, 'fathom'=>546.8066491688539 - ) - ), - 'Area' => array('base' =>'km 2', - 'conv'=>array( + ] + ], + 'Area' => ['base' =>'km 2', + 'conv'=>[ 'ha'=>100, 'acre'=>247.105, 'm 2'=>pow(1000,2), 'dm 2'=>pow(10000,2), 'cm 2'=>pow(100000,2), - 'mm 2'=>pow(1000000,2), + 'mm 2'=>pow(1000000,2), 'mile 2'=>pow(0.62137,2), 'naut.miles 2'=>pow(0.53996,2), 'in 2'=>pow(39370,2), 'ft 2'=>pow(3280.8,2), 'yd 2'=>pow(1093.6,2), - ) - ), - 'Volume' => array('base' =>'m 3', - 'conv'=>array( + ] + ], + 'Volume' => ['base' =>'m 3', + 'conv'=>[ 'in 3'=>61023.6, 'ft 3'=>35.315, 'cm 3'=>pow(10,6), @@ -162,22 +162,22 @@ $conversions = array( 'fl oz' => 33814.02, 'tablespoon' => 67628.04, 'teaspoon' => 202884.1, - 'pt (UK)'=>1000/0.56826, + 'pt (UK)'=>1000/0.56826, 'barrel petroleum'=>1000/158.99, - 'Register Tons'=>2.832, + 'Register Tons'=>2.832, 'Ocean Tons'=>1.1327 - ) - ), - 'Speed' =>array('base' =>'kmph', - 'conv'=>array( + ] + ], + 'Speed' =>['base' =>'kmph', + 'conv'=>[ 'mps'=>0.0001726031, 'milesph'=>0.62137, 'knots'=>0.53996, 'mach STP'=>0.0008380431, 'c (warp)'=>9.265669e-10 - ) - ) -); + ] + ] +]; while (list($key,$val) = each($conversions)) { @@ -224,6 +224,6 @@ while (list($key,$val) = each($conversions)) { $o .= ''; $o .= ''; - + return $o; } diff --git a/convpath/README b/convpath/README deleted file mode 100644 index 9d1c3072..00000000 --- a/convpath/README +++ /dev/null @@ -1,7 +0,0 @@ -convpath - -This addon converts all internal paths according to the current scheme. - -That means that if a page is called via https then all internal links are also converted into https. - -Same happens when you call your page with http. diff --git a/convpath/convpath.php b/convpath/convpath.php deleted file mode 100644 index 0aaeb5f9..00000000 --- a/convpath/convpath.php +++ /dev/null @@ -1,102 +0,0 @@ - - * Status: Unsupported - */ - -function convpath_install() { - register_hook('page_end', 'addon/convpath/convpath.php', 'convpath_page_end'); - register_hook('page_header', 'addon/convpath/convpath.php', 'convpath_page_header'); - register_hook('ping_xmlize', 'addon/convpath/convpath.php', 'convpath_ping_xmlize_hook'); - register_hook('prepare_body', 'addon/convpath/convpath.php', 'convpath_prepare_body_hook'); - register_hook('display_item', 'addon/convpath/convpath.php', 'convpath_display_item_hook'); -} - - -function convpath_uninstall() { - unregister_hook('page_end', 'addon/convpath/convpath.php', 'convpath_page_end'); - unregister_hook('page_header', 'addon/convpath/convpath.php', 'convpath_page_header'); - unregister_hook('ping_xmlize', 'addon/convpath/convpath.php', 'convpath_ping_xmlize_hook'); - unregister_hook('prepare_body', 'addon/convpath/convpath.php', 'convpath_prepare_body_hook'); - unregister_hook('display_item', 'addon/convpath/convpath.php', 'convpath_display_item_hook'); -} - -function convpath_ping_xmlize_hook(&$a, &$o) { - $o["photo"] = convpath_url($a, $o["photo"]); -} - -function convpath_page_header(&$a, &$o){ - $o = convpath_convert($o); -} - -function convpath_page_end(&$a, &$o){ - $o = convpath_convert($o); - if (isset($a->page['aside'])) - $a->page['aside'] = convpath_convert($a->page['aside']); -} - -function convpath_prepare_body_hook(&$a, &$o) { - $o["html"] = convpath_convert($o["html"]); -} - -function convpath_display_item_hook(&$a, &$o) { - if (isset($o["output"])) { - if (isset($o["output"]["thumb"])) - $o["output"]["thumb"] = convpath_url($a, $o["output"]["thumb"]); - if (isset($o["output"]["author-avatar"])) - $o["output"]["author-avatar"] = convpath_url($a, $o["output"]["author-avatar"]); - if (isset($o["output"]["owner-avatar"])) - $o["output"]["owner-avatar"] = convpath_url($a, $o["output"]["owner-avatar"]); - if (isset($o["output"]["owner_photo"])) - $o["output"]["owner_photo"] = convpath_url($a, $o["output"]["owner_photo"]); - } -} - -function convpath_url($a, $path) { - if ($path == "") - return(""); - - $ssl = (substr($a->get_baseurl(), 0, 8) == "https://"); - - if ($ssl) { - $search = "http://".$a->get_hostname(); - $replace = "https://".$a->get_hostname(); - } else { - $search = "https://".$a->get_hostname(); - $replace = "http://".$a->get_hostname(); - } - - $path = str_replace($search, $replace, $path); - - return($path); -} - -/* -Converts a given path according to the current scheme -*/ -function convpath_convert($path) { - global $a; - - if ($path == "") - return(""); - - $ssl = (substr($a->get_baseurl(), 0, 8) == "https://"); - - if ($ssl) { - $search = "http://".$a->get_hostname(); - $replace = "https://".$a->get_hostname(); - } else { - $search = "https://".$a->get_hostname(); - $replace = "http://".$a->get_hostname(); - } - $searcharr = array("src='".$search, 'src="'.$search); - $replacearr = array("src='".$replace, 'src="'.$replace); - $path = str_replace($searcharr, $replacearr, $path); - - //$path = str_replace($search, $replace, $path); - - return($path); -} diff --git a/convpath/lang/C/messages.po b/convpath/lang/C/messages.po deleted file mode 100644 index e69de29b..00000000 diff --git a/curweather/curweather.php b/curweather/curweather.php index 82ea2915..edf96c3e 100644 --- a/curweather/curweather.php +++ b/curweather/curweather.php @@ -1,6 +1,6 @@ @@ -25,7 +25,7 @@ function getWeather( $loc, $units='metric', $lang='en', $appid='', $cachetime=0) $cached = Cache::get('curweather'.md5($url)); $now = new DateTime(); if (!is_null($cached)) { - $cdate = get_pconfig(local_user(), 'curweather', 'last'); + $cdate = PConfig::get(local_user(), 'curweather', 'last'); $cached = unserialize($cached); if ($cdate + $cachetime > $now->getTimestamp()) { return $cached; @@ -49,7 +49,7 @@ function getWeather( $loc, $units='metric', $lang='en', $appid='', $cachetime=0) } else { $desc = (string)$res->weather['value'].', '.(string)$res->clouds['name']; } - $r = array( + $r = [ 'city'=> (string) $res->city['name'][0], 'country' => (string) $res->city->country[0], 'lat' => (string) $res->city->coord['lat'], @@ -61,8 +61,8 @@ function getWeather( $loc, $units='metric', $lang='en', $appid='', $cachetime=0) 'wind' => (string)$res->wind->speed['name'].' ('.(string)$res->wind->speed['value'].$wunit.')', 'update' => (string)$res->lastupdate['value'], 'icon' => (string)$res->weather['icon'] - ); - set_pconfig(local_user(), 'curweather', 'last', $now->getTimestamp()); + ]; + PConfig::set(local_user(), 'curweather', 'last', $now->getTimestamp()); Cache::set('curweather'.md5($url), serialize($r), CACHE_HOUR); return $r; } @@ -82,7 +82,7 @@ function curweather_uninstall() { function curweather_network_mod_init(&$fk_app,&$b) { - if(! intval(get_pconfig(local_user(),'curweather','curweather_enable'))) + if(! intval(PConfig::get(local_user(),'curweather','curweather_enable'))) return; $fk_app->page['htmlhead'] .= '' . "\r\n"; @@ -96,14 +96,14 @@ function curweather_network_mod_init(&$fk_app,&$b) { // those parameters will be used to get: cloud status, temperature, preassure // and relative humidity for display, also the relevent area of the map is // linked from lat/log of the reply of OWMp - $rpt = get_pconfig(local_user(), 'curweather', 'curweather_loc'); + $rpt = PConfig::get(local_user(), 'curweather', 'curweather_loc'); // set the language to the browsers language and use metric units $lang = $_SESSION['language']; - $units = get_pconfig( local_user(), 'curweather', 'curweather_units'); - $appid = get_config('curweather','appid'); - $cachetime = intval(get_config('curweather','cachetime')); + $units = PConfig::get( local_user(), 'curweather', 'curweather_units'); + $appid = Config::get('curweather','appid'); + $cachetime = intval(Config::get('curweather','cachetime')); if ($units==="") $units = 'metric'; $ok = true; @@ -146,9 +146,9 @@ function curweather_network_mod_init(&$fk_app,&$b) { function curweather_addon_settings_post($a,$post) { if(! local_user() || (! x($_POST,'curweather-settings-submit'))) return; - set_pconfig(local_user(),'curweather','curweather_loc',trim($_POST['curweather_loc'])); - set_pconfig(local_user(),'curweather','curweather_enable',intval($_POST['curweather_enable'])); - set_pconfig(local_user(),'curweather','curweather_units',trim($_POST['curweather_units'])); + PConfig::set(local_user(),'curweather','curweather_loc',trim($_POST['curweather_loc'])); + PConfig::set(local_user(),'curweather','curweather_enable',intval($_POST['curweather_enable'])); + PConfig::set(local_user(),'curweather','curweather_units',trim($_POST['curweather_units'])); info(L10n::t('Current Weather settings updated.') . EOL); } @@ -169,9 +169,9 @@ function curweather_addon_settings(&$a,&$s) { } else { $noappidtext = ''; } - $enable = intval(get_pconfig(local_user(),'curweather','curweather_enable')); + $enable = intval(PConfig::get(local_user(),'curweather','curweather_enable')); $enable_checked = (($enable) ? ' checked="checked" ' : ''); - + // load template and replace the macros $t = get_markup_template("settings.tpl", "addon/curweather/" ); $s = replace_macros ($t, [ @@ -200,8 +200,8 @@ function curweather_addon_admin_post (&$a) { function curweather_addon_admin (&$a, &$o) { if(! is_site_admin()) return; - $appid = get_config('curweather','appid'); - $cachetime = get_config('curweather','cachetime'); + $appid = Config::get('curweather','appid'); + $cachetime = Config::get('curweather','cachetime'); $t = get_markup_template("admin.tpl", "addon/curweather/" ); $o = replace_macros ($t, [ '$submit' => L10n::t('Save Settings'), diff --git a/curweather/templates/widget.tpl b/curweather/templates/widget.tpl index b893eef6..db3b7a8f 100644 --- a/curweather/templates/widget.tpl +++ b/curweather/templates/widget.tpl @@ -11,7 +11,7 @@
  • {{$wind['caption']}}: {{$wind['val']}}
  • diff --git a/dav/README.md b/dav/README.md index e70f6090..b86d47fc 100644 --- a/dav/README.md +++ b/dav/README.md @@ -1,4 +1,6 @@ -Calendar with CalDAV Support +# Calendar with CalDAV Support + +**THIS ADDON IS UNSUPPORTED** This is a rewrite of the calendar system used by the german social network [Animexx](http://www.animexx.de/). It's still in a very early stage, so expect major bugs. Please feel free to report any of them, by mail (cato@animexx.de) or Friendica: http://friendica.hoessl.eu/profile/cato @@ -16,11 +18,11 @@ At the moment, the calendar system supports the following features: - The events of a calendar can be exported as ICS file. ICS files can be imported into a calendar -Internationalization: +## Internationalization: - At the moment, settings for the US and the german systems are selectable (regarding the date format and the first day of the week). More will be added on request. - The basic design of the system is aware of timezones; however this is not reflected in the UI yet. It currently assumes that the timezone set in the friendica-installation matches the user's local time and matches the local time set in the user's operating system. -CalDAV device compatibility: +## CalDAV device compatibility: - iOS (iPhone/iPodTouch) works - Thunderbird Lightning works - Android: @@ -32,12 +34,12 @@ After activating, serveral tables in the database have to be created. The admin- In case of errors, the SQL-statement to create the tables manually are shown in the admin-interface. -Functuality missing: (a.k.a. "Roadmap") +## Functuality missing: (a.k.a. "Roadmap") - Sharing events; all events are private at the moment, therefore this system is not a complete replacement for the friendica-native events - Attendees / Collaboration -Used libraries +## Used libraries SabreDAV http://code.google.com/p/sabredav/ diff --git a/dav/common/wdcal_configuration.php b/dav/common/wdcal_configuration.php index 001d4528..dc8a951d 100644 --- a/dav/common/wdcal_configuration.php +++ b/dav/common/wdcal_configuration.php @@ -37,7 +37,7 @@ abstract class wdcal_local * @return wdcal_local */ static function getInstanceByUser($uid = 0) { - $dateformat = get_pconfig($uid, "dav", "dateformat"); + $dateformat = PConfig::get($uid, "dav", "dateformat"); $format = self::getInstance($dateformat); if ($format == null) $format = self::getInstance(self::LOCAL_US); return $format; diff --git a/dav/dav.php b/dav/dav.php index f4d08f02..f9125f9e 100644 --- a/dav/dav.php +++ b/dav/dav.php @@ -4,9 +4,10 @@ * Description: A web-based calendar system with CalDAV-support. Also brings your Friendica-Contacts to your CardDAV-capable mobile phone. Requires PHP >= 5.3. * Version: 0.3.0 * Author: Tobias Hößl + * Status: Unsupported */ $_v = explode(".", phpversion()); if ($_v[0] > 5 || ($_v[0] == 5 && $_v[1] >= 3)) { require(__DIR__ . "/friendica/main.php"); -} \ No newline at end of file +} diff --git a/dav/friendica/calendar.friendica.fnk.php b/dav/friendica/calendar.friendica.fnk.php index 98e552e6..c9007bf3 100644 --- a/dav/friendica/calendar.friendica.fnk.php +++ b/dav/friendica/calendar.friendica.fnk.php @@ -18,13 +18,13 @@ define("CALDAV_NAMESPACE_PRIVATE", 1); define("CALDAV_FRIENDICA_MINE", "friendica-mine"); define("CALDAV_FRIENDICA_CONTACTS", "friendica-contacts"); -$GLOBALS["CALDAV_PRIVATE_SYSTEM_CALENDARS"] = array(CALDAV_FRIENDICA_MINE, CALDAV_FRIENDICA_CONTACTS); -$GLOBALS["CALDAV_PRIVATE_SYSTEM_BACKENDS"] = array("Sabre_CalDAV_Backend_Friendica"); +$GLOBALS["CALDAV_PRIVATE_SYSTEM_CALENDARS"] = [CALDAV_FRIENDICA_MINE, CALDAV_FRIENDICA_CONTACTS]; +$GLOBALS["CALDAV_PRIVATE_SYSTEM_BACKENDS"] = ["Sabre_CalDAV_Backend_Friendica"]; define("CARDDAV_NAMESPACE_PRIVATE", 1); define("CARDDAV_FRIENDICA_CONTACT", "friendica"); -$GLOBALS["CARDDAV_PRIVATE_SYSTEM_ADDRESSBOOKS"] = array(CARDDAV_FRIENDICA_CONTACT); -$GLOBALS["CARDDAV_PRIVATE_SYSTEM_BACKENDS"] = array("Sabre_CardDAV_Backend_Friendica"); +$GLOBALS["CARDDAV_PRIVATE_SYSTEM_ADDRESSBOOKS"] = [CARDDAV_FRIENDICA_CONTACT]; +$GLOBALS["CARDDAV_PRIVATE_SYSTEM_BACKENDS"] = ["Sabre_CardDAV_Backend_Friendica"]; $GLOBALS["CALDAV_ACL_PLUGIN_CLASS"] = "Sabre_DAVACL_Plugin_Friendica"; @@ -108,7 +108,7 @@ function dav_compat_principal2namespace($principalUri = "") if (strpos($principalUri, "principals/users/") !== 0) return null; $username = substr($principalUri, strlen("principals/users/")); - return array("namespace" => CALDAV_NAMESPACE_PRIVATE, "namespace_id" => dav_compat_username2id($username)); + return ["namespace" => CALDAV_NAMESPACE_PRIVATE, "namespace_id" => dav_compat_username2id($username)]; } @@ -202,7 +202,7 @@ function wdcal_calendar_factory_by_id($calendar_id) */ function wdcal_create_std_calendars_get_statements($user_id, $withcheck = true) { - $stms = array(); + $stms = []; $a = get_app(); $uris = [ 'private' => L10n::t("Private Calendar"), @@ -244,7 +244,7 @@ function wdcal_create_std_calendars() */ function wdcal_create_std_addressbooks_get_statements($user_id, $withcheck = true) { - $stms = array(); + $stms = []; $a = get_app(); $uris = [ 'private' => L10n::t("Private Addresses"), diff --git a/dav/friendica/database-init.inc.php b/dav/friendica/database-init.inc.php index e172b44d..d8ef96eb 100644 --- a/dav/friendica/database-init.inc.php +++ b/dav/friendica/database-init.inc.php @@ -7,7 +7,7 @@ */ function dav_get_update_statements($from_version) { - $stms = array(); + $stms = []; if ($from_version == 1) { $stms[] = "ALTER TABLE `dav_calendarobjects` @@ -30,7 +30,7 @@ function dav_get_update_statements($from_version) `dav_locks` , `dav_notifications` ;"; - $stms = array_merge($stms, dav_get_create_statements(array("dav_calendarobjects"))); + $stms = array_merge($stms, dav_get_create_statements(["dav_calendarobjects"])); $user_ids = q("SELECT DISTINCT `uid` FROM %s%scalendars", CALDAV_SQL_DB, CALDAV_SQL_PREFIX); foreach ($user_ids as $user) $stms = array_merge($stms, wdcal_create_std_calendars_get_statements($user["uid"], false)); @@ -43,7 +43,7 @@ function dav_get_update_statements($from_version) } - if (in_array($from_version, array(1, 2))) { + if (in_array($from_version, [1, 2])) { $stms[] = "CREATE TABLE IF NOT EXISTS `dav_addressbooks` ( `id` int(11) unsigned NOT NULL AUTO_INCREMENT, `namespace` mediumint(9) NOT NULL, @@ -80,9 +80,9 @@ function dav_get_update_statements($from_version) * @param array $except * @return array */ -function dav_get_create_statements($except = array()) +function dav_get_create_statements($except = []) { - $arr = array(); + $arr = []; if (!in_array("dav_caldav_log", $except)) $arr[] = "CREATE TABLE IF NOT EXISTS `dav_caldav_log` ( `id` int(10) unsigned NOT NULL AUTO_INCREMENT, @@ -240,7 +240,7 @@ function dav_check_tables() function dav_create_tables() { $stms = dav_get_create_statements(); - $errors = array(); + $errors = []; foreach ($stms as $st) { // @TODO Friendica-dependent dba::e($st); @@ -258,10 +258,10 @@ function dav_create_tables() function dav_upgrade_tables() { $ver = dav_check_tables(); - if (!in_array($ver, array(1, 2))) return array("Unknown error"); + if (!in_array($ver, [1, 2])) return ["Unknown error"]; $stms = dav_get_update_statements($ver); - $errors = array(); + $errors = []; foreach ($stms as $st) { // @TODO Friendica-dependent dba::e($st); diff --git a/dav/friendica/dav_caldav_backend_virtual_friendica.inc.php b/dav/friendica/dav_caldav_backend_virtual_friendica.inc.php index c108d8dc..b02b9150 100644 --- a/dav/friendica/dav_caldav_backend_virtual_friendica.inc.php +++ b/dav/friendica/dav_caldav_backend_virtual_friendica.inc.php @@ -127,7 +127,7 @@ class Sabre_CalDAV_Backend_Friendica extends Sabre_CalDAV_Backend_Virtual $summary = (($row["summary"]) ? $row["summary"] : substr(preg_replace("/\[[^\]]*\]/", "", $row["desc"]), 0, 100)); - return array( + return [ "jq_id" => $row["id"], "ev_id" => $row["id"], "summary" => escape_tags($summary), @@ -145,7 +145,7 @@ class Sabre_CalDAV_Backend_Friendica extends Sabre_CalDAV_Backend_Virtual "url_detail" => $base_path . "/events/event/" . $row["id"], "url_edit" => "", "special_type" => ($row["type"] == "birthday" ? "birthday" : ""), - ); + ]; } @@ -182,7 +182,7 @@ class Sabre_CalDAV_Backend_Friendica extends Sabre_CalDAV_Backend_Virtual if (is_numeric($date_to)) $sql_where .= " AND `start` <= '" . date(DateTimeFormat::MYSQL, $date_to) . "'"; else $sql_where .= " AND `start` <= '" . dbesc($date_to) . "'"; } - $ret = array(); + $ret = []; $r = q("SELECT * FROM `event` WHERE `uid` = %d " . $sql_where . " ORDER BY `start`", IntVal($calendar["namespace_id"])); @@ -217,21 +217,21 @@ class Sabre_CalDAV_Backend_Friendica extends Sabre_CalDAV_Backend_Virtual public function getCalendarsForUser($principalUri) { $n = dav_compat_principal2namespace($principalUri); - if ($n["namespace"] != $this->getNamespace()) return array(); + if ($n["namespace"] != $this->getNamespace()) return []; $cals = q("SELECT * FROM %s%scalendars WHERE `namespace` = %d AND `namespace_id` = %d", CALDAV_SQL_DB, CALDAV_SQL_PREFIX, $this->getNamespace(), IntVal($n["namespace_id"])); - $ret = array(); + $ret = []; foreach ($cals as $cal) { if (!in_array($cal["uri"], $GLOBALS["CALDAV_PRIVATE_SYSTEM_CALENDARS"])) continue; - $dat = array( + $dat = [ "id" => $cal["id"], "uri" => $cal["uri"], "principaluri" => $principalUri, '{' . Sabre_CalDAV_Plugin::NS_CALENDARSERVER . '}getctag' => $cal['ctag'] ? $cal['ctag'] : '0', - '{' . Sabre_CalDAV_Plugin::NS_CALDAV . '}supported-calendar-component-set' => new Sabre_CalDAV_Property_SupportedCalendarComponentSet(array("VEVENT")), + '{' . Sabre_CalDAV_Plugin::NS_CALDAV . '}supported-calendar-component-set' => new Sabre_CalDAV_Property_SupportedCalendarComponentSet(["VEVENT"]), "calendar_class" => "Sabre_CalDAV_Calendar_Virtual", - ); + ]; foreach ($this->propertyMap as $key=> $field) $dat[$key] = $cal[$field]; $ret[] = $dat; diff --git a/dav/friendica/dav_carddav_backend_virtual_friendica.inc.php b/dav/friendica/dav_carddav_backend_virtual_friendica.inc.php index 0240241f..f3968973 100644 --- a/dav/friendica/dav_carddav_backend_virtual_friendica.inc.php +++ b/dav/friendica/dav_carddav_backend_virtual_friendica.inc.php @@ -48,13 +48,13 @@ class Sabre_CardDAV_Backend_Friendica extends Sabre_CardDAV_Backend_Virtual { $uid = dav_compat_principal2uid($principalUri); - $addressBooks = array(); + $addressBooks = []; $books = q("SELECT id, ctag FROM %s%saddressbooks WHERE `namespace` = %d AND `namespace_id` = %d AND `uri` = '%s'", CALDAV_SQL_DB, CALDAV_SQL_PREFIX, CARDDAV_NAMESPACE_PRIVATE, IntVal($uid), dbesc(CARDDAV_FRIENDICA_CONTACT)); $ctag = $books[0]["ctag"]; - $addressBooks[] = array( + $addressBooks[] = [ 'id' => $books[0]["id"], 'uri' => "friendica", 'principaluri' => $principalUri, @@ -63,7 +63,7 @@ class Sabre_CardDAV_Backend_Friendica extends Sabre_CardDAV_Backend_Virtual '{http://calendarserver.org/ns/}getctag' => $ctag, '{' . Sabre_CardDAV_Plugin::NS_CARDDAV . '}supported-address-data' => new Sabre_CardDAV_Property_SupportedAddressData(), - ); + ]; return $addressBooks; @@ -78,7 +78,7 @@ class Sabre_CardDAV_Backend_Friendica extends Sabre_CardDAV_Backend_Virtual { $name = explode(" ", $contact["name"]); $first_name = $last_name = ""; - $middle_name = array(); + $middle_name = []; $num = count($name); for ($i = 0; $i < $num && $first_name == ""; $i++) if ($name[$i] != "") { $first_name = $name[$i]; @@ -116,14 +116,14 @@ class Sabre_CardDAV_Backend_Friendica extends Sabre_CardDAV_Backend_Virtual } $vcard = vcard_source_compile($vcarddata); - return array( + return [ "id" => $contact["id"], "carddata" => $vcard, "uri" => $contact["id"] . ".vcf", "lastmodified" => wdcal_mySql2PhpTime($vcarddata->last_update), "etag" => md5($vcard), "size" => strlen($vcard), - ); + ]; } diff --git a/dav/friendica/dav_friendica_auth.inc.php b/dav/friendica/dav_friendica_auth.inc.php index acc33fa1..88b8cf01 100644 --- a/dav/friendica/dav_friendica_auth.inc.php +++ b/dav/friendica/dav_friendica_auth.inc.php @@ -1,41 +1,41 @@ currentUser); - } + public function getUsers() + { + return [$this->currentUser]; + } /** * @return null|string */ - public function getCurrentUser() { - return $this->currentUser; - } + public function getCurrentUser() + { + return $this->currentUser; + } /** * Authenticates the user based on the current request. @@ -48,8 +48,8 @@ class Sabre_DAV_Auth_Backend_Std extends Sabre_DAV_Auth_Backend_AbstractBasic { * @throws Sabre_DAV_Exception_NotAuthenticated * @return bool */ - public function authenticate(Sabre_DAV_Server $server, $realm) { - + public function authenticate(Sabre_DAV_Server $server, $realm) + { $a = get_app(); if (isset($a->user["uid"])) { $this->currentUser = strtolower($a->user["nickname"]); @@ -67,7 +67,7 @@ class Sabre_DAV_Auth_Backend_Std extends Sabre_DAV_Auth_Backend_AbstractBasic { } // Authenticates the user - if (!$this->validateUserPass($userpass[0],$userpass[1])) { + if (!$this->validateUserPass($userpass[0], $userpass[1])) { $auth->requireLogin(); throw new Sabre_DAV_Exception_NotAuthenticated('Username or password does not match'); } @@ -75,19 +75,13 @@ class Sabre_DAV_Auth_Backend_Std extends Sabre_DAV_Auth_Backend_AbstractBasic { return true; } - /** * @param string $username * @param string $password * @return bool */ - protected function validateUserPass($username, $password) { - $encrypted = hash('whirlpool',trim($password)); - $r = q("SELECT COUNT(*) anz FROM `user` WHERE `nickname` = '%s' AND `password` = '%s' AND `blocked` = 0 AND `account_expired` = 0 AND `verified` = 1 LIMIT 1", - dbesc(trim($username)), - dbesc($encrypted) - ); - return ($r[0]["anz"] == 1); - } - + protected function validateUserPass($username, $password) + { + return User::authenticate($username, $password); + } } diff --git a/dav/friendica/dav_friendica_principal.inc.php b/dav/friendica/dav_friendica_principal.inc.php index 780bcd24..d23619ec 100644 --- a/dav/friendica/dav_friendica_principal.inc.php +++ b/dav/friendica/dav_friendica_principal.inc.php @@ -61,16 +61,16 @@ class Sabre_DAVACL_PrincipalBackend_Std implements Sabre_DAVACL_IPrincipalBacken { // This backend only support principals in one collection - if ($prefixPath !== $this->prefix) return array(); + if ($prefixPath !== $this->prefix) return []; - $users = array(); + $users = []; $r = q("SELECT `nickname` FROM `user` WHERE `nickname` = '%s'", escape_tags($this->authBackend->getCurrentUser()) ); foreach ($r as $t) { - $users[] = array( + $users[] = [ 'uri' => $this->prefix . '/' . strtolower($t['nickname']), '{DAV:}displayname' => $t['nickname'], - ); + ]; } return $users; @@ -94,24 +94,24 @@ class Sabre_DAVACL_PrincipalBackend_Std implements Sabre_DAVACL_IPrincipalBacken if ($prefixPath !== $this->prefix) return null; $r = q("SELECT `nickname` FROM `user` WHERE `nickname` = '%s'", escape_tags($userName) ); - if (count($r) == 0) return array(); + if (count($r) == 0) return []; - return array( + return [ 'uri' => $this->prefix . '/' . strtolower($r[0]['nickname']), '{DAV:}displayname' => $r[0]['nickname'], - ); + ]; } function getGroupMemberSet($principal) { - return array(); + return []; } function getGroupMembership($principal) { - return array(); + return []; } diff --git a/dav/friendica/layout.fnk.php b/dav/friendica/layout.fnk.php index 17196e22..58721ac6 100644 --- a/dav/friendica/layout.fnk.php +++ b/dav/friendica/layout.fnk.php @@ -26,7 +26,7 @@ function wdcal_addRequiredHeaders() $a->page['htmlhead'] .= '' . "\r\n"; $a->page['htmlhead'] .= '' . "\r\n"; - switch (get_config("system", "language")) { + switch (Config::get("system", "language")) { case "de": $a->page['htmlhead'] .= '' . "\r\n"; $a->page['htmlhead'] .= '' . "\r\n"; @@ -81,7 +81,7 @@ function wdcal_import_user_ics($calendar_id) { $server = dav_create_server(true, true, false); $calendar = dav_get_current_user_calendar_by_id($server, $calendar_id, DAV_ACL_WRITE); - if (!$calendar) goaway($a->get_baseurl() . "/dav/wdcal/"); + if (!$calendar) goaway('dav/wdcal/'); if (isset($_REQUEST["save"])) { check_form_security_token_redirectOnErr('/dav/settings/', 'icsimport'); @@ -92,7 +92,7 @@ function wdcal_import_user_ics($calendar_id) { /** @var Sabre\VObject\Component\VCalendar $vObject */ $vObject = Sabre\VObject\Reader::read($text); $comp = $vObject->getComponents(); - $imported = array(); + $imported = []; foreach ($comp as $c) try { /** @var Sabre\VObject\Component\VEvent $c */ $uid = $c->__get("UID")->value; @@ -172,18 +172,18 @@ function wdcal_import_user_ics($calendar_id) { * @param bool $show_nav * @return string */ -function wdcal_printCalendar($calendars, $calendars_selected, $data_feed_url, $view = "week", $theme = 0, $height_diff = 175, $readonly = false, $curr_day = "", $add_params = array(), $show_nav = true) +function wdcal_printCalendar($calendars, $calendars_selected, $data_feed_url, $view = "week", $theme = 0, $height_diff = 175, $readonly = false, $curr_day = "", $add_params = [], $show_nav = true) { $a = get_app(); $localization = wdcal_local::getInstanceByUser($a->user["uid"]); if (count($calendars_selected) == 0) foreach ($calendars as $c) { - $prop = $c->getProperties(array("id")); + $prop = $c->getProperties(["id"]); $calendars_selected[] = $prop["id"]; } - $opts = array( + $opts = [ "view" => $view, "theme" => $theme, "readonly" => $readonly, @@ -195,7 +195,7 @@ function wdcal_printCalendar($calendars, $calendars_selected, $data_feed_url, $v "date_format_dm3" => $localization->dateformat_js_dm3(), "date_format_full" => $localization->dateformat_datepicker_js(), "baseurl" => $a->get_baseurl() . "/dav/wdcal/", - ); + ]; $x = ' "; } -function jappixmini_settings_post(&$a,&$b) { +function jappixmini_settings_post(App $a, &$b) +{ // save addon settings for a user - - if(! local_user()) return; + if (!local_user()) { + return; + } $uid = local_user(); - if($_POST['jappixmini-submit']) { + if ($_POST['jappixmini-submit']) { $encrypt = intval($b['jappixmini-encrypt']); if ($encrypt) { // check that Jabber password was encrypted with correct Friendica password $friendica_password = trim($b['jappixmini-friendica-password']); - $encrypted = hash('whirlpool',$friendica_password); - $r = q("SELECT * FROM `user` WHERE `uid`=$uid AND `password`='%s'", - dbesc($encrypted) - ); - if (!count($r)) { + if (!User::authenticate((int) $uid, $friendica_password)) { info("Wrong friendica password!"); return; } @@ -430,142 +441,152 @@ function jappixmini_settings_post(&$a,&$b) { $purge = intval($b['jappixmini-purge']); $username = trim($b['jappixmini-username']); - $old_username = get_pconfig($uid,'jappixmini','username'); - if ($username!=$old_username) $purge = 1; + $old_username = PConfig::get($uid, 'jappixmini', 'username'); + if ($username != $old_username) { + $purge = 1; + } $server = trim($b['jappixmini-server']); - $old_server = get_pconfig($uid,'jappixmini','server'); - if ($server!=$old_server) $purge = 1; + $old_server = PConfig::get($uid, 'jappixmini', 'server'); + if ($server != $old_server) { + $purge = 1; + } - set_pconfig($uid,'jappixmini','username',$username); - set_pconfig($uid,'jappixmini','server',$server); - set_pconfig($uid,'jappixmini','bosh',trim($b['jappixmini-bosh'])); - set_pconfig($uid,'jappixmini','password',trim($b['jappixmini-encrypted-password'])); - set_pconfig($uid,'jappixmini','autosubscribe',intval($b['jappixmini-autosubscribe'])); - set_pconfig($uid,'jappixmini','autoapprove',intval($b['jappixmini-autoapprove'])); - set_pconfig($uid,'jappixmini','activate',intval($b['jappixmini-activate'])); - set_pconfig($uid,'jappixmini','dontinsertchat',intval($b['jappixmini-dont-insertchat'])); - set_pconfig($uid,'jappixmini','encrypt',$encrypt); - info( 'Jappix Mini settings saved.' ); + PConfig::set($uid, 'jappixmini', 'username' , $username); + PConfig::set($uid, 'jappixmini', 'server' , $server); + PConfig::set($uid, 'jappixmini', 'bosh' , trim($b['jappixmini-bosh'])); + PConfig::set($uid, 'jappixmini', 'password' , trim($b['jappixmini-encrypted-password'])); + PConfig::set($uid, 'jappixmini', 'autosubscribe' , intval($b['jappixmini-autosubscribe'])); + PConfig::set($uid, 'jappixmini', 'autoapprove' , intval($b['jappixmini-autoapprove'])); + PConfig::set($uid, 'jappixmini', 'activate' , intval($b['jappixmini-activate'])); + PConfig::set($uid, 'jappixmini', 'dontinsertchat', intval($b['jappixmini-dont-insertchat'])); + PConfig::set($uid, 'jappixmini', 'encrypt' , $encrypt); + info('Jappix Mini settings saved.'); if ($purge) { q("DELETE FROM `pconfig` WHERE `uid`=$uid AND `cat`='jappixmini' AND `k` LIKE 'id:%%'"); - info( 'List of addresses purged.' ); + info('List of addresses purged.'); } } } -function jappixmini_script(&$a,&$s) { - // adds the script to the page header which starts Jappix Mini +function jappixmini_script(App $a) +{ + // adds the script to the page header which starts Jappix Mini + if (!local_user()) { + return; + } - if(! local_user()) return; + if ($_GET["mode"] == "minimal") { + return; + } - if ($_GET["mode"] == "minimal") - return; + $activate = PConfig::get(local_user(), 'jappixmini', 'activate'); + $dontinsertchat = PConfig::get(local_user(), 'jappixmini', 'dontinsertchat'); + if (!$activate || $dontinsertchat) { + return; + } - $activate = get_pconfig(local_user(),'jappixmini','activate'); - $dontinsertchat = get_pconfig(local_user(), 'jappixmini','dontinsertchat'); - if (!$activate || $dontinsertchat) return; + $a->page['htmlhead'] .= '' . "\r\n"; + $a->page['htmlhead'] .= '' . "\r\n"; - $a->page['htmlhead'] .= ''."\r\n"; - $a->page['htmlhead'] .= ''."\r\n"; + $a->page['htmlhead'] .= '' . "\r\n"; - $a->page['htmlhead'] .= ''."\r\n"; + $username = PConfig::get(local_user(), 'jappixmini', 'username'); + $username = str_replace("'", "\\'", $username); + $server = PConfig::get(local_user(), 'jappixmini', 'server'); + $server = str_replace("'", "\\'", $server); + $bosh = PConfig::get(local_user(), 'jappixmini', 'bosh'); + $bosh = str_replace("'", "\\'", $bosh); + $encrypt = PConfig::get(local_user(), 'jappixmini', 'encrypt'); + $encrypt = intval($encrypt); + $password = PConfig::get(local_user(), 'jappixmini', 'password'); + $password = str_replace("'", "\\'", $password); - $username = get_pconfig(local_user(),'jappixmini','username'); - $username = str_replace("'", "\\'", $username); - $server = get_pconfig(local_user(),'jappixmini','server'); - $server = str_replace("'", "\\'", $server); - $bosh = get_pconfig(local_user(),'jappixmini','bosh'); - $bosh = str_replace("'", "\\'", $bosh); - $encrypt = get_pconfig(local_user(),'jappixmini','encrypt'); - $encrypt = intval($encrypt); - $password = get_pconfig(local_user(),'jappixmini','password'); - $password = str_replace("'", "\\'", $password); + $autoapprove = PConfig::get(local_user(), 'jappixmini', 'autoapprove'); + $autoapprove = intval($autoapprove); + $autosubscribe = PConfig::get(local_user(), 'jappixmini', 'autosubscribe'); + $autosubscribe = intval($autosubscribe); - $autoapprove = get_pconfig(local_user(),'jappixmini','autoapprove'); - $autoapprove = intval($autoapprove); - $autosubscribe = get_pconfig(local_user(),'jappixmini','autosubscribe'); - $autosubscribe = intval($autosubscribe); + // set proxy if necessary + $use_proxy = Config::get('jappixmini', 'bosh_proxy'); + if ($use_proxy) { + $proxy = $a->get_baseurl() . '/addon/jappixmini/proxy.php'; + } else { + $proxy = ""; + } - // set proxy if necessary - $use_proxy = get_config('jappixmini','bosh_proxy'); - if ($use_proxy) { - $proxy = $a->get_baseurl().'/addon/jappixmini/proxy.php'; - } - else { - $proxy = ""; - } + // get a list of jabber accounts of the contacts + $contacts = []; + $uid = local_user(); + $rows = q("SELECT * FROM `pconfig` WHERE `uid`=$uid AND `cat`='jappixmini' AND `k` LIKE 'id:%%'"); + foreach ($rows as $row) { + $key = $row['k']; + $pos = strpos($key, ":"); + $dfrn_id = substr($key, $pos + 1); + $r = q("SELECT `name` FROM `contact` WHERE `uid`=$uid AND (`dfrn-id`='%s' OR `issued-id`='%s')", dbesc($dfrn_id), dbesc($dfrn_id)); + if (count($r)) + $name = $r[0]["name"]; - // get a list of jabber accounts of the contacts - $contacts = Array(); - $uid = local_user(); - $rows = q("SELECT * FROM `pconfig` WHERE `uid`=$uid AND `cat`='jappixmini' AND `k` LIKE 'id:%%'"); - foreach ($rows as $row) { - $key = $row['k']; - $pos = strpos($key, ":"); - $dfrn_id = substr($key, $pos+1); - $r = q("SELECT `name` FROM `contact` WHERE `uid`=$uid AND (`dfrn-id`='%s' OR `issued-id`='%s')", - dbesc($dfrn_id), - dbesc($dfrn_id) - ); - if (count($r)) - $name = $r[0]["name"]; + $value = $row['v']; + $pos = strpos($value, ":"); + $address = substr($value, $pos + 1); + if (!$address) { + continue; + } + if (!$name) { + $name = $address; + } - $value = $row['v']; - $pos = strpos($value, ":"); - $address = substr($value, $pos+1); - if (!$address) continue; - if (!$name) $name = $address; + $contacts[$address] = $name; + } + $contacts_json = json_encode($contacts); + $contacts_hash = sha1($contacts_json); - $contacts[$address] = $name; - } - $contacts_json = json_encode($contacts); - $contacts_hash = sha1($contacts_json); + // get nickname + $r = q("SELECT `username` FROM `user` WHERE `uid`=$uid"); + $nickname = json_encode($r[0]["username"]); + $groupchats = Config::get('jappixmini', 'groupchats'); + //if $groupchats has no value jappix_addon_start will produce a syntax error + if (empty($groupchats)) { + $groupchats = "{}"; + } - // get nickname - $r = q("SELECT `username` FROM `user` WHERE `uid`=$uid"); - $nickname = json_encode($r[0]["username"]); - $groupchats = get_config('jappixmini','groupchats'); - //if $groupchats has no value jappix_addon_start will produce a syntax error - if(empty($groupchats)){ - $groupchats = "{}"; - } - - // add javascript to start Jappix Mini - $a->page['htmlhead'] .= ""; - return; + return; } -function jappixmini_login(&$a, &$o) { - // create client secret on login to be able to encrypt jabber passwords +function jappixmini_login(App $a, &$o) +{ + // create client secret on login to be able to encrypt jabber passwords + // for setDB and str_sha1, needed by jappixmini_addon_set_client_secret + $a->page['htmlhead'] .= '' . "\r\n"; - // for setDB and str_sha1, needed by jappixmini_addon_set_client_secret - $a->page['htmlhead'] .= ''."\r\n"; + // for jappixmini_addon_set_client_secret + $a->page['htmlhead'] .= '' . "\r\n"; - // for jappixmini_addon_set_client_secret - $a->page['htmlhead'] .= ''."\r\n"; - - // save hash of password - $o = str_replace("
    status != "ok") throw new Exception(); + if ($answer->status != "ok") { + throw new Exception(); + } $encrypted_address_hex = $answer->encrypted_address; - if (!$encrypted_address_hex) throw new Exception(); + if (!$encrypted_address_hex) { + throw new Exception(); + } $encrypted_address = hex2bin($encrypted_address_hex); - if (!$encrypted_address) throw new Exception(); + if (!$encrypted_address) { + throw new Exception(); + } // decrypt address $decrypted_address = ""; $decrypt_func($encrypted_address, $decrypted_address, $key); - if (!$decrypted_address) throw new Exception(); + if (!$decrypted_address) { + throw new Exception(); + } } catch (Exception $e) { $decrypted_address = ""; } // save address - set_pconfig($uid, "jappixmini", "id:$dfrn_id", "$now:$decrypted_address"); + PConfig::set($uid, "jappixmini", "id:$dfrn_id", "$now:$decrypted_address"); } } } -function jappixmini_download_source(&$a,&$b) { +function jappixmini_download_source(App $a, &$b) +{ // Jappix Mini source download link on About page - $b .= '

    Jappix Mini

    '; - $b .= '

    This site uses the jappixmini addon, which includes Jappix Mini by the Jappix authors and is distributed under the terms of the GNU Affero General Public License.

    '; - $b .= '

    You can download the source code of the addon. The rest of Friendica is distributed under compatible licenses and can be retrieved from https://github.com/friendica/friendica and https://github.com/friendica/friendica-addons

    '; + $b .= '

    This site uses the jappixmini addon, which includes Jappix Mini by the Jappix authors and is distributed under the terms of the GNU Affero General Public License.

    '; + $b .= '

    You can download the source code of the addon. The rest of Friendica is distributed under compatible licenses and can be retrieved from https://github.com/friendica/friendica and https://github.com/friendica/friendica-addons

    '; } diff --git a/jappixmini/proxy.php b/jappixmini/proxy.php index a9f6db44..c4e3a03c 100644 --- a/jappixmini/proxy.php +++ b/jappixmini/proxy.php @@ -46,7 +46,7 @@ if($_SERVER['REQUEST_METHOD'] == 'OPTIONS') { header('Access-Control-Allow-Methods: GET, POST, OPTIONS'); header('Access-Control-Allow-Headers: Content-Type'); header('Access-Control-Max-Age: 31536000'); - + exit; } @@ -58,7 +58,7 @@ if($data) { // CORS headers header('Access-Control-Allow-Origin: *'); header('Access-Control-Allow-Headers: Content-Type'); - + $method = 'POST'; } @@ -76,7 +76,7 @@ else { } // HTTP headers -$headers = array('User-Agent: Jappix (BOSH PHP Proxy)', 'Connection: keep-alive', 'Content-Type: text/xml; charset=utf-8', 'Content-Length: '.strlen($data)); +$headers = ['User-Agent: Jappix (BOSH PHP Proxy)', 'Connection: keep-alive', 'Content-Type: text/xml; charset=utf-8', 'Content-Length: '.strlen($data)]; // CURL is better if available if(function_exists('curl_init')) @@ -91,7 +91,7 @@ $use_curl = false; if($use_curl) { // Initialize CURL $connection = curl_init($HOST_BOSH); - + // Set the CURL settings curl_setopt($connection, CURLOPT_HEADER, 0); curl_setopt($connection, CURLOPT_POST, 1); @@ -104,7 +104,7 @@ if($use_curl) { curl_setopt($connection, CURLOPT_SSL_VERIFYHOST, 0); curl_setopt($connection, CURLOPT_SSL_VERIFYPEER, 0); curl_setopt($connection, CURLOPT_RETURNTRANSFER, 1); - + // Get the CURL output $output = curl_exec($connection); } @@ -112,11 +112,11 @@ if($use_curl) { // Built-in stream functions else { // HTTP parameters - $parameters = array('http' => array( + $parameters = ['http' => [ 'method' => 'POST', 'content' => $data - ) - ); + ] + ]; $parameters['http']['header'] = $headers; @@ -148,7 +148,7 @@ header('Expires: Mon, 26 Jul 1997 05:00:00 GMT'); if($method == 'POST') { // XML header header('Content-Type: text/xml; charset=utf-8'); - + if(!$output) echo(''); else @@ -159,10 +159,10 @@ if($method == 'POST') { if($method == 'GET') { // JSON header header('Content-type: application/json'); - + // Encode output to JSON $json_output = json_encode($output); - + if(($output == false) || ($output == '') || ($json_output == 'null')) echo($callback.'({"reply":""});'); else diff --git a/js_upload/js_upload.php b/js_upload/js_upload.php index e16ee2d0..2b15720b 100644 --- a/js_upload/js_upload.php +++ b/js_upload/js_upload.php @@ -10,7 +10,7 @@ * * JavaScript Photo/Image Uploader * - * Uses Valum 'qq' Uploader. + * Uses Valum 'qq' Uploader. * Module Author: Chris Case * */ @@ -46,19 +46,19 @@ function js_upload_form(&$a,&$b) { $cancel = L10n::t('Cancel'); $failed = L10n::t('Failed'); - $maximagesize = intval(get_config('system','maximagesize')); + $maximagesize = intval(Config::get('system','maximagesize')); $b['addon_text'] .= <<< EOT - -
    -
    '; } } -function statusnet_settings_post ($a,$post) { - if(! local_user()) +function statusnet_settings_post(App $a, $post) +{ + if (!local_user()) { return; + } // don't check GNU Social settings if GNU Social submit button is not clicked - if (!x($_POST,'statusnet-submit')) + if (!x($_POST, 'statusnet-submit')) { return; + } if (isset($_POST['statusnet-disconnect'])) { - /*** + /* * * * if the GNU Social-disconnect checkbox is set, clear the GNU Social configuration */ - del_pconfig(local_user(), 'statusnet', 'consumerkey'); - del_pconfig(local_user(), 'statusnet', 'consumersecret'); - del_pconfig(local_user(), 'statusnet', 'post'); - del_pconfig(local_user(), 'statusnet', 'post_by_default'); - del_pconfig(local_user(), 'statusnet', 'oauthtoken'); - del_pconfig(local_user(), 'statusnet', 'oauthsecret'); - del_pconfig(local_user(), 'statusnet', 'baseapi'); - del_pconfig(local_user(), 'statusnet', 'lastid'); - del_pconfig(local_user(), 'statusnet', 'mirror_posts'); - del_pconfig(local_user(), 'statusnet', 'import'); - del_pconfig(local_user(), 'statusnet', 'create_user'); - del_pconfig(local_user(), 'statusnet', 'own_id'); + PConfig::delete(local_user(), 'statusnet', 'consumerkey'); + PConfig::delete(local_user(), 'statusnet', 'consumersecret'); + PConfig::delete(local_user(), 'statusnet', 'post'); + PConfig::delete(local_user(), 'statusnet', 'post_by_default'); + PConfig::delete(local_user(), 'statusnet', 'oauthtoken'); + PConfig::delete(local_user(), 'statusnet', 'oauthsecret'); + PConfig::delete(local_user(), 'statusnet', 'baseapi'); + PConfig::delete(local_user(), 'statusnet', 'lastid'); + PConfig::delete(local_user(), 'statusnet', 'mirror_posts'); + PConfig::delete(local_user(), 'statusnet', 'import'); + PConfig::delete(local_user(), 'statusnet', 'create_user'); + PConfig::delete(local_user(), 'statusnet', 'own_id'); } else { if (isset($_POST['statusnet-preconf-apiurl'])) { /* * * @@ -156,10 +164,11 @@ function statusnet_settings_post ($a,$post) { $apibase = $_POST['statusnet-baseapi']; $c = Network::fetchUrl($apibase . 'statusnet/version.xml'); if (strlen($c) > 0) { - set_pconfig(local_user(), 'statusnet', 'consumerkey', $asn['consumerkey'] ); - set_pconfig(local_user(), 'statusnet', 'consumersecret', $asn['consumersecret'] ); - set_pconfig(local_user(), 'statusnet', 'baseapi', $asn['apiurl'] ); - //set_pconfig(local_user(), 'statusnet', 'application_name', $asn['applicationname'] ); + // ok the API path is correct, let's save the settings + PConfig::set(local_user(), 'statusnet', 'consumerkey', $_POST['statusnet-consumerkey']); + PConfig::set(local_user(), 'statusnet', 'consumersecret', $_POST['statusnet-consumersecret']); + PConfig::set(local_user(), 'statusnet', 'baseapi', $apibase); + //PConfig::set(local_user(), 'statusnet', 'application_name', $_POST['statusnet-applicationname'] ); } else { // the API path is not correct, maybe missing trailing / ? $apibase = $apibase . '/'; @@ -174,31 +183,7 @@ function statusnet_settings_post ($a,$post) { notice(L10n::t('We could not contact the GNU Social API with the Path you entered.') . EOL); } } - } - } - goaway($a->get_baseurl().'/settings/connectors'); - } else { - if (isset($_POST['statusnet-consumersecret'])) { - // check if we can reach the API of the GNU Social server - // we'll check the API Version for that, if we don't get one we'll try to fix the path but will - // resign quickly after this one try to fix the path ;-) - $apibase = $_POST['statusnet-baseapi']; - $c = fetch_url( $apibase . 'statusnet/version.xml' ); - if (strlen($c) > 0) { - // ok the API path is correct, let's save the settings - set_pconfig(local_user(), 'statusnet', 'consumerkey', $_POST['statusnet-consumerkey']); - set_pconfig(local_user(), 'statusnet', 'consumersecret', $_POST['statusnet-consumersecret']); - set_pconfig(local_user(), 'statusnet', 'baseapi', $apibase ); - //set_pconfig(local_user(), 'statusnet', 'application_name', $_POST['statusnet-applicationname'] ); - } else { - // the API path is not correct, maybe missing trailing / ? - $apibase = $apibase . '/'; - $c = fetch_url( $apibase . 'statusnet/version.xml' ); - if (strlen($c) > 0) { - // ok the API path is now correct, let's save the settings - set_pconfig(local_user(), 'statusnet', 'consumerkey', $_POST['statusnet-consumerkey']); - set_pconfig(local_user(), 'statusnet', 'consumersecret', $_POST['statusnet-consumersecret']); - set_pconfig(local_user(), 'statusnet', 'baseapi', $apibase ); + goaway('settings/connectors'); } else { if (isset($_POST['statusnet-pin'])) { // if the user supplied us with a PIN from GNU Social, let the magic of OAuth happen @@ -233,67 +218,38 @@ function statusnet_settings_post ($a,$post) { } } } - goaway($a->get_baseurl().'/settings/connectors'); - } else { - if (isset($_POST['statusnet-pin'])) { - // if the user supplied us with a PIN from GNU Social, let the magic of OAuth happen - $api = get_pconfig(local_user(), 'statusnet', 'baseapi'); - $ckey = get_pconfig(local_user(), 'statusnet', 'consumerkey' ); - $csecret = get_pconfig(local_user(), 'statusnet', 'consumersecret' ); - // the token and secret for which the PIN was generated were hidden in the settings - // form as token and token2, we need a new connection to GNU Social using these token - // and secret to request a Access Token with the PIN - $connection = new StatusNetOAuth($api, $ckey, $csecret, $_POST['statusnet-token'], $_POST['statusnet-token2']); - $token = $connection->getAccessToken( $_POST['statusnet-pin'] ); - // ok, now that we have the Access Token, save them in the user config - set_pconfig(local_user(),'statusnet', 'oauthtoken', $token['oauth_token']); - set_pconfig(local_user(),'statusnet', 'oauthsecret', $token['oauth_token_secret']); - set_pconfig(local_user(),'statusnet', 'post', 1); - set_pconfig(local_user(),'statusnet', 'post_taglinks', 1); - // reload the Addon Settings page, if we don't do it see Bug #42 - goaway($a->get_baseurl().'/settings/connectors'); - } else { - // if no PIN is supplied in the POST variables, the user has changed the setting - // to post a dent for every new __public__ posting to the wall - set_pconfig(local_user(),'statusnet','post',intval($_POST['statusnet-enable'])); - set_pconfig(local_user(),'statusnet','post_by_default',intval($_POST['statusnet-default'])); - set_pconfig(local_user(), 'statusnet', 'mirror_posts', intval($_POST['statusnet-mirror'])); - set_pconfig(local_user(), 'statusnet', 'import', intval($_POST['statusnet-import'])); - set_pconfig(local_user(), 'statusnet', 'create_user', intval($_POST['statusnet-create_user'])); - - if (!intval($_POST['statusnet-mirror'])) - del_pconfig(local_user(),'statusnet','lastid'); - - info( t('GNU Social settings updated.') . EOL); - }}}} + } } -function statusnet_settings(&$a,&$s) { - if(! local_user()) + +function statusnet_settings(App $a, &$s) +{ + if (!local_user()) { return; + } $a->page['htmlhead'] .= '' . "\r\n"; - /*** + /* * * * 1) Check that we have a base api url and a consumer key & secret * 2) If no OAuthtoken & stuff is present, generate button to get some * allow the user to cancel the connection process at this step * 3) Checkbox for "Send public notices (respect size limitation) */ - $api = get_pconfig(local_user(), 'statusnet', 'baseapi'); - $ckey = get_pconfig(local_user(), 'statusnet', 'consumerkey'); - $csecret = get_pconfig(local_user(), 'statusnet', 'consumersecret'); - $otoken = get_pconfig(local_user(), 'statusnet', 'oauthtoken'); - $osecret = get_pconfig(local_user(), 'statusnet', 'oauthsecret'); - $enabled = get_pconfig(local_user(), 'statusnet', 'post'); + $api = PConfig::get(local_user(), 'statusnet', 'baseapi'); + $ckey = PConfig::get(local_user(), 'statusnet', 'consumerkey'); + $csecret = PConfig::get(local_user(), 'statusnet', 'consumersecret'); + $otoken = PConfig::get(local_user(), 'statusnet', 'oauthtoken'); + $osecret = PConfig::get(local_user(), 'statusnet', 'oauthsecret'); + $enabled = PConfig::get(local_user(), 'statusnet', 'post'); $checked = (($enabled) ? ' checked="checked" ' : ''); - $defenabled = get_pconfig(local_user(),'statusnet','post_by_default'); + $defenabled = PConfig::get(local_user(), 'statusnet', 'post_by_default'); $defchecked = (($defenabled) ? ' checked="checked" ' : ''); - $mirrorenabled = get_pconfig(local_user(),'statusnet','mirror_posts'); + $mirrorenabled = PConfig::get(local_user(), 'statusnet', 'mirror_posts'); $mirrorchecked = (($mirrorenabled) ? ' checked="checked" ' : ''); - $import = get_pconfig(local_user(),'statusnet','import'); - $importselected = array("", "", ""); + $import = PConfig::get(local_user(), 'statusnet', 'import'); + $importselected = ["", "", ""]; $importselected[$import] = ' selected="selected"'; - //$importenabled = get_pconfig(local_user(),'statusnet','import'); + //$importenabled = PConfig::get(local_user(),'statusnet','import'); //$importchecked = (($importenabled) ? ' checked="checked" ' : ''); - $create_userenabled = get_pconfig(local_user(),'statusnet','create_user'); + $create_userenabled = PConfig::get(local_user(), 'statusnet', 'create_user'); $create_userchecked = (($create_userenabled) ? ' checked="checked" ' : ''); $css = (($enabled) ? '' : '-disabled'); @@ -306,12 +262,12 @@ function statusnet_settings(&$a,&$s) { $s .= '

    ' . L10n::t('GNU Social Import/Export/Mirror') . '

    '; $s .= ''; - if ( (!$ckey) && (!$csecret) ) { - /*** + if ((!$ckey) && (!$csecret)) { + /* * * * no consumer keys */ - $globalsn = get_config('statusnet', 'sites'); - /*** + $globalsn = Config::get('statusnet', 'sites'); + /* * * * lets check if we have one or more globally configured GNU Social * server OAuth credentials in the configuration. If so offer them * with a little explanation to the user as choice - otherwise @@ -322,7 +278,7 @@ function statusnet_settings(&$a,&$s) { $s .= '

    ' . L10n::t("There are preconfigured OAuth key pairs for some GNU Social servers available. If you are using one of them, please use these credentials. If not feel free to connect to any other GNU Social instance \x28see below\x29.") . '

    '; $s .= '
    '; foreach ($globalsn as $asn) { - $s .= ''. $asn['sitename'] .'
    '; + $s .= '' . $asn['sitename'] . '
    '; } $s .= '

    '; $s .= '
    '; @@ -345,11 +301,11 @@ function statusnet_settings(&$a,&$s) { $s .= '
    '; $s .= '
    '; } else { - /*** + /* * * * ok we have a consumer key pair now look into the OAuth stuff */ - if ( (!$otoken) && (!$osecret) ) { - /*** + if ((!$otoken) && (!$osecret)) { + /* * * * the user has not yet connected the account to GNU Social * get a temporary OAuth key/secret pair and display a button with * which the user can request a PIN to connect the account to a @@ -358,7 +314,7 @@ function statusnet_settings(&$a,&$s) { $connection = new StatusNetOAuth($api, $ckey, $csecret); $request_token = $connection->getRequestToken('oob'); $token = $request_token['oauth_token']; - /*** + /* * * * make some nice form */ $s .= '

    ' . L10n::t('To connect to your GNU Social account click the button below to get a security code from GNU Social which you have to copy into the input box below and submit the form. Only your public posts will be posted to GNU Social.') . '

    '; @@ -366,8 +322,8 @@ function statusnet_settings(&$a,&$s) { $s .= '
    '; $s .= ''; $s .= ''; - $s .= ''; - $s .= ''; + $s .= ''; + $s .= ''; $s .= '
    '; $s .= '
    '; $s .= '

    ' . L10n::t('Cancel Connection Process') . '

    '; @@ -378,11 +334,11 @@ function statusnet_settings(&$a,&$s) { $s .= '
    '; $s .= '
    '; } else { - /*** + /* * * * we have an OAuth key / secret pair for the user * so let's give a chance to disable the postings to GNU Social */ - $connection = new StatusNetOAuth($api,$ckey,$csecret,$otoken,$osecret); + $connection = new StatusNetOAuth($api, $ckey, $csecret, $otoken, $osecret); $details = $connection->get('account/verify_credentials'); $s .= '

    ' . L10n::t('Currently connected to: ') . '' . $details->screen_name . '
    ' . $details->description . '

    '; $s .= '

    ' . L10n::t('If enabled all your public postings can be posted to the associated GNU Social account. You can choose to do so by default (here) or for every posting separately in the posting options when writing the entry.') . '

    '; @@ -427,8 +383,8 @@ function statusnet_settings(&$a,&$s) { $s .= '
    '; } - -function statusnet_post_local(&$a, &$b) { +function statusnet_post_local(App $a, &$b) +{ if ($b['edit']) { return; } @@ -437,11 +393,11 @@ function statusnet_post_local(&$a, &$b) { return; } - $statusnet_post = get_pconfig(local_user(),'statusnet','post'); - $statusnet_enable = (($statusnet_post && x($_REQUEST,'statusnet_enable')) ? intval($_REQUEST['statusnet_enable']) : 0); + $statusnet_post = PConfig::get(local_user(), 'statusnet', 'post'); + $statusnet_enable = (($statusnet_post && x($_REQUEST, 'statusnet_enable')) ? intval($_REQUEST['statusnet_enable']) : 0); // if API is used, default to the chosen settings - if ($b['api_source'] && intval(get_pconfig(local_user(),'statusnet','post_by_default'))) { + if ($b['api_source'] && intval(PConfig::get(local_user(), 'statusnet', 'post_by_default'))) { $statusnet_enable = 1; } @@ -456,64 +412,61 @@ function statusnet_post_local(&$a, &$b) { $b['postopts'] .= 'statusnet'; } -function statusnet_action($a, $uid, $pid, $action) { - $api = get_pconfig($uid, 'statusnet', 'baseapi'); - $ckey = get_pconfig($uid, 'statusnet', 'consumerkey'); - $csecret = get_pconfig($uid, 'statusnet', 'consumersecret'); - $otoken = get_pconfig($uid, 'statusnet', 'oauthtoken'); - $osecret = get_pconfig($uid, 'statusnet', 'oauthsecret'); +function statusnet_action(App $a, $uid, $pid, $action) +{ + $api = PConfig::get($uid, 'statusnet', 'baseapi'); + $ckey = PConfig::get($uid, 'statusnet', 'consumerkey'); + $csecret = PConfig::get($uid, 'statusnet', 'consumersecret'); + $otoken = PConfig::get($uid, 'statusnet', 'oauthtoken'); + $osecret = PConfig::get($uid, 'statusnet', 'oauthsecret'); - $connection = new StatusNetOAuth($api,$ckey,$csecret,$otoken,$osecret); + $connection = new StatusNetOAuth($api, $ckey, $csecret, $otoken, $osecret); - logger("statusnet_action '".$action."' ID: ".$pid, LOGGER_DATA); + logger("statusnet_action '" . $action . "' ID: " . $pid, LOGGER_DATA); switch ($action) { case "delete": - $result = $connection->post("statuses/destroy/".$pid); + $result = $connection->post("statuses/destroy/" . $pid); break; case "like": - $result = $connection->post("favorites/create/".$pid); + $result = $connection->post("favorites/create/" . $pid); break; case "unlike": - $result = $connection->post("favorites/destroy/".$pid); + $result = $connection->post("favorites/destroy/" . $pid); break; } - logger("statusnet_action '".$action."' send, result: " . print_r($result, true), LOGGER_DEBUG); + logger("statusnet_action '" . $action . "' send, result: " . print_r($result, true), LOGGER_DEBUG); } -function statusnet_post_hook(&$a,&$b) { - +function statusnet_post_hook(App $a, &$b) +{ /** * Post to GNU Social */ - - if (!get_pconfig($b["uid"],'statusnet','import')) { - if($b['deleted'] || $b['private'] || ($b['created'] !== $b['edited'])) + if (!PConfig::get($b["uid"], 'statusnet', 'import')) { + if ($b['deleted'] || $b['private'] || ($b['created'] !== $b['edited'])) return; } - $api = get_pconfig($b["uid"], 'statusnet', 'baseapi'); + $api = PConfig::get($b["uid"], 'statusnet', 'baseapi'); $hostname = preg_replace("=https?://([\w\.]*)/.*=ism", "$1", $api); - if($b['parent'] != $b['id']) { - logger("statusnet_post_hook: parameter ".print_r($b, true), LOGGER_DATA); + if ($b['parent'] != $b['id']) { + logger("statusnet_post_hook: parameter " . print_r($b, true), LOGGER_DATA); // Looking if its a reply to a GNU Social post $hostlength = strlen($hostname) + 2; - if ((substr($b["parent-uri"], 0, $hostlength) != $hostname."::") && (substr($b["extid"], 0, $hostlength) != $hostname."::") - && (substr($b["thr-parent"], 0, $hostlength) != $hostname."::")) { - logger("statusnet_post_hook: no GNU Social post ".$b["parent"]); + if ((substr($b["parent-uri"], 0, $hostlength) != $hostname . "::") && (substr($b["extid"], 0, $hostlength) != $hostname . "::") && (substr($b["thr-parent"], 0, $hostlength) != $hostname . "::")) { + logger("statusnet_post_hook: no GNU Social post " . $b["parent"]); return; } $r = q("SELECT `item`.`author-link`, `item`.`uri`, `contact`.`nick` AS contact_nick FROM `item` INNER JOIN `contact` ON `contact`.`id` = `item`.`contact-id` - WHERE `item`.`uri` = '%s' AND `item`.`uid` = %d LIMIT 1", - dbesc($b["thr-parent"]), - intval($b["uid"])); + WHERE `item`.`uri` = '%s' AND `item`.`uid` = %d LIMIT 1", dbesc($b["thr-parent"]), intval($b["uid"])); - if(!count($r)) { - logger("statusnet_post_hook: no parent found ".$b["thr-parent"]); + if (!count($r)) { + logger("statusnet_post_hook: no parent found " . $b["thr-parent"]); return; } else { $iscomment = true; @@ -525,26 +478,36 @@ function statusnet_post_hook(&$a,&$b) { $nick = preg_replace("=https?://(.*)/(.*)=ism", "$2", $orig_post["author-link"]); - $nickname = "@[url=".$orig_post["author-link"]."]".$nick."[/url]"; - $nicknameplain = "@".$nick; + $nickname = "@[url=" . $orig_post["author-link"] . "]" . $nick . "[/url]"; + $nicknameplain = "@" . $nick; - logger("statusnet_post_hook: comparing ".$nickname." and ".$nicknameplain." with ".$b["body"], LOGGER_DEBUG); - if ((strpos($b["body"], $nickname) === false) && (strpos($b["body"], $nicknameplain) === false)) - $b["body"] = $nickname." ".$b["body"]; + logger("statusnet_post_hook: comparing " . $nickname . " and " . $nicknameplain . " with " . $b["body"], LOGGER_DEBUG); + if ((strpos($b["body"], $nickname) === false) && (strpos($b["body"], $nicknameplain) === false)) { + $b["body"] = $nickname . " " . $b["body"]; + } - logger("statusnet_post_hook: parent found ".print_r($orig_post, true), LOGGER_DEBUG); + logger("statusnet_post_hook: parent found " . print_r($orig_post, true), LOGGER_DEBUG); } else { $iscomment = false; - if($b['private'] || !strstr($b['postopts'],'statusnet')) + if ($b['private'] || !strstr($b['postopts'], 'statusnet')) { return; + } + + // Dont't post if the post doesn't belong to us. + // This is a check for forum postings + $self = dba::selectFirst('contact', ['id'], ['uid' => $b['uid'], 'self' => true]); + if ($b['contact-id'] != $self['id']) { + return; + } } - if (($b['verb'] == ACTIVITY_POST) && $b['deleted']) + if (($b['verb'] == ACTIVITY_POST) && $b['deleted']) { statusnet_action($a, $b["uid"], substr($orig_post["uri"], $hostlength), "delete"); + } - if($b['verb'] == ACTIVITY_LIKE) { - logger("statusnet_post_hook: parameter 2 ".substr($b["thr-parent"], $hostlength), LOGGER_DEBUG); + if ($b['verb'] == ACTIVITY_LIKE) { + logger("statusnet_post_hook: parameter 2 " . substr($b["thr-parent"], $hostlength), LOGGER_DEBUG); if ($b['deleted']) statusnet_action($a, $b["uid"], substr($b["thr-parent"], $hostlength), "unlike"); else @@ -552,36 +515,39 @@ function statusnet_post_hook(&$a,&$b) { return; } - if($b['deleted'] || ($b['created'] !== $b['edited'])) + if ($b['deleted'] || ($b['created'] !== $b['edited'])) { return; + } // if posts comes from GNU Social don't send it back - if($b['extid'] == NETWORK_STATUSNET) + if ($b['extid'] == NETWORK_STATUSNET) { return; + } - if($b['app'] == "StatusNet") + if ($b['app'] == "StatusNet") { return; + } logger('GNU Socialpost invoked'); - load_pconfig($b['uid'], 'statusnet'); + PConfig::load($b['uid'], 'statusnet'); - $api = get_pconfig($b['uid'], 'statusnet', 'baseapi'); - $ckey = get_pconfig($b['uid'], 'statusnet', 'consumerkey'); - $csecret = get_pconfig($b['uid'], 'statusnet', 'consumersecret'); - $otoken = get_pconfig($b['uid'], 'statusnet', 'oauthtoken'); - $osecret = get_pconfig($b['uid'], 'statusnet', 'oauthsecret'); - - if($ckey && $csecret && $otoken && $osecret) { + $api = PConfig::get($b['uid'], 'statusnet', 'baseapi'); + $ckey = PConfig::get($b['uid'], 'statusnet', 'consumerkey'); + $csecret = PConfig::get($b['uid'], 'statusnet', 'consumersecret'); + $otoken = PConfig::get($b['uid'], 'statusnet', 'oauthtoken'); + $osecret = PConfig::get($b['uid'], 'statusnet', 'oauthsecret'); + if ($ckey && $csecret && $otoken && $osecret) { // If it's a repeated message from GNU Social then do a native retweet and exit - if (statusnet_is_retweet($a, $b['uid'], $b['body'])) + if (statusnet_is_retweet($a, $b['uid'], $b['body'])) { return; + } $dent = new StatusNetOAuth($api, $ckey, $csecret, $otoken, $osecret); $max_char = $dent->get_maxlength(); // max. length for a dent - set_pconfig($b['uid'], 'statusnet', 'max_char', $max_char); + PConfig::set($b['uid'], 'statusnet', 'max_char', $max_char); $tempfile = ""; $msgarr = BBCode::toPlaintext($b, $max_char, true, 7); @@ -596,20 +562,22 @@ function statusnet_post_hook(&$a,&$b) { $msg .= " \n" . $msgarr["url"]; } elseif (isset($msgarr["image"]) && ($msgarr["type"] != "video")) { $image = $msgarr["image"]; + } if ($image != "") { $img_str = Network::fetchUrl($image); $tempfile = tempnam(get_temppath(), "cache"); file_put_contents($tempfile, $img_str); - $postdata = array("status" => $msg, "media[]" => $tempfile); - } else - $postdata = array("status"=>$msg); + $postdata = ["status" => $msg, "media[]" => $tempfile]; + } else { + $postdata = ["status" => $msg]; + } // and now send it :-) if (strlen($msg)) { if ($iscomment) { $postdata["in_reply_to_status_id"] = substr($orig_post["uri"], $hostlength); - logger('statusnet_post send reply '.print_r($postdata, true), LOGGER_DEBUG); + logger('statusnet_post send reply ' . print_r($postdata, true), LOGGER_DEBUG); } // New code that is able to post pictures @@ -620,21 +588,23 @@ function statusnet_post_hook(&$a,&$b) { $cb->setToken($otoken, $osecret); $result = $cb->statuses_update($postdata); //$result = $dent->post('statuses/update', $postdata); - logger('statusnet_post send, result: ' . print_r($result, true). - "\nmessage: ".$msg, LOGGER_DEBUG."\nOriginal post: ".print_r($b, true)."\nPost Data: ".print_r($postdata, true)); + logger('statusnet_post send, result: ' . print_r($result, true) . + "\nmessage: " . $msg, LOGGER_DEBUG . "\nOriginal post: " . print_r($b, true) . "\nPost Data: " . print_r($postdata, true)); - if ($result->source) - set_pconfig($b["uid"], "statusnet", "application_name", strip_tags($result->source)); + if ($result->source) { + PConfig::set($b["uid"], "statusnet", "application_name", strip_tags($result->source)); + } if ($result->error) { - logger('Send to GNU Social failed: "'.$result->error.'"'); + logger('Send to GNU Social failed: "' . $result->error . '"'); } elseif ($iscomment) { logger('statusnet_post: Update extid ' . $result->id . " for post id " . $b['id']); Item::update(['extid' => $hostname . "::" . $result->id, 'body' => $result->text], ['id' => $b['id']]); } } - if ($tempfile != "") + if ($tempfile != "") { unlink($tempfile); + } } } @@ -642,34 +612,32 @@ function statusnet_addon_admin_post(App $a) { $sites = []; - $sites = array(); - - foreach($_POST['sitename'] as $id=>$sitename){ - $sitename=trim($sitename); - $apiurl=trim($_POST['apiurl'][$id]); - if (! (substr($apiurl, -1)=='/')) - $apiurl=$apiurl.'/'; - $secret=trim($_POST['secret'][$id]); - $key=trim($_POST['key'][$id]); + foreach ($_POST['sitename'] as $id => $sitename) { + $sitename = trim($sitename); + $apiurl = trim($_POST['apiurl'][$id]); + if (!(substr($apiurl, -1) == '/')) { + $apiurl = $apiurl . '/'; + } + $secret = trim($_POST['secret'][$id]); + $key = trim($_POST['key'][$id]); //$applicationname = ((x($_POST, 'applicationname')) ? notags(trim($_POST['applicationname'][$id])):''); - if ($sitename!="" && - $apiurl!="" && - $secret!="" && - $key!="" && - !x($_POST['delete'][$id])){ + if ($sitename != "" && + $apiurl != "" && + $secret != "" && + $key != "" && + !x($_POST['delete'][$id])) { - $sites[] = Array( - 'sitename' => $sitename, - 'apiurl' => $apiurl, - 'consumersecret' => $secret, - 'consumerkey' => $key, - //'applicationname' => $applicationname - ); + $sites[] = [ + 'sitename' => $sitename, + 'apiurl' => $apiurl, + 'consumersecret' => $secret, + 'consumerkey' => $key, + //'applicationname' => $applicationname + ]; } } - $sites = set_config('statusnet','sites', $sites); - + $sites = Config::set('statusnet', 'sites', $sites); } function statusnet_addon_admin(App $a, &$o) @@ -684,8 +652,8 @@ function statusnet_addon_admin(App $a, &$o) 'secret' => ["secret[$id]", "Secret", $s['consumersecret'], ""], 'key' => ["key[$id]", "Key", $s['consumerkey'], ""], //'applicationname' => Array("applicationname[$id]", "Application name", $s['applicationname'], ""), - 'delete' => Array("delete[$id]", "Delete", False , "Check to delete this preset"), - ); + 'delete' => ["delete[$id]", "Delete", False, "Check to delete this preset"], + ]; } } /* empty form to add new site */ @@ -702,17 +670,20 @@ function statusnet_addon_admin(App $a, &$o) $o = replace_macros($t, [ '$submit' => L10n::t('Save Settings'), '$sites' => $sitesform, - )); + ]); } -function statusnet_prepare_body(&$a,&$b) { - if ($b["item"]["network"] != NETWORK_STATUSNET) - return; +function statusnet_prepare_body(App $a, &$b) +{ + if ($b["item"]["network"] != NETWORK_STATUSNET) { + return; + } - if ($b["preview"]) { - $max_char = get_pconfig(local_user(),'statusnet','max_char'); - if (intval($max_char) == 0) + if ($b["preview"]) { + $max_char = PConfig::get(local_user(), 'statusnet', 'max_char'); + if (intval($max_char) == 0) { $max_char = 140; + } $item = $b["item"]; $item["plink"] = $a->get_baseurl() . "/display/" . $a->user["nickname"] . "/" . $item["parent"]; @@ -723,46 +694,48 @@ function statusnet_prepare_body(&$a,&$b) { dbesc($item["thr-parent"]), intval(local_user())); - if(count($r)) { - $orig_post = $r[0]; + if (count($r)) { + $orig_post = $r[0]; //$nickname = "@[url=".$orig_post["author-link"]."]".$orig_post["contact_nick"]."[/url]"; //$nicknameplain = "@".$orig_post["contact_nick"]; $nick = preg_replace("=https?://(.*)/(.*)=ism", "$2", $orig_post["author-link"]); - $nickname = "@[url=".$orig_post["author-link"]."]".$nick."[/url]"; - $nicknameplain = "@".$nick; + $nickname = "@[url=" . $orig_post["author-link"] . "]" . $nick . "[/url]"; + $nicknameplain = "@" . $nick; - if ((strpos($item["body"], $nickname) === false) && (strpos($item["body"], $nicknameplain) === false)) - $item["body"] = $nickname." ".$item["body"]; - } + if ((strpos($item["body"], $nickname) === false) && (strpos($item["body"], $nicknameplain) === false)) { + $item["body"] = $nickname . " " . $item["body"]; + } + } $msgarr = BBCode::toPlaintext($item, $max_char, true, 7); $msg = $msgarr["text"]; - $msgarr = plaintext($a, $item, $max_char, true, 7); - $msg = $msgarr["text"]; + if (isset($msgarr["url"]) && ($msgarr["type"] != "photo")) { + $msg .= " " . $msgarr["url"]; + } - if (isset($msgarr["url"]) && ($msgarr["type"] != "photo")) - $msg .= " ".$msgarr["url"]; + if (isset($msgarr["image"])) { + $msg .= " " . $msgarr["image"]; + } - if (isset($msgarr["image"])) - $msg .= " ".$msgarr["image"]; - - $b['html'] = nl2br(htmlspecialchars($msg)); - } + $b['html'] = nl2br(htmlspecialchars($msg)); + } } -function statusnet_cron($a,$b) { - $last = get_config('statusnet','last_poll'); +function statusnet_cron(App $a, $b) +{ + $last = Config::get('statusnet', 'last_poll'); - $poll_interval = intval(get_config('statusnet','poll_interval')); - if(! $poll_interval) + $poll_interval = intval(Config::get('statusnet', 'poll_interval')); + if (!$poll_interval) { $poll_interval = STATUSNET_DEFAULT_POLL_INTERVAL; + } - if($last) { + if ($last) { $next = $last + ($poll_interval * 60); - if($next > time()) { + if ($next > time()) { logger('statusnet: poll intervall not reached'); return; } @@ -770,171 +743,188 @@ function statusnet_cron($a,$b) { logger('statusnet: cron_start'); $r = q("SELECT * FROM `pconfig` WHERE `cat` = 'statusnet' AND `k` = 'mirror_posts' AND `v` = '1' ORDER BY RAND() "); - if(count($r)) { - foreach($r as $rr) { - logger('statusnet: fetching for user '.$rr['uid']); + if (count($r)) { + foreach ($r as $rr) { + logger('statusnet: fetching for user ' . $rr['uid']); statusnet_fetchtimeline($a, $rr['uid']); } } - $abandon_days = intval(get_config('system','account_abandon_days')); - if ($abandon_days < 1) + $abandon_days = intval(Config::get('system', 'account_abandon_days')); + if ($abandon_days < 1) { $abandon_days = 0; + } $abandon_limit = date(DateTimeFormat::MYSQL, time() - $abandon_days * 86400); $r = q("SELECT * FROM `pconfig` WHERE `cat` = 'statusnet' AND `k` = 'import' AND `v` ORDER BY RAND()"); - if(count($r)) { - foreach($r as $rr) { + if (count($r)) { + foreach ($r as $rr) { if ($abandon_days != 0) { $user = q("SELECT `login_date` FROM `user` WHERE uid=%d AND `login_date` >= '%s'", $rr['uid'], $abandon_limit); if (!count($user)) { - logger('abandoned account: timeline from user '.$rr['uid'].' will not be imported'); + logger('abandoned account: timeline from user ' . $rr['uid'] . ' will not be imported'); continue; } } - logger('statusnet: importing timeline from user '.$rr['uid']); + logger('statusnet: importing timeline from user ' . $rr['uid']); statusnet_fetchhometimeline($a, $rr["uid"], $rr["v"]); } } logger('statusnet: cron_end'); - set_config('statusnet','last_poll', time()); + Config::set('statusnet', 'last_poll', time()); } -function statusnet_fetchtimeline($a, $uid) { - $ckey = get_pconfig($uid, 'statusnet', 'consumerkey'); - $csecret = get_pconfig($uid, 'statusnet', 'consumersecret'); - $api = get_pconfig($uid, 'statusnet', 'baseapi'); - $otoken = get_pconfig($uid, 'statusnet', 'oauthtoken'); - $osecret = get_pconfig($uid, 'statusnet', 'oauthsecret'); - $lastid = get_pconfig($uid, 'statusnet', 'lastid'); +function statusnet_fetchtimeline(App $a, $uid) +{ + $ckey = PConfig::get($uid, 'statusnet', 'consumerkey'); + $csecret = PConfig::get($uid, 'statusnet', 'consumersecret'); + $api = PConfig::get($uid, 'statusnet', 'baseapi'); + $otoken = PConfig::get($uid, 'statusnet', 'oauthtoken'); + $osecret = PConfig::get($uid, 'statusnet', 'oauthsecret'); + $lastid = PConfig::get($uid, 'statusnet', 'lastid'); - require_once('mod/item.php'); - require_once('include/items.php'); + require_once 'mod/item.php'; + require_once 'include/items.php'; // get the application name for the SN app // 1st try personal config, then system config and fallback to the // hostname of the node if neither one is set. - $application_name = get_pconfig( $uid, 'statusnet', 'application_name'); - if ($application_name == "") - $application_name = get_config('statusnet', 'application_name'); - if ($application_name == "") + $application_name = PConfig::get($uid, 'statusnet', 'application_name'); + if ($application_name == "") { + $application_name = Config::get('statusnet', 'application_name'); + } + if ($application_name == "") { $application_name = $a->get_hostname(); + } - $connection = new StatusNetOAuth($api, $ckey,$csecret,$otoken,$osecret); + $connection = new StatusNetOAuth($api, $ckey, $csecret, $otoken, $osecret); - $parameters = array("exclude_replies" => true, "trim_user" => true, "contributor_details" => false, "include_rts" => false); + $parameters = ["exclude_replies" => true, "trim_user" => true, "contributor_details" => false, "include_rts" => false]; $first_time = ($lastid == ""); - if ($lastid <> "") + if ($lastid <> "") { $parameters["since_id"] = $lastid; + } $items = $connection->get('statuses/user_timeline', $parameters); - if (!is_array($items)) + if (!is_array($items)) { return; + } $posts = array_reverse($items); if (count($posts)) { - foreach ($posts as $post) { - if ($post->id > $lastid) - $lastid = $post->id; + foreach ($posts as $post) { + if ($post->id > $lastid) + $lastid = $post->id; - if ($first_time) - continue; - - if ($post->source == "activity") - continue; - - if (is_object($post->retweeted_status)) - continue; - - if ($post->in_reply_to_status_id != "") - continue; - - if (!stristr($post->source, $application_name)) { - $_SESSION["authenticated"] = true; - $_SESSION["uid"] = $uid; - - unset($_REQUEST); - $_REQUEST["type"] = "wall"; - $_REQUEST["api_source"] = true; - $_REQUEST["profile_uid"] = $uid; - //$_REQUEST["source"] = "StatusNet"; - $_REQUEST["source"] = $post->source; - $_REQUEST["extid"] = NETWORK_STATUSNET; - - if (isset($post->id)) { - $_REQUEST['message_id'] = item_new_uri($a->get_hostname(), $uid, NETWORK_STATUSNET.":".$post->id); + if ($first_time) { + continue; } - //$_REQUEST["date"] = $post->created_at; + if ($post->source == "activity") { + continue; + } - $_REQUEST["title"] = ""; + if (is_object($post->retweeted_status)) { + continue; + } - $_REQUEST["body"] = add_page_info_to_body($post->text, true); - if (is_string($post->place->name)) - $_REQUEST["location"] = $post->place->name; + if ($post->in_reply_to_status_id != "") { + continue; + } - if (is_string($post->place->full_name)) - $_REQUEST["location"] = $post->place->full_name; + if (!stristr($post->source, $application_name)) { + $_SESSION["authenticated"] = true; + $_SESSION["uid"] = $uid; - if (is_array($post->geo->coordinates)) - $_REQUEST["coord"] = $post->geo->coordinates[0]." ".$post->geo->coordinates[1]; + unset($_REQUEST); + $_REQUEST["type"] = "wall"; + $_REQUEST["api_source"] = true; + $_REQUEST["profile_uid"] = $uid; + //$_REQUEST["source"] = "StatusNet"; + $_REQUEST["source"] = $post->source; + $_REQUEST["extid"] = NETWORK_STATUSNET; - if (is_array($post->coordinates->coordinates)) - $_REQUEST["coord"] = $post->coordinates->coordinates[1]." ".$post->coordinates->coordinates[0]; + if (isset($post->id)) { + $_REQUEST['message_id'] = item_new_uri($a->get_hostname(), $uid, NETWORK_STATUSNET . ":" . $post->id); + } - //print_r($_REQUEST); - if ($_REQUEST["body"] != "") { - logger('statusnet: posting for user '.$uid); + //$_REQUEST["date"] = $post->created_at; - item_post($a); + $_REQUEST["title"] = ""; + + $_REQUEST["body"] = add_page_info_to_body($post->text, true); + if (is_string($post->place->name)) { + $_REQUEST["location"] = $post->place->name; + } + + if (is_string($post->place->full_name)) { + $_REQUEST["location"] = $post->place->full_name; + } + + if (is_array($post->geo->coordinates)) { + $_REQUEST["coord"] = $post->geo->coordinates[0] . " " . $post->geo->coordinates[1]; + } + + if (is_array($post->coordinates->coordinates)) { + $_REQUEST["coord"] = $post->coordinates->coordinates[1] . " " . $post->coordinates->coordinates[0]; + } + + //print_r($_REQUEST); + if ($_REQUEST["body"] != "") { + logger('statusnet: posting for user ' . $uid); + + item_post($a); + } } } - } } - set_pconfig($uid, 'statusnet', 'lastid', $lastid); + PConfig::set($uid, 'statusnet', 'lastid', $lastid); } -function statusnet_address($contact) { +function statusnet_address($contact) +{ $hostname = normalise_link($contact->statusnet_profile_url); $nickname = $contact->screen_name; $hostname = preg_replace("=https?://([\w\.]*)/.*=ism", "$1", $contact->statusnet_profile_url); - $address = $contact->screen_name."@".$hostname; + $address = $contact->screen_name . "@" . $hostname; - return($address); + return $address; } -function statusnet_fetch_contact($uid, $contact, $create_user) { - if ($contact->statusnet_profile_url == "") - return(-1); - - update_gcontact(array("url" => $contact->statusnet_profile_url, - "network" => NETWORK_STATUSNET, "photo" => $contact->profile_image_url, - "name" => $contact->name, "nick" => $contact->screen_name, - "location" => $contact->location, "about" => $contact->description, - "addr" => statusnet_address($contact), "generation" => 3)); - - $r = q("SELECT * FROM `contact` WHERE `uid` = %d AND `alias` = '%s' AND `network` = '%s'LIMIT 1", - intval($uid), dbesc(normalise_link($contact->statusnet_profile_url)), dbesc(NETWORK_STATUSNET)); - - if(!count($r) && !$create_user) - return(0); - - if (count($r) && ($r[0]["readonly"] || $r[0]["blocked"])) { - logger("statusnet_fetch_contact: Contact '".$r[0]["nick"]."' is blocked or readonly.", LOGGER_DEBUG); - return(-1); +function statusnet_fetch_contact($uid, $contact, $create_user) +{ + if ($contact->statusnet_profile_url == "") { + return -1; } - if(!count($r)) { + GContact::update(["url" => $contact->statusnet_profile_url, + "network" => NETWORK_STATUSNET, "photo" => $contact->profile_image_url, + "name" => $contact->name, "nick" => $contact->screen_name, + "location" => $contact->location, "about" => $contact->description, + "addr" => statusnet_address($contact), "generation" => 3]); + + $r = q("SELECT * FROM `contact` WHERE `uid` = %d AND `alias` = '%s' AND `network` = '%s'LIMIT 1", intval($uid), dbesc(normalise_link($contact->statusnet_profile_url)), dbesc(NETWORK_STATUSNET)); + + if (!count($r) && !$create_user) { + return 0; + } + + if (count($r) && ($r[0]["readonly"] || $r[0]["blocked"])) { + logger("statusnet_fetch_contact: Contact '" . $r[0]["nick"] . "' is blocked or readonly.", LOGGER_DEBUG); + return -1; + } + + if (!count($r)) { // create contact record q("INSERT INTO `contact` ( `uid`, `created`, `url`, `nurl`, `addr`, `alias`, `notify`, `poll`, `name`, `nick`, `photo`, `network`, `rel`, `priority`, @@ -964,23 +954,15 @@ function statusnet_fetch_contact($uid, $contact, $create_user) { intval($uid), dbesc(NETWORK_STATUSNET)); - if(! count($r)) - return(false); - - $contact_id = $r[0]['id']; - - $g = q("SELECT def_gid FROM user WHERE uid = %d LIMIT 1", - intval($uid) - ); - - if($g && intval($g[0]['def_gid'])) { - require_once('include/group.php'); - group_add_member($uid,'',$contact_id,$g[0]['def_gid']); + if (!count($r)) { + return false; } - require_once("Photo.php"); + $contact_id = $r[0]['id']; - $photos = import_profile_photo($contact->profile_image_url,$uid,$contact_id); + Group::addMember(User::getDefaultGroup($uid), $contact_id); + + $photos = Photo::importProfilePhoto($contact->profile_image_url, $uid, $contact_id); q("UPDATE `contact` SET `photo` = '%s', `thumb` = '%s', @@ -999,14 +981,10 @@ function statusnet_fetch_contact($uid, $contact, $create_user) { $update_photo = ($r[0]['avatar-date'] < DateTimeFormat::utc('now -12 hours')); // check that we have all the photos, this has been known to fail on occasion + if ((!$r[0]['photo']) || (!$r[0]['thumb']) || (!$r[0]['micro']) || ($update_photo)) { + logger("statusnet_fetch_contact: Updating contact " . $contact->screen_name, LOGGER_DEBUG); - if((!$r[0]['photo']) || (!$r[0]['thumb']) || (!$r[0]['micro']) || ($update_photo)) { - - logger("statusnet_fetch_contact: Updating contact ".$contact->screen_name, LOGGER_DEBUG); - - require_once("Photo.php"); - - $photos = import_profile_photo($contact->profile_image_url, $uid, $r[0]['id']); + $photos = Photo::importProfilePhoto($contact->profile_image_url, $uid, $r[0]['id']); q("UPDATE `contact` SET `photo` = '%s', `thumb` = '%s', @@ -1040,15 +1018,16 @@ function statusnet_fetch_contact($uid, $contact, $create_user) { } } - return($r[0]["id"]); + return $r[0]["id"]; } -function statusnet_fetchuser($a, $uid, $screen_name = "", $user_id = "") { - $ckey = get_pconfig($uid, 'statusnet', 'consumerkey'); - $csecret = get_pconfig($uid, 'statusnet', 'consumersecret'); - $api = get_pconfig($uid, 'statusnet', 'baseapi'); - $otoken = get_pconfig($uid, 'statusnet', 'oauthtoken'); - $osecret = get_pconfig($uid, 'statusnet', 'oauthsecret'); +function statusnet_fetchuser(App $a, $uid, $screen_name = "", $user_id = "") +{ + $ckey = PConfig::get($uid, 'statusnet', 'consumerkey'); + $csecret = PConfig::get($uid, 'statusnet', 'consumersecret'); + $api = PConfig::get($uid, 'statusnet', 'baseapi'); + $otoken = PConfig::get($uid, 'statusnet', 'oauthtoken'); + $osecret = PConfig::get($uid, 'statusnet', 'oauthsecret'); require_once __DIR__ . DIRECTORY_SEPARATOR . 'library' . DIRECTORY_SEPARATOR . 'codebirdsn.php'; @@ -1059,40 +1038,44 @@ function statusnet_fetchuser($a, $uid, $screen_name = "", $user_id = "") { $r = q("SELECT * FROM `contact` WHERE `self` = 1 AND `uid` = %d LIMIT 1", intval($uid)); - if(count($r)) { + if (count($r)) { $self = $r[0]; - } else + } else { return; + } - $parameters = array(); + $parameters = []; - if ($screen_name != "") + if ($screen_name != "") { $parameters["screen_name"] = $screen_name; + } - if ($user_id != "") + if ($user_id != "") { $parameters["user_id"] = $user_id; + } // Fetching user data $user = $cb->users_show($parameters); - if (!is_object($user)) + if (!is_object($user)) { return; + } $contact_id = statusnet_fetch_contact($uid, $user, true); return $contact_id; } -function statusnet_createpost($a, $uid, $post, $self, $create_user, $only_existing_contact) { - - require_once("include/html2bbcode.php"); +function statusnet_createpost(App $a, $uid, $post, $self, $create_user, $only_existing_contact) +{ + require_once "include/html2bbcode.php"; logger("statusnet_createpost: start", LOGGER_DEBUG); - $api = get_pconfig($uid, 'statusnet', 'baseapi'); + $api = PConfig::get($uid, 'statusnet', 'baseapi'); $hostname = preg_replace("=https?://([\w\.]*)/.*=ism", "$1", $api); - $postarray = array(); + $postarray = []; $postarray['network'] = NETWORK_STATUSNET; $postarray['gravity'] = 0; $postarray['uid'] = $uid; @@ -1101,29 +1084,31 @@ function statusnet_createpost($a, $uid, $post, $self, $create_user, $only_existi if (is_object($post->retweeted_status)) { $content = $post->retweeted_status; statusnet_fetch_contact($uid, $content->user, false); - } else + } else { $content = $post; + } - $postarray['uri'] = $hostname."::".$content->id; + $postarray['uri'] = $hostname . "::" . $content->id; $r = q("SELECT * FROM `item` WHERE `extid` = '%s' AND `uid` = %d LIMIT 1", dbesc($postarray['uri']), intval($uid) - ); + ); - if (count($r)) - return(array()); + if (count($r)) { + return []; + } $contactid = 0; if ($content->in_reply_to_status_id != "") { - $parent = $hostname."::".$content->in_reply_to_status_id; + $parent = $hostname . "::" . $content->in_reply_to_status_id; $r = q("SELECT * FROM `item` WHERE `uri` = '%s' AND `uid` = %d LIMIT 1", dbesc($parent), intval($uid) - ); + ); if (count($r)) { $postarray['thr-parent'] = $r[0]["uri"]; $postarray['parent-uri'] = $r[0]["parent-uri"]; @@ -1133,7 +1118,7 @@ function statusnet_createpost($a, $uid, $post, $self, $create_user, $only_existi $r = q("SELECT * FROM `item` WHERE `extid` = '%s' AND `uid` = %d LIMIT 1", dbesc($parent), intval($uid) - ); + ); if (count($r)) { $postarray['thr-parent'] = $r[0]['uri']; $postarray['parent-uri'] = $r[0]['parent-uri']; @@ -1147,20 +1132,21 @@ function statusnet_createpost($a, $uid, $post, $self, $create_user, $only_existi } // Is it me? - $own_url = get_pconfig($uid, 'statusnet', 'own_url'); + $own_url = PConfig::get($uid, 'statusnet', 'own_url'); if ($content->user->id == $own_url) { $r = q("SELECT * FROM `contact` WHERE `self` = 1 AND `uid` = %d LIMIT 1", intval($uid)); - if(count($r)) { + if (count($r)) { $contactid = $r[0]["id"]; - $postarray['owner-name'] = $r[0]["name"]; + $postarray['owner-name'] = $r[0]["name"]; $postarray['owner-link'] = $r[0]["url"]; - $postarray['owner-avatar'] = $r[0]["photo"]; - } else - return(array()); + $postarray['owner-avatar'] = $r[0]["photo"]; + } else { + return []; + } } // Don't create accounts of people who just comment something $create_user = false; @@ -1175,10 +1161,11 @@ function statusnet_createpost($a, $uid, $post, $self, $create_user, $only_existi $postarray['owner-link'] = $post->user->statusnet_profile_url; $postarray['owner-avatar'] = $post->user->profile_image_url; } - if(($contactid == 0) && !$only_existing_contact) + if (($contactid == 0) && !$only_existing_contact) { $contactid = $self['id']; - elseif ($contactid <= 0) - return(array()); + } elseif ($contactid <= 0) { + return []; + } $postarray['contact-id'] = $contactid; @@ -1189,9 +1176,9 @@ function statusnet_createpost($a, $uid, $post, $self, $create_user, $only_existi $postarray['author-avatar'] = $content->user->profile_image_url; // To-Do: Maybe unreliable? Can the api be entered without trailing "/"? - $hostname = str_replace("/api/", "/notice/", get_pconfig($uid, 'statusnet', 'baseapi')); + $hostname = str_replace("/api/", "/notice/", PConfig::get($uid, 'statusnet', 'baseapi')); - $postarray['plink'] = $hostname.$content->id; + $postarray['plink'] = $hostname . $content->id; $postarray['app'] = strip_tags($content->source); if ($content->user->protected) { @@ -1208,82 +1195,75 @@ function statusnet_createpost($a, $uid, $post, $self, $create_user, $only_existi $postarray['created'] = DateTimeFormat::utc($content->created_at); $postarray['edited'] = DateTimeFormat::utc($content->created_at); - if (is_string($content->place->name)) + if (is_string($content->place->name)) { $postarray["location"] = $content->place->name; + } - if (is_string($content->place->full_name)) + if (is_string($content->place->full_name)) { $postarray["location"] = $content->place->full_name; + } - if (is_array($content->geo->coordinates)) - $postarray["coord"] = $content->geo->coordinates[0]." ".$content->geo->coordinates[1]; + if (is_array($content->geo->coordinates)) { + $postarray["coord"] = $content->geo->coordinates[0] . " " . $content->geo->coordinates[1]; + } - if (is_array($content->coordinates->coordinates)) - $postarray["coord"] = $content->coordinates->coordinates[1]." ".$content->coordinates->coordinates[0]; + if (is_array($content->coordinates->coordinates)) { + $postarray["coord"] = $content->coordinates->coordinates[1] . " " . $content->coordinates->coordinates[0]; + } - /*if (is_object($post->retweeted_status)) { - $postarray['body'] = html2bbcode($post->retweeted_status->statusnet_html); - - $converted = statusnet_convertmsg($a, $postarray['body'], false); - $postarray['body'] = $converted["body"]; - $postarray['tag'] = $converted["tags"]; - - statusnet_fetch_contact($uid, $post->retweeted_status->user, false); - - // Let retweets look like wall-to-wall posts - $postarray['author-name'] = $post->retweeted_status->user->name; - $postarray['author-link'] = $post->retweeted_status->user->statusnet_profile_url; - $postarray['author-avatar'] = $post->retweeted_status->user->profile_image_url; - }*/ logger("statusnet_createpost: end", LOGGER_DEBUG); - return($postarray); + + return $postarray; } -function statusnet_checknotification($a, $uid, $own_url, $top_item, $postarray) { - +function statusnet_checknotification(App $a, $uid, $own_url, $top_item, $postarray) +{ // This function necer worked and need cleanup - $user = q("SELECT * FROM `contact` WHERE `uid` = %d AND `self` LIMIT 1", intval($uid) - ); + ); - if(!count($user)) + if (!count($user)) { return; + } // Is it me? - if (link_compare($user[0]["url"], $postarray['author-link'])) + if (link_compare($user[0]["url"], $postarray['author-link'])) { return; + } $own_user = q("SELECT * FROM `contact` WHERE `uid` = %d AND `alias` = '%s' LIMIT 1", intval($uid), dbesc($own_url) - ); + ); - if(!count($own_user)) + if (!count($own_user)) { return; + } // Is it me from GNU Social? - if (link_compare($own_user[0]["url"], $postarray['author-link'])) + if (link_compare($own_user[0]["url"], $postarray['author-link'])) { return; + } $myconv = q("SELECT `author-link`, `author-avatar`, `parent` FROM `item` WHERE `parent-uri` = '%s' AND `uid` = %d AND `parent` != 0 AND `deleted` = 0", dbesc($postarray['parent-uri']), intval($uid) - ); + ); - if(count($myconv)) { - - foreach($myconv as $conv) { + if (count($myconv)) { + foreach ($myconv as $conv) { // now if we find a match, it means we're in this conversation - - if(!link_compare($conv['author-link'],$user[0]["url"]) && !link_compare($conv['author-link'],$own_user[0]["url"])) + if (!link_compare($conv['author-link'], $user[0]["url"]) && !link_compare($conv['author-link'], $own_user[0]["url"])) { continue; + } - require_once('include/enotify.php'); + require_once 'include/enotify.php'; $conv_parent = $conv['parent']; - notification(array( - 'type' => NOTIFY_COMMENT, + notification([ + 'type' => NOTIFY_COMMENT, 'notify_flags' => $user[0]['notify-flags'], 'language' => $user[0]['language'], 'to_name' => $user[0]['username'], @@ -1294,10 +1274,10 @@ function statusnet_checknotification($a, $uid, $own_url, $top_item, $postarray) 'source_name' => $postarray['author-name'], 'source_link' => $postarray['author-link'], 'source_photo' => $postarray['author-avatar'], - 'verb' => ACTIVITY_POST, - 'otype' => 'item', - 'parent' => $conv_parent, - )); + 'verb' => ACTIVITY_POST, + 'otype' => 'item', + 'parent' => $conv_parent, + ]); // only send one notification break; @@ -1305,24 +1285,25 @@ function statusnet_checknotification($a, $uid, $own_url, $top_item, $postarray) } } -function statusnet_fetchhometimeline($a, $uid, $mode = 1) { - $conversations = array(); +function statusnet_fetchhometimeline(App $a, $uid, $mode = 1) +{ + $conversations = []; - $ckey = get_pconfig($uid, 'statusnet', 'consumerkey'); - $csecret = get_pconfig($uid, 'statusnet', 'consumersecret'); - $api = get_pconfig($uid, 'statusnet', 'baseapi'); - $otoken = get_pconfig($uid, 'statusnet', 'oauthtoken'); - $osecret = get_pconfig($uid, 'statusnet', 'oauthsecret'); - $create_user = get_pconfig($uid, 'statusnet', 'create_user'); + $ckey = PConfig::get($uid, 'statusnet', 'consumerkey'); + $csecret = PConfig::get($uid, 'statusnet', 'consumersecret'); + $api = PConfig::get($uid, 'statusnet', 'baseapi'); + $otoken = PConfig::get($uid, 'statusnet', 'oauthtoken'); + $osecret = PConfig::get($uid, 'statusnet', 'oauthsecret'); + $create_user = PConfig::get($uid, 'statusnet', 'create_user'); // "create_user" is deactivated, since currently you cannot add users manually by now $create_user = true; - logger("statusnet_fetchhometimeline: Fetching for user ".$uid, LOGGER_DEBUG); + logger("statusnet_fetchhometimeline: Fetching for user " . $uid, LOGGER_DEBUG); require_once 'include/items.php'; - $connection = new StatusNetOAuth($api, $ckey,$csecret,$otoken,$osecret); + $connection = new StatusNetOAuth($api, $ckey, $csecret, $otoken, $osecret); $own_contact = statusnet_fetch_own_contact($a, $uid); @@ -1330,71 +1311,75 @@ function statusnet_fetchhometimeline($a, $uid, $mode = 1) { intval($own_contact), intval($uid)); - if(count($r)) { + if (count($r)) { $nick = $r[0]["nick"]; } else { - logger("statusnet_fetchhometimeline: Own GNU Social contact not found for user ".$uid, LOGGER_DEBUG); + logger("statusnet_fetchhometimeline: Own GNU Social contact not found for user " . $uid, LOGGER_DEBUG); return; } $r = q("SELECT * FROM `contact` WHERE `self` = 1 AND `uid` = %d LIMIT 1", intval($uid)); - if(count($r)) { + if (count($r)) { $self = $r[0]; } else { - logger("statusnet_fetchhometimeline: Own contact not found for user ".$uid, LOGGER_DEBUG); + logger("statusnet_fetchhometimeline: Own contact not found for user " . $uid, LOGGER_DEBUG); return; } $u = q("SELECT * FROM user WHERE uid = %d LIMIT 1", intval($uid)); - if(!count($u)) { - logger("statusnet_fetchhometimeline: Own user not found for user ".$uid, LOGGER_DEBUG); + if (!count($u)) { + logger("statusnet_fetchhometimeline: Own user not found for user " . $uid, LOGGER_DEBUG); return; } - $parameters = array("exclude_replies" => false, "trim_user" => false, "contributor_details" => true, "include_rts" => true); + $parameters = ["exclude_replies" => false, "trim_user" => false, "contributor_details" => true, "include_rts" => true]; //$parameters["count"] = 200; if ($mode == 1) { // Fetching timeline - $lastid = get_pconfig($uid, 'statusnet', 'lasthometimelineid'); + $lastid = PConfig::get($uid, 'statusnet', 'lasthometimelineid'); //$lastid = 1; $first_time = ($lastid == ""); - if ($lastid <> "") + if ($lastid != "") { $parameters["since_id"] = $lastid; + } $items = $connection->get('statuses/home_timeline', $parameters); if (!is_array($items)) { - if (is_object($items) && isset($items->error)) + if (is_object($items) && isset($items->error)) { $errormsg = $items->error; - elseif (is_object($items)) + } elseif (is_object($items)) { $errormsg = print_r($items, true); - elseif (is_string($items) || is_float($items) || is_int($items)) + } elseif (is_string($items) || is_float($items) || is_int($items)) { $errormsg = $items; - else + } else { $errormsg = "Unknown error"; + } - logger("statusnet_fetchhometimeline: Error fetching home timeline: ".$errormsg, LOGGER_DEBUG); + logger("statusnet_fetchhometimeline: Error fetching home timeline: " . $errormsg, LOGGER_DEBUG); return; } $posts = array_reverse($items); - logger("statusnet_fetchhometimeline: Fetching timeline for user ".$uid." ".sizeof($posts)." items", LOGGER_DEBUG); + logger("statusnet_fetchhometimeline: Fetching timeline for user " . $uid . " " . sizeof($posts) . " items", LOGGER_DEBUG); if (count($posts)) { foreach ($posts as $post) { - if ($post->id > $lastid) + if ($post->id > $lastid) { $lastid = $post->id; + } - if ($first_time) + if ($first_time) { continue; + } if (isset($post->statusnet_conversation_id)) { if (!isset($conversations[$post->statusnet_conversation_id])) { @@ -1404,48 +1389,52 @@ function statusnet_fetchhometimeline($a, $uid, $mode = 1) { } else { $postarray = statusnet_createpost($a, $uid, $post, $self, $create_user, true); - if (trim($postarray['body']) == "") + if (trim($postarray['body']) == "") { continue; + } $item = Item::insert($postarray); $postarray["id"] = $item; - logger('statusnet_fetchhometimeline: User '.$self["nick"].' posted home timeline item '.$item); + logger('statusnet_fetchhometimeline: User ' . $self["nick"] . ' posted home timeline item ' . $item); - if ($item && !function_exists("check_item_notification")) + if ($item && !function_exists("check_item_notification")) { statusnet_checknotification($a, $uid, $nick, $item, $postarray); + } } - } } - set_pconfig($uid, 'statusnet', 'lasthometimelineid', $lastid); + PConfig::set($uid, 'statusnet', 'lasthometimelineid', $lastid); } // Fetching mentions - $lastid = get_pconfig($uid, 'statusnet', 'lastmentionid'); + $lastid = PConfig::get($uid, 'statusnet', 'lastmentionid'); $first_time = ($lastid == ""); - if ($lastid <> "") + if ($lastid != "") { $parameters["since_id"] = $lastid; + } $items = $connection->get('statuses/mentions_timeline', $parameters); if (!is_array($items)) { - logger("statusnet_fetchhometimeline: Error fetching mentions: ".print_r($items, true), LOGGER_DEBUG); + logger("statusnet_fetchhometimeline: Error fetching mentions: " . print_r($items, true), LOGGER_DEBUG); return; } $posts = array_reverse($items); - logger("statusnet_fetchhometimeline: Fetching mentions for user ".$uid." ".sizeof($posts)." items", LOGGER_DEBUG); + logger("statusnet_fetchhometimeline: Fetching mentions for user " . $uid . " " . sizeof($posts) . " items", LOGGER_DEBUG); if (count($posts)) { foreach ($posts as $post) { - if ($post->id > $lastid) + if ($post->id > $lastid) { $lastid = $post->id; + } - if ($first_time) + if ($first_time) { continue; + } $postarray = statusnet_createpost($a, $uid, $post, $self, false, false); @@ -1455,16 +1444,17 @@ function statusnet_fetchhometimeline($a, $uid, $mode = 1) { $conversations[$post->statusnet_conversation_id] = $post->statusnet_conversation_id; } } else { - if (trim($postarray['body']) != "") { + if (trim($postarray['body']) == "") { continue; + } $item = Item::insert($postarray); $postarray["id"] = $item; - logger('statusnet_fetchhometimeline: User '.$self["nick"].' posted mention timeline item '.$item); + logger('statusnet_fetchhometimeline: User ' . $self["nick"] . ' posted mention timeline item ' . $item); - if ($item && function_exists("check_item_notification")) - check_item_notification($item, $uid, NOTIFY_TAGSELF); + if ($item && function_exists("check_item_notification")) { + check_item_notification($item, $uid, NOTIFY_TAGSELF); } } @@ -1478,8 +1468,8 @@ function statusnet_fetchhometimeline($a, $uid, $mode = 1) { } if (($item != 0) && !function_exists("check_item_notification")) { - require_once('include/enotify.php'); - notification(array( + require_once 'include/enotify.php'; + notification([ 'type' => NOTIFY_TAGSELF, 'notify_flags' => $u[0]['notify-flags'], 'language' => $u[0]['language'], @@ -1494,43 +1484,46 @@ function statusnet_fetchhometimeline($a, $uid, $mode = 1) { 'verb' => ACTIVITY_TAG, 'otype' => 'item', 'parent' => $parent_id, - )); + ]); } } } - set_pconfig($uid, 'statusnet', 'lastmentionid', $lastid); + PConfig::set($uid, 'statusnet', 'lastmentionid', $lastid); } -function statusnet_complete_conversation($a, $uid, $self, $create_user, $nick, $conversation) { - $ckey = get_pconfig($uid, 'statusnet', 'consumerkey'); - $csecret = get_pconfig($uid, 'statusnet', 'consumersecret'); - $api = get_pconfig($uid, 'statusnet', 'baseapi'); - $otoken = get_pconfig($uid, 'statusnet', 'oauthtoken'); - $osecret = get_pconfig($uid, 'statusnet', 'oauthsecret'); - $own_url = get_pconfig($uid, 'statusnet', 'own_url'); +function statusnet_complete_conversation(App $a, $uid, $self, $create_user, $nick, $conversation) +{ + $ckey = PConfig::get($uid, 'statusnet', 'consumerkey'); + $csecret = PConfig::get($uid, 'statusnet', 'consumersecret'); + $api = PConfig::get($uid, 'statusnet', 'baseapi'); + $otoken = PConfig::get($uid, 'statusnet', 'oauthtoken'); + $osecret = PConfig::get($uid, 'statusnet', 'oauthsecret'); + $own_url = PConfig::get($uid, 'statusnet', 'own_url'); $connection = new StatusNetOAuth($api, $ckey, $csecret, $otoken, $osecret); $parameters["count"] = 200; - $items = $connection->get('statusnet/conversation/'.$conversation, $parameters); + $items = $connection->get('statusnet/conversation/' . $conversation, $parameters); if (is_array($items)) { $posts = array_reverse($items); foreach ($posts as $post) { $postarray = statusnet_createpost($a, $uid, $post, $self, false, false); - if (trim($postarray['body']) == "") + if (trim($postarray['body']) == "") { continue; + } $item = Item::insert($postarray); $postarray["id"] = $item; - logger('statusnet_complete_conversation: User '.$self["nick"].' posted home timeline item '.$item); + logger('statusnet_complete_conversation: User ' . $self["nick"] . ' posted home timeline item ' . $item); - if ($item && !function_exists("check_item_notification")) + if ($item && !function_exists("check_item_notification")) { statusnet_checknotification($a, $uid, $nick, $item, $postarray); + } } } } @@ -1539,10 +1532,10 @@ function statusnet_convertmsg(App $a, $body, $no_tags = false) { require_once "include/items.php"; - $body = preg_replace("=\[url\=https?://([0-9]*).([0-9]*).([0-9]*).([0-9]*)/([0-9]*)\](.*?)\[\/url\]=ism","$1.$2.$3.$4/$5",$body); + $body = preg_replace("=\[url\=https?://([0-9]*).([0-9]*).([0-9]*).([0-9]*)/([0-9]*)\](.*?)\[\/url\]=ism", "$1.$2.$3.$4/$5", $body); $URLSearchString = "^\[\]"; - $links = preg_match_all("/[^!#@]\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism", $body,$matches,PREG_SET_ORDER); + $links = preg_match_all("/[^!#@]\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism", $body, $matches, PREG_SET_ORDER); $footer = ""; $footerurl = ""; @@ -1551,25 +1544,27 @@ function statusnet_convertmsg(App $a, $body, $no_tags = false) if ($links) { foreach ($matches AS $match) { - $search = "[url=".$match[1]."]".$match[2]."[/url]"; + $search = "[url=" . $match[1] . "]" . $match[2] . "[/url]"; - logger("statusnet_convertmsg: expanding url ".$match[1], LOGGER_DEBUG); + logger("statusnet_convertmsg: expanding url " . $match[1], LOGGER_DEBUG); $expanded_url = Network::finalUrl($match[1]); - logger("statusnet_convertmsg: fetching data for ".$expanded_url, LOGGER_DEBUG); + logger("statusnet_convertmsg: fetching data for " . $expanded_url, LOGGER_DEBUG); - $oembed_data = oembed_fetch_url($expanded_url, true); + $oembed_data = OEmbed::fetchURL($expanded_url, true); logger("statusnet_convertmsg: fetching data: done", LOGGER_DEBUG); - if ($type == "") + if ($type == "") { $type = $oembed_data->type; + } + if ($oembed_data->type == "video") { //$body = str_replace($search, "[video]".$expanded_url."[/video]", $body); $type = $oembed_data->type; $footerurl = $expanded_url; - $footerlink = "[url=".$expanded_url."]".$expanded_url."[/url]"; + $footerlink = "[url=" . $expanded_url . "]" . $expanded_url . "[/url]"; $body = str_replace($search, $footerlink, $body); } elseif (($oembed_data->type == "photo") && isset($oembed_data->url) && !$dontincludemedia) { @@ -1586,67 +1581,72 @@ function statusnet_convertmsg(App $a, $body, $no_tags = false) if (substr($mime, 0, 6) == "image/") { $type = "photo"; - $body = str_replace($search, "[img]".$expanded_url."[/img]", $body); + $body = str_replace($search, "[img]" . $expanded_url . "[/img]", $body); } else { $type = $oembed_data->type; $footerurl = $expanded_url; - $footerlink = "[url=".$expanded_url."]".$expanded_url."[/url]"; + $footerlink = "[url=" . $expanded_url . "]" . $expanded_url . "[/url]"; $body = str_replace($search, $footerlink, $body); } } } - if ($footerurl != "") + if ($footerurl != "") { $footer = add_page_info($footerurl); + } if (($footerlink != "") && (trim($footer) != "")) { $removedlink = trim(str_replace($footerlink, "", $body)); - if (($removedlink == "") || strstr($body, $removedlink)) + if (($removedlink == "") || strstr($body, $removedlink)) { $body = $removedlink; + } $body .= $footer; } } - if ($no_tags) - return(array("body" => $body, "tags" => "")); + if ($no_tags) { + return ["body" => $body, "tags" => ""]; + } $str_tags = ''; - $cnt = preg_match_all("/([!#@])\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism",$body,$matches,PREG_SET_ORDER); - if($cnt) { - foreach($matches as $mtch) { - if(strlen($str_tags)) + $cnt = preg_match_all("/([!#@])\[url\=([$URLSearchString]*)\](.*?)\[\/url\]/ism", $body, $matches, PREG_SET_ORDER); + if ($cnt) { + foreach ($matches as $mtch) { + if (strlen($str_tags)) { $str_tags .= ','; + } if ($mtch[1] == "#") { // Replacing the hash tags that are directed to the GNU Social server with internal links - $snhash = "#[url=".$mtch[2]."]".$mtch[3]."[/url]"; - $frdchash = '#[url='.$a->get_baseurl().'/search?tag='.rawurlencode($mtch[3]).']'.$mtch[3].'[/url]'; + $snhash = "#[url=" . $mtch[2] . "]" . $mtch[3] . "[/url]"; + $frdchash = '#[url=' . $a->get_baseurl() . '/search?tag=' . rawurlencode($mtch[3]) . ']' . $mtch[3] . '[/url]'; $body = str_replace($snhash, $frdchash, $body); $str_tags .= $frdchash; - } else - $str_tags .= "@[url=".$mtch[2]."]".$mtch[3]."[/url]"; - // To-Do: - // There is a problem with links with to GNU Social groups, so these links are stored with "@" like friendica groups - //$str_tags .= $mtch[1]."[url=".$mtch[2]."]".$mtch[3]."[/url]"; + } else { + $str_tags .= "@[url=" . $mtch[2] . "]" . $mtch[3] . "[/url]"; + } + // To-Do: + // There is a problem with links with to GNU Social groups, so these links are stored with "@" like friendica groups + //$str_tags .= $mtch[1]."[url=".$mtch[2]."]".$mtch[3]."[/url]"; } } - return(array("body"=>$body, "tags"=>$str_tags)); - + return ["body" => $body, "tags" => $str_tags]; } -function statusnet_fetch_own_contact($a, $uid) { - $ckey = get_pconfig($uid, 'statusnet', 'consumerkey'); - $csecret = get_pconfig($uid, 'statusnet', 'consumersecret'); - $api = get_pconfig($uid, 'statusnet', 'baseapi'); - $otoken = get_pconfig($uid, 'statusnet', 'oauthtoken'); - $osecret = get_pconfig($uid, 'statusnet', 'oauthsecret'); - $own_url = get_pconfig($uid, 'statusnet', 'own_url'); +function statusnet_fetch_own_contact(App $a, $uid) +{ + $ckey = PConfig::get($uid, 'statusnet', 'consumerkey'); + $csecret = PConfig::get($uid, 'statusnet', 'consumersecret'); + $api = PConfig::get($uid, 'statusnet', 'baseapi'); + $otoken = PConfig::get($uid, 'statusnet', 'oauthtoken'); + $osecret = PConfig::get($uid, 'statusnet', 'oauthsecret'); + $own_url = PConfig::get($uid, 'statusnet', 'own_url'); $contact_id = 0; @@ -1656,66 +1656,73 @@ function statusnet_fetch_own_contact($a, $uid) { // Fetching user data $user = $connection->get('account/verify_credentials'); - set_pconfig($uid, 'statusnet', 'own_url', normalise_link($user->statusnet_profile_url)); + PConfig::set($uid, 'statusnet', 'own_url', normalise_link($user->statusnet_profile_url)); $contact_id = statusnet_fetch_contact($uid, $user, true); - } else { $r = q("SELECT * FROM `contact` WHERE `uid` = %d AND `alias` = '%s' LIMIT 1", intval($uid), dbesc($own_url)); - if(count($r)) + if (count($r)) { $contact_id = $r[0]["id"]; - else - del_pconfig($uid, 'statusnet', 'own_url'); - + } else { + PConfig::delete($uid, 'statusnet', 'own_url'); + } } - return($contact_id); + return $contact_id; } -function statusnet_is_retweet($a, $uid, $body) { +function statusnet_is_retweet(App $a, $uid, $body) +{ $body = trim($body); // Skip if it isn't a pure repeated messages // Does it start with a share? - if (strpos($body, "[share") > 0) - return(false); + if (strpos($body, "[share") > 0) { + return false; + } // Does it end with a share? - if (strlen($body) > (strrpos($body, "[/share]") + 8)) - return(false); + if (strlen($body) > (strrpos($body, "[/share]") + 8)) { + return false; + } - $attributes = preg_replace("/\[share(.*?)\]\s?(.*?)\s?\[\/share\]\s?/ism","$1",$body); + $attributes = preg_replace("/\[share(.*?)\]\s?(.*?)\s?\[\/share\]\s?/ism", "$1", $body); // Skip if there is no shared message in there - if ($body == $attributes) - return(false); + if ($body == $attributes) { + return false; + } $link = ""; preg_match("/link='(.*?)'/ism", $attributes, $matches); - if ($matches[1] != "") + if ($matches[1] != "") { $link = $matches[1]; + } preg_match('/link="(.*?)"/ism', $attributes, $matches); - if ($matches[1] != "") + if ($matches[1] != "") { $link = $matches[1]; + } - $ckey = get_pconfig($uid, 'statusnet', 'consumerkey'); - $csecret = get_pconfig($uid, 'statusnet', 'consumersecret'); - $api = get_pconfig($uid, 'statusnet', 'baseapi'); - $otoken = get_pconfig($uid, 'statusnet', 'oauthtoken'); - $osecret = get_pconfig($uid, 'statusnet', 'oauthsecret'); + $ckey = PConfig::get($uid, 'statusnet', 'consumerkey'); + $csecret = PConfig::get($uid, 'statusnet', 'consumersecret'); + $api = PConfig::get($uid, 'statusnet', 'baseapi'); + $otoken = PConfig::get($uid, 'statusnet', 'oauthtoken'); + $osecret = PConfig::get($uid, 'statusnet', 'oauthsecret'); $hostname = preg_replace("=https?://([\w\.]*)/.*=ism", "$1", $api); - $id = preg_replace("=https?://".$hostname."/notice/(.*)=ism", "$1", $link); + $id = preg_replace("=https?://" . $hostname . "/notice/(.*)=ism", "$1", $link); - if ($id == $link) - return(false); + if ($id == $link) { + return false; + } - logger('statusnet_is_retweet: Retweeting id '.$id.' for user '.$uid, LOGGER_DEBUG); + logger('statusnet_is_retweet: Retweeting id ' . $id . ' for user ' . $uid, LOGGER_DEBUG); - $connection = new StatusNetOAuth($api, $ckey,$csecret,$otoken,$osecret); + $connection = new StatusNetOAuth($api, $ckey, $csecret, $otoken, $osecret); - $result = $connection->post('statuses/retweet/'.$id); + $result = $connection->post('statuses/retweet/' . $id); - logger('statusnet_is_retweet: result '.print_r($result, true), LOGGER_DEBUG); - return(isset($result->id)); + logger('statusnet_is_retweet: result ' . print_r($result, true), LOGGER_DEBUG); + + return isset($result->id); } diff --git a/superblock/lang/es/messages.po b/superblock/lang/es/messages.po index 5f81fef8..3bbdeb90 100644 --- a/superblock/lang/es/messages.po +++ b/superblock/lang/es/messages.po @@ -4,15 +4,15 @@ # # # Translators: -# Albert, 2016 +# Albert, 2016-2017 # juanman , 2017 msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2017-04-21 08:45+0200\n" -"PO-Revision-Date: 2017-07-04 16:27+0000\n" -"Last-Translator: juanman \n" +"PO-Revision-Date: 2017-10-26 18:00+0000\n" +"Last-Translator: Albert\n" "Language-Team: Spanish (http://www.transifex.com/Friendica/friendica/language/es/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -22,7 +22,7 @@ msgstr "" #: superblock.php:53 superblock.php:57 msgid "\"Superblock\"" -msgstr "" +msgstr "«Superbloque»" #: superblock.php:60 msgid "Comma separated profile URLS to block" @@ -34,7 +34,7 @@ msgstr "Guardar configuración" #: superblock.php:76 msgid "SUPERBLOCK Settings saved." -msgstr "" +msgstr "Ajustes de SUPERBLOQUE guardados." #: superblock.php:148 msgid "Block Completely" @@ -42,4 +42,4 @@ msgstr "Bloquear completamente" #: superblock.php:168 msgid "superblock settings updated" -msgstr "" +msgstr "ajustes de superbloque actualizados" diff --git a/superblock/lang/es/strings.php b/superblock/lang/es/strings.php index cb80c96e..1b40975f 100644 --- a/superblock/lang/es/strings.php +++ b/superblock/lang/es/strings.php @@ -5,9 +5,9 @@ function string_plural_select_es($n){ return ($n != 1);; }} ; -$a->strings["\"Superblock\""] = ""; +$a->strings["\"Superblock\""] = "«Superbloque»"; $a->strings["Comma separated profile URLS to block"] = "Perfil de URLS a bloque separado por comas"; $a->strings["Save Settings"] = "Guardar configuración"; -$a->strings["SUPERBLOCK Settings saved."] = ""; +$a->strings["SUPERBLOCK Settings saved."] = "Ajustes de SUPERBLOQUE guardados."; $a->strings["Block Completely"] = "Bloquear completamente"; -$a->strings["superblock settings updated"] = ""; +$a->strings["superblock settings updated"] = "ajustes de superbloque actualizados"; diff --git a/superblock/superblock.php b/superblock/superblock.php index 1c9dab7c..24111486 100644 --- a/superblock/superblock.php +++ b/superblock/superblock.php @@ -47,7 +47,7 @@ function superblock_addon_settings(&$a,&$s) { $a->page['htmlhead'] .= '' . "\r\n"; - $words = get_pconfig(local_user(),'system','blocked'); + $words = PConfig::get(local_user(),'system','blocked'); if(! $words) { $words = ''; } @@ -82,7 +82,7 @@ function superblock_addon_settings_post(&$a,&$b) { function superblock_enotify_store(&$a,&$b) { - $words = get_pconfig($b['uid'],'system','blocked'); + $words = PConfig::get($b['uid'],'system','blocked'); if($words) { $arr = explode(',',$words); } @@ -114,7 +114,7 @@ function superblock_conversation_start(&$a,&$b) { if(! local_user()) return; - $words = get_pconfig(local_user(),'system','blocked'); + $words = PConfig::get(local_user(),'system','blocked'); if($words) { $a->data['superblock'] = explode(',',$words); } @@ -159,7 +159,7 @@ function superblock_init(&$a) { if(! local_user()) return; - $words = get_pconfig(local_user(),'system','blocked'); + $words = PConfig::get(local_user(),'system','blocked'); if(array_key_exists('block',$_GET) && $_GET['block']) { if(strlen($words)) diff --git a/testdrive/testdrive.php b/testdrive/testdrive.php index 4398ffbf..5c3930cd 100644 --- a/testdrive/testdrive.php +++ b/testdrive/testdrive.php @@ -39,7 +39,7 @@ function testdrive_register_account($a,$b) { $uid = $b; - $days = get_config('testdrive','expiredays'); + $days = Config::get('testdrive','expiredays'); if(! $days) return; @@ -59,7 +59,7 @@ function testdrive_cron($a,$b) { if(count($r)) { foreach($r as $rr) { - notification(array( + notification([ 'uid' => $rr['uid'], 'type' => NOTIFY_SYSTEM, 'system_type' => 'testdrive_expire', @@ -69,7 +69,7 @@ function testdrive_cron($a,$b) { 'source_name' => L10n::t('Administrator'), 'source_link' => $a->get_baseurl(), 'source_photo' => $a->get_baseurl() . '/images/person-80.jpg', - )); + ]); q("update user set expire_notification_sent = '%s' where uid = %d", dbesc(DateTimeFormat::utcNow()), @@ -81,12 +81,10 @@ function testdrive_cron($a,$b) { $r = q("select * from user where account_expired = 1 and account_expires_on < UTC_TIMESTAMP() - INTERVAL 5 DAY "); if(count($r)) { - require_once('include/Contact.php'); - foreach($r as $rr) - user_remove($rr['uid']); - + foreach($r as $rr) { + User::remove($rr['uid']); + } } - } function testdrive_enotify(&$a, &$b) { diff --git a/tictac/tictac.php b/tictac/tictac.php index ffea3c26..fe2c5cf1 100644 --- a/tictac/tictac.php +++ b/tictac/tictac.php @@ -40,7 +40,7 @@ function tictac_content(&$a) { $dimen = $a->argv[3]; $yours = $a->argv[4]; $mine = $a->argv[5]; - + $yours .= $_POST['move']; } elseif($a->argc > 1) { @@ -74,11 +74,11 @@ class tictac { private $handicap = 0; private $yours; private $mine; - private $winning_play; + private $winning_play; private $you; private $me; private $debug = 1; - private $crosses = array('011','101','110','112','121','211'); + private $crosses = ['011','101','110','112','121','211']; /* '001','010','011','012','021', @@ -86,82 +86,82 @@ class tictac { '201','210','211','212','221'); */ - private $corners = array( + private $corners = [ '000','002','020','022', - '200','202','220','222'); + '200','202','220','222']; - private $planes = array( - array('000','001','002','010','011','012','020','021','022'), // horiz 1 - array('100','101','102','110','111','112','120','121','122'), // 2 - array('200','201','202','210','211','212','220','221','222'), // 3 - array('000','010','020','100','110','120','200','210','220'), // vert left - array('000','001','002','100','101','102','200','201','202'), // vert top - array('002','012','022','102','112','122','202','212','222'), // vert right - array('020','021','022','120','121','122','220','221','222'), // vert bot - array('010','011','012','110','111','112','210','211','212'), // left vertx - array('001','011','021','101','111','221','201','211','221'), // top vertx - array('000','001','002','110','111','112','220','221','222'), // diag top - array('020','021','022','110','111','112','200','201','202'), // diag bot - array('000','010','020','101','111','121','202','212','222'), // diag left - array('002','012','022','101','111','121','200','210','220'), // diag right - array('002','011','020','102','111','120','202','211','220'), // diag x - array('000','011','022','100','111','122','200','211','222') // diag x - - ); + private $planes = [ + ['000','001','002','010','011','012','020','021','022'], // horiz 1 + ['100','101','102','110','111','112','120','121','122'], // 2 + ['200','201','202','210','211','212','220','221','222'], // 3 + ['000','010','020','100','110','120','200','210','220'], // vert left + ['000','001','002','100','101','102','200','201','202'], // vert top + ['002','012','022','102','112','122','202','212','222'], // vert right + ['020','021','022','120','121','122','220','221','222'], // vert bot + ['010','011','012','110','111','112','210','211','212'], // left vertx + ['001','011','021','101','111','221','201','211','221'], // top vertx + ['000','001','002','110','111','112','220','221','222'], // diag top + ['020','021','022','110','111','112','200','201','202'], // diag bot + ['000','010','020','101','111','121','202','212','222'], // diag left + ['002','012','022','101','111','121','200','210','220'], // diag right + ['002','011','020','102','111','120','202','211','220'], // diag x + ['000','011','022','100','111','122','200','211','222'] // diag x + + ]; - private $winner = array( - array('000','001','002'), // board 0 winners - left corner across - array('000','010','020'), // down - array('000','011','022'), // diag - array('001','011','021'), // middle-top down - array('010','011','012'), // middle-left across - array('002','011','020'), // right-top diag - array('002','012','022'), // right-top down - array('020','021','022'), // bottom-left across - array('100','101','102'), // board 1 winners - array('100','110','120'), - array('100','111','122'), - array('101','111','121'), - array('110','111','112'), - array('102','111','120'), - array('102','112','122'), - array('120','121','122'), - array('200','201','202'), // board 2 winners - array('200','210','220'), - array('200','211','222'), - array('201','211','221'), - array('210','211','212'), - array('202','211','220'), - array('202','212','222'), - array('220','221','222'), - array('000','100','200'), // top-left corner 3d - array('000','101','202'), - array('000','110','220'), - array('000','111','222'), - array('001','101','201'), // top-middle 3d - array('001','111','221'), - array('002','102','202'), // top-right corner 3d - array('002','101','200'), - array('002','112','222'), - array('002','111','220'), - array('010','110','210'), // left-middle 3d - array('010','111','212'), - array('011','111','211'), // middle-middle 3d - array('012','112','212'), // right-middle 3d - array('012','111','210'), - array('020','120','220'), // bottom-left corner 3d - array('020','110','200'), - array('020','121','222'), - array('020','111','202'), - array('021','121','221'), // bottom-middle 3d - array('021','111','201'), - array('022','122','222'), // bottom-right corner 3d - array('022','121','220'), - array('022','112','202'), - array('022','111','200') + private $winner = [ + ['000','001','002'], // board 0 winners - left corner across + ['000','010','020'], // down + ['000','011','022'], // diag + ['001','011','021'], // middle-top down + ['010','011','012'], // middle-left across + ['002','011','020'], // right-top diag + ['002','012','022'], // right-top down + ['020','021','022'], // bottom-left across + ['100','101','102'], // board 1 winners + ['100','110','120'], + ['100','111','122'], + ['101','111','121'], + ['110','111','112'], + ['102','111','120'], + ['102','112','122'], + ['120','121','122'], + ['200','201','202'], // board 2 winners + ['200','210','220'], + ['200','211','222'], + ['201','211','221'], + ['210','211','212'], + ['202','211','220'], + ['202','212','222'], + ['220','221','222'], + ['000','100','200'], // top-left corner 3d + ['000','101','202'], + ['000','110','220'], + ['000','111','222'], + ['001','101','201'], // top-middle 3d + ['001','111','221'], + ['002','102','202'], // top-right corner 3d + ['002','101','200'], + ['002','112','222'], + ['002','111','220'], + ['010','110','210'], // left-middle 3d + ['010','111','212'], + ['011','111','211'], // middle-middle 3d + ['012','112','212'], // right-middle 3d + ['012','111','210'], + ['020','120','220'], // bottom-left corner 3d + ['020','110','200'], + ['020','121','222'], + ['020','111','202'], + ['021','121','221'], // bottom-middle 3d + ['021','111','201'], + ['022','122','222'], // bottom-right corner 3d + ['022','121','220'], + ['022','112','202'], + ['022','111','200'] - ); + ]; function __construct($dimen,$handicap,$mefirst,$yours,$mine) { $this->dimen = 3; @@ -210,7 +210,7 @@ class tictac { $this->mine .= $move; $this->me = $this->parse_moves('me'); } - else { + else { $move = $this->offensive_move(); if(strlen($move)) { $this->mine .= $move; @@ -232,7 +232,7 @@ class tictac { $str = $this->mine; if($player == 'you') $str = $this->yours; - $ret = array(); + $ret = []; while(strlen($str)) { $ret[] = substr($str,0,3); $str = substr($str,3); @@ -300,7 +300,7 @@ function winning_move() { if($this->handicap) { $p = $this->uncontested_plane(); foreach($this->corners as $c) - if((in_array($c,$p)) + if((in_array($c,$p)) && (! $this->is_yours($c)) && (! $this->is_mine($c))) return($c); } @@ -321,11 +321,11 @@ function winning_move() { if(in_array($this->me[0],$this->corners)) { $p = $this->my_best_plane(); foreach($this->winner as $w) { - if((in_array($w[0],$this->you)) + if((in_array($w[0],$this->you)) || (in_array($w[1],$this->you)) || (in_array($w[2],$this->you))) - continue; - if(in_array($w[0],$this->corners) + continue; + if(in_array($w[0],$this->corners) && in_array($w[2],$this->corners) && in_array($w[0],$p) && in_array($w[2],$p)) { if($this->me[0] == $w[0]) @@ -339,7 +339,7 @@ function winning_move() { else { $r = $this->get_corners($this->me); if(count($r) > 1) { - $w1 = array(); $w2 = array(); + $w1 = []; $w2 = []; foreach($this->winner as $w) { if(in_array('111',$w)) continue; @@ -351,13 +351,13 @@ function winning_move() { if(count($w1) && count($w2)) { foreach($w1 as $a) { foreach($w2 as $b) { - if((in_array($a[0],$this->you)) + if((in_array($a[0],$this->you)) || (in_array($a[1],$this->you)) || (in_array($a[2],$this->you)) || (in_array($b[0],$this->you)) || (in_array($b[1],$this->you)) || (in_array($b[2],$this->you))) - continue; + continue; if(($a[0] == $b[0]) && ! $this->is_mine($a[0])) { return $a[0]; } @@ -376,8 +376,8 @@ function winning_move() { // && in_array($this->you[0],$this->corners) // && $this->is_neighbor($this->me[0],$this->you[0])) { - // Yuck. You foiled my plan. Since you obviously aren't playing to win, - // I'll try again. You may keep me busy for a few rounds, but I'm + // Yuck. You foiled my plan. Since you obviously aren't playing to win, + // I'll try again. You may keep me busy for a few rounds, but I'm // gonna' get you eventually. // $p = $this->uncontested_plane(); @@ -389,14 +389,14 @@ function winning_move() { // find all the winners containing my points. - $mywinners = array(); + $mywinners = []; foreach($this->winner as $w) foreach($this->me as $m) if((in_array($m,$w)) && (! in_array($w,$mywinners))) $mywinners[] = $w; // find all the rules where my points are in the center. - $trythese = array(); + $trythese = []; if(count($mywinners)) { foreach($mywinners as $w) { foreach($this->me as $m) { @@ -407,19 +407,19 @@ function winning_move() { } } - $myplanes = array(); + $myplanes = []; for($p = 0; $p < count($this->planes); $p ++) { if($this->handicap && in_array('111',$this->planes[$p])) continue; foreach($this->me as $m) - if((in_array($m,$this->planes[$p])) + if((in_array($m,$this->planes[$p])) && (! in_array($this->planes[$p],$myplanes))) $myplanes[] = $this->planes[$p]; } shuffle($myplanes); // find all winners which share an endpoint, and which are uncontested - $candidates = array(); + $candidates = []; if(count($trythese) && count($myplanes)) { foreach($trythese as $t) { foreach($this->winner as $w) { @@ -437,7 +437,7 @@ function winning_move() { // Find out if we are about to force a win. // Looking for two winning vectors with a common endpoint - // and where we own the middle of both - we are now going to + // and where we own the middle of both - we are now going to // grab the endpoint. The game isn't yet over but we've already won. if(count($candidates)) { @@ -453,7 +453,7 @@ function winning_move() { } // find opponents planes - $yourplanes = array(); + $yourplanes = []; for($p = 0; $p < count($this->planes); $p ++) { if($this->handicap && in_array('111',$this->planes[$p])) continue; @@ -467,7 +467,7 @@ function winning_move() { // We now have a list of winning strategy vectors for our second point // Pick one that will force you into defensive mode. // Pick a point close to you so we don't risk giving you two - // in a row when you block us. That would force *us* into + // in a row when you block us. That would force *us* into // defensive mode. // We want: or: not: // X|O| X| | X| | @@ -476,41 +476,41 @@ function winning_move() { if(count($this->you) == 1) { foreach($this->winner as $w) { - if(in_array($this->me[0], $w) && in_array($c[1],$w) - && $this->uncontested_winner($w) + if(in_array($this->me[0], $w) && in_array($c[1],$w) + && $this->uncontested_winner($w) && $this->is_neighbor($this->you[0],$c[1])) { return($c[1]); - } + } } } - } + } - // You're somewhere else entirely or have made more than one move + // You're somewhere else entirely or have made more than one move // - any strategy vector which puts you on the defense will have to do foreach($candidates as $c) { foreach($this->winner as $w) { - if(in_array($this->me[0], $w) && in_array($c[1],$w) + if(in_array($this->me[0], $w) && in_array($c[1],$w) && $this->uncontested_winner($w)) { return($c[1]); - } + } } } } - // worst case scenario, no strategy we can play, + // worst case scenario, no strategy we can play, // just find an empty space and take it for($x = 0; $x < $this->dimen; $x ++) for($y = 0; $y < $this->dimen; $y ++) for($z = 0; $z < $this->dimen; $z ++) - if((! $this->marked_yours($x,$y,$z)) + if((! $this->marked_yours($x,$y,$z)) && (! $this->marked_mine($x,$y,$z))) { if($this->handicap && $x == 1 && $y == 1 && $z == 1) continue; return(sprintf("%d%d%d",$x,$y,$z)); } - + return ''; } @@ -541,7 +541,7 @@ function winning_move() { } function get_corners($a) { - $total = array(); + $total = []; if(count($a)) foreach($a as $b) if(in_array($b,$this->corners)) @@ -576,7 +576,7 @@ function winning_move() { function my_best_plane() { - $second_choice = array(); + $second_choice = []; shuffle($this->planes); for($p = 0; $p < count($this->planes); $p ++ ) { $contested = 0; @@ -586,7 +586,7 @@ function winning_move() { continue; foreach($this->you as $m) { if(in_array($m,$this->planes[$p])) - $contested ++; + $contested ++; } if(! $contested) return($this->planes[$p]); @@ -611,8 +611,8 @@ function winning_move() { if($this->handicap && in_array('111',$pl[$p])) continue; foreach($this->you as $m) { - if(in_array($m,$pl[$p])) - $freeplane = false; + if(in_array($m,$pl[$p])) + $freeplane = false; } if(! $freeplane) { $freeplane = true; @@ -621,7 +621,7 @@ function winning_move() { if($freeplane) return($pl[$p]); } - return array(); + return []; } function fullboard() { @@ -642,7 +642,7 @@ function winning_move() { $bordertop = (($y != 0) ? " border-top: 2px solid #000;" : ""); $borderleft = (($z != 0) ? " border-left: 2px solid #000;" : ""); if($this->handicap && $x == 1 && $y == 1 && $z == 1) - $o .= " "; + $o .= " "; elseif($this->marked_yours($x,$y,$z)) $o .= "X"; elseif($this->marked_mine($x,$y,$z)) diff --git a/tumblr/tumblr.php b/tumblr/tumblr.php index e038b843..b2dec5b5 100644 --- a/tumblr/tumblr.php +++ b/tumblr/tumblr.php @@ -85,8 +85,8 @@ function tumblr_connect($a) { //require_once('addon/tumblr/tumblroauth/tumblroauth.php'); // Define the needed keys - $consumer_key = get_config('tumblr','consumer_key'); - $consumer_secret = get_config('tumblr','consumer_secret'); + $consumer_key = Config::get('tumblr','consumer_key'); + $consumer_secret = Config::get('tumblr','consumer_secret'); // The callback URL is the script that gets called after the user authenticates with tumblr // In this example, it would be the included callback.php @@ -135,8 +135,8 @@ function tumblr_callback($a) { //require_once('addon/tumblr/tumblroauth/tumblroauth.php'); // Define the needed keys - $consumer_key = get_config('tumblr','consumer_key'); - $consumer_secret = get_config('tumblr','consumer_secret'); + $consumer_key = Config::get('tumblr','consumer_key'); + $consumer_secret = Config::get('tumblr','consumer_secret'); // Once the user approves your app at Tumblr, they are sent back to this script. // This script is passed two parameters in the URL, oauth_token (our Request Token) @@ -162,8 +162,8 @@ function tumblr_callback($a) { } // What's next? Now that we have an Access Token and Secret, we can make an API call. - set_pconfig(local_user(), "tumblr", "oauth_token", $access_token['oauth_token']); - set_pconfig(local_user(), "tumblr", "oauth_token_secret", $access_token['oauth_token_secret']); + PConfig::set(local_user(), "tumblr", "oauth_token", $access_token['oauth_token']); + PConfig::set(local_user(), "tumblr", "oauth_token_secret", $access_token['oauth_token_secret']); $o = L10n::t("You are now authenticated to tumblr."); $o .= '
    '.L10n::t("return to the connector page").''; @@ -174,9 +174,9 @@ function tumblr_jot_nets(&$a,&$b) { if(! local_user()) return; - $tmbl_post = get_pconfig(local_user(),'tumblr','post'); + $tmbl_post = PConfig::get(local_user(),'tumblr','post'); if(intval($tmbl_post) == 1) { - $tmbl_defpost = get_pconfig(local_user(),'tumblr','post_by_default'); + $tmbl_defpost = PConfig::get(local_user(),'tumblr','post_by_default'); $selected = ((intval($tmbl_defpost) == 1) ? ' checked="checked" ' : ''); $b .= '
    ' . L10n::t('Post to Tumblr') . '
    '; @@ -195,11 +195,11 @@ function tumblr_settings(&$a,&$s) { /* Get the current state of our config variables */ - $enabled = get_pconfig(local_user(),'tumblr','post'); + $enabled = PConfig::get(local_user(),'tumblr','post'); $checked = (($enabled) ? ' checked="checked" ' : ''); $css = (($enabled) ? '' : '-disabled'); - $def_enabled = get_pconfig(local_user(),'tumblr','post_by_default'); + $def_enabled = PConfig::get(local_user(),'tumblr','post_by_default'); $def_checked = (($def_enabled) ? ' checked="checked" ' : ''); @@ -227,26 +227,26 @@ function tumblr_settings(&$a,&$s) { $s .= ''; $s .= '
    '; - $oauth_token = get_pconfig(local_user(), "tumblr", "oauth_token"); - $oauth_token_secret = get_pconfig(local_user(), "tumblr", "oauth_token_secret"); + $oauth_token = PConfig::get(local_user(), "tumblr", "oauth_token"); + $oauth_token_secret = PConfig::get(local_user(), "tumblr", "oauth_token_secret"); $s .= '
    '; if (($oauth_token != "") && ($oauth_token_secret != "")) { - $page = get_pconfig(local_user(),'tumblr','page'); - $consumer_key = get_config('tumblr','consumer_key'); - $consumer_secret = get_config('tumblr','consumer_secret'); + $page = PConfig::get(local_user(),'tumblr','page'); + $consumer_key = Config::get('tumblr','consumer_key'); + $consumer_secret = Config::get('tumblr','consumer_secret'); $tum_oauth = new TumblrOAuth($consumer_key, $consumer_secret, $oauth_token, $oauth_token_secret); $userinfo = $tum_oauth->get('user/info'); - $blogs = array(); + $blogs = []; $s .= ''; $s .= ' ' . L10n::t('Post to Twitter') . '
    '; } } -function twitter_settings_post ($a,$post) { - if(! local_user()) +function twitter_settings_post(App $a, $post) +{ + if (!local_user()) { return; + } // don't check twitter settings if twitter submit button is not clicked if (empty($_POST['twitter-disconnect']) && empty($_POST['twitter-submit'])) { return; + } if (!empty($_POST['twitter-disconnect'])) { /* * * * if the twitter-disconnect checkbox is set, clear the OAuth key/secret pair * from the user configuration */ - del_pconfig(local_user(), 'twitter', 'consumerkey'); - del_pconfig(local_user(), 'twitter', 'consumersecret'); - del_pconfig(local_user(), 'twitter', 'oauthtoken'); - del_pconfig(local_user(), 'twitter', 'oauthsecret'); - del_pconfig(local_user(), 'twitter', 'post'); - del_pconfig(local_user(), 'twitter', 'post_by_default'); - del_pconfig(local_user(), 'twitter', 'lastid'); - del_pconfig(local_user(), 'twitter', 'mirror_posts'); - del_pconfig(local_user(), 'twitter', 'import'); - del_pconfig(local_user(), 'twitter', 'create_user'); - del_pconfig(local_user(), 'twitter', 'own_id'); + PConfig::delete(local_user(), 'twitter', 'consumerkey'); + PConfig::delete(local_user(), 'twitter', 'consumersecret'); + PConfig::delete(local_user(), 'twitter', 'oauthtoken'); + PConfig::delete(local_user(), 'twitter', 'oauthsecret'); + PConfig::delete(local_user(), 'twitter', 'post'); + PConfig::delete(local_user(), 'twitter', 'post_by_default'); + PConfig::delete(local_user(), 'twitter', 'lastid'); + PConfig::delete(local_user(), 'twitter', 'mirror_posts'); + PConfig::delete(local_user(), 'twitter', 'import'); + PConfig::delete(local_user(), 'twitter', 'create_user'); + PConfig::delete(local_user(), 'twitter', 'own_id'); } else { if (isset($_POST['twitter-pin'])) { // if the user supplied us with a PIN from Twitter, let the magic of OAuth happen @@ -252,14 +262,17 @@ function twitter_settings_post ($a,$post) { } } } -function twitter_settings(&$a,&$s) { - if(! local_user()) + +function twitter_settings(App $a, &$s) +{ + if (!local_user()) { return; + } $a->page['htmlhead'] .= '' . "\r\n"; - /*** + /* * * * 1) Check that we have global consumer key & secret * 2) If no OAuthtoken & stuff is present, generate button to get some - * 3) Checkbox for "Send public notices (140 chars only) + * 3) Checkbox for "Send public notices (280 chars only) */ $ckey = Config::get('twitter', 'consumerkey'); $csecret = Config::get('twitter', 'consumersecret'); @@ -308,24 +321,12 @@ function twitter_settings(&$a,&$s) { $s .= '
    '; $s .= '
    '; } else { - /*** + /* * * * we have an OAuth key / secret pair for the user * so let's give a chance to disable the postings to Twitter */ $connection = new TwitterOAuth($ckey, $csecret, $otoken, $osecret); $details = $connection->get('account/verify_credentials'); - $s .= '

    '. t('Currently connected to: ') .''.$details->screen_name.'
    '.$details->description.'

    '; - $s .= '

    '. t('If enabled all your public postings can be posted to the associated Twitter account. You can choose to do so by default (here) or for every posting separately in the posting options when writing the entry.') .'

    '; - if ($a->user['hidewall']) { - $s .= '

    '. t('Note: Due your privacy settings (Hide your profile details from unknown viewers?) the link potentially included in public postings relayed to Twitter will lead the visitor to a blank page informing the visitor that the access to your profile has been restricted.') .'

    '; - } - $s .= '
    '; - $s .= ''; - $s .= ''; - $s .= '
    '; - $s .= ''; - $s .= ''; - $s .= '
    '; $field_checkbox = get_markup_template('field_checkbox.tpl'); @@ -339,7 +340,6 @@ function twitter_settings(&$a,&$s) {

    '; $s .= '
    '; - $s .= ''; $s .= replace_macros($field_checkbox, [ '$field' => ['twitter-enable', L10n::t('Allow posting to Twitter'), $enabled, L10n::t('If enabled all your public postings can be posted to the associated Twitter account. You can choose to do so by default (here) or for every posting separately in the posting options when writing the entry.')] @@ -360,8 +360,6 @@ function twitter_settings(&$a,&$s) { '$field' => ['twitter-create_user', L10n::t('Automatically create contacts'), $create_userenabled, ''] ]); - $s .= ''; - $s .= ''; $s .= '
    '; $s .= '
    '; } @@ -369,9 +367,8 @@ function twitter_settings(&$a,&$s) { $s .= '
    '; } - -function twitter_post_local(&$a, &$b) { - +function twitter_post_local(App $a, &$b) +{ if ($b['edit']) { return; } @@ -380,11 +377,11 @@ function twitter_post_local(&$a, &$b) { return; } - $twitter_post = intval(get_pconfig(local_user(), 'twitter', 'post')); + $twitter_post = intval(PConfig::get(local_user(), 'twitter', 'post')); $twitter_enable = (($twitter_post && x($_REQUEST, 'twitter_enable')) ? intval($_REQUEST['twitter_enable']) : 0); // if API is used, default to the chosen settings - if ($b['api_source'] && intval(get_pconfig(local_user(), 'twitter', 'post_by_default'))) { + if ($b['api_source'] && intval(PConfig::get(local_user(), 'twitter', 'post_by_default'))) { $twitter_enable = 1; } @@ -399,13 +396,18 @@ function twitter_post_local(&$a, &$b) { $b['postopts'] .= 'twitter'; } -function twitter_action($a, $uid, $pid, $action) { +function twitter_action(App $a, $uid, $pid, $action) +{ + $ckey = Config::get('twitter', 'consumerkey'); + $csecret = Config::get('twitter', 'consumersecret'); + $otoken = PConfig::get($uid, 'twitter', 'oauthtoken'); + $osecret = PConfig::get($uid, 'twitter', 'oauthsecret'); $connection = new TwitterOAuth($ckey, $csecret, $otoken, $osecret); - $post = array('id' => $pid); + $post = ['id' => $pid]; - logger("twitter_action '".$action."' ID: ".$pid." data: " . print_r($post, true), LOGGER_DATA); + logger("twitter_action '" . $action . "' ID: " . $pid . " data: " . print_r($post, true), LOGGER_DATA); switch ($action) { case "delete": @@ -418,7 +420,7 @@ function twitter_action($a, $uid, $pid, $action) { $result = $connection->post('favorites/destroy', $post); break; } - logger("twitter_action '".$action."' send, result: " . print_r($result, true), LOGGER_DEBUG); + logger("twitter_action '" . $action . "' send, result: " . print_r($result, true), LOGGER_DEBUG); } function twitter_post_hook(App $a, &$b) @@ -429,8 +431,8 @@ function twitter_post_hook(App $a, &$b) return; } - if($b['parent'] != $b['id']) { - logger("twitter_post_hook: parameter ".print_r($b, true), LOGGER_DATA); + if ($b['parent'] != $b['id']) { + logger("twitter_post_hook: parameter " . print_r($b, true), LOGGER_DATA); // Looking if its a reply to a twitter post if ((substr($b["parent-uri"], 0, 9) != "twitter::") @@ -445,8 +447,8 @@ function twitter_post_hook(App $a, &$b) dbesc($b["thr-parent"]), intval($b["uid"])); - if(!count($r)) { - logger("twitter_post_hook: no parent found ".$b["thr-parent"]); + if (!count($r)) { + logger("twitter_post_hook: no parent found " . $b["thr-parent"]); return; } else { $iscomment = true; @@ -455,23 +457,33 @@ function twitter_post_hook(App $a, &$b) $nicknameplain = preg_replace("=https?://twitter.com/(.*)=ism", "$1", $orig_post["author-link"]); - $nickname = "@[url=".$orig_post["author-link"]."]".$nicknameplain."[/url]"; - $nicknameplain = "@".$nicknameplain; + $nickname = "@[url=" . $orig_post["author-link"] . "]" . $nicknameplain . "[/url]"; + $nicknameplain = "@" . $nicknameplain; - logger("twitter_post_hook: comparing ".$nickname." and ".$nicknameplain." with ".$b["body"], LOGGER_DEBUG); - if ((strpos($b["body"], $nickname) === false) && (strpos($b["body"], $nicknameplain) === false)) - $b["body"] = $nickname." ".$b["body"]; + logger("twitter_post_hook: comparing " . $nickname . " and " . $nicknameplain . " with " . $b["body"], LOGGER_DEBUG); + if ((strpos($b["body"], $nickname) === false) && (strpos($b["body"], $nicknameplain) === false)) { + $b["body"] = $nickname . " " . $b["body"]; + } - logger("twitter_post_hook: parent found ".print_r($orig_post, true), LOGGER_DATA); + logger("twitter_post_hook: parent found " . print_r($orig_post, true), LOGGER_DATA); } else { $iscomment = false; - if($b['private'] || !strstr($b['postopts'],'twitter')) + if ($b['private'] || !strstr($b['postopts'], 'twitter')) { return; + } + + // Dont't post if the post doesn't belong to us. + // This is a check for forum postings + $self = dba::selectFirst('contact', ['id'], ['uid' => $b['uid'], 'self' => true]); + if ($b['contact-id'] != $self['id']) { + return; + } } - if (($b['verb'] == ACTIVITY_POST) && $b['deleted']) + if (($b['verb'] == ACTIVITY_POST) && $b['deleted']) { twitter_action($a, $b["uid"], substr($orig_post["uri"], 9), "delete"); + } if ($b['verb'] == ACTIVITY_LIKE) { logger("twitter_post_hook: parameter 2 " . substr($b["thr-parent"], 9), LOGGER_DEBUG); @@ -484,32 +496,35 @@ function twitter_post_hook(App $a, &$b) return; } - if($b['deleted'] || ($b['created'] !== $b['edited'])) + if ($b['deleted'] || ($b['created'] !== $b['edited'])) { return; + } // if post comes from twitter don't send it back - if($b['extid'] == NETWORK_TWITTER) + if ($b['extid'] == NETWORK_TWITTER) { return; + } - if($b['app'] == "Twitter") + if ($b['app'] == "Twitter") { return; + } logger('twitter post invoked'); + PConfig::load($b['uid'], 'twitter'); - load_pconfig($b['uid'], 'twitter'); + $ckey = Config::get('twitter', 'consumerkey'); + $csecret = Config::get('twitter', 'consumersecret'); + $otoken = PConfig::get($b['uid'], 'twitter', 'oauthtoken'); + $osecret = PConfig::get($b['uid'], 'twitter', 'oauthsecret'); - $ckey = get_config('twitter', 'consumerkey'); - $csecret = get_config('twitter', 'consumersecret'); - $otoken = get_pconfig($b['uid'], 'twitter', 'oauthtoken'); - $osecret = get_pconfig($b['uid'], 'twitter', 'oauthsecret'); - - if($ckey && $csecret && $otoken && $osecret) { + if ($ckey && $csecret && $otoken && $osecret) { logger('twitter: we have customer key and oauth stuff, going to send.', LOGGER_DEBUG); // If it's a repeated message from twitter then do a native retweet and exit - if (twitter_is_retweet($a, $b['uid'], $b['body'])) + if (twitter_is_retweet($a, $b['uid'], $b['body'])) { return; + } $connection = new TwitterOAuth($ckey, $csecret, $otoken, $osecret); @@ -523,11 +538,13 @@ function twitter_post_hook(App $a, &$b) $image = ""; - if (isset($msgarr["url"]) && ($msgarr["type"] != "photo")) - $msg .= "\n".$msgarr["url"]; + if (isset($msgarr["url"]) && ($msgarr["type"] != "photo")) { + $msg .= "\n" . $msgarr["url"]; + } - if (isset($msgarr["image"]) && ($msgarr["type"] != "video")) + if (isset($msgarr["image"]) && ($msgarr["type"] != "video")) { $image = $msgarr["image"]; + } // and now tweet it :-) if (strlen($msg) && ($image != "")) { @@ -536,21 +553,23 @@ function twitter_post_hook(App $a, &$b) $post = ['status' => $msg, 'media_ids' => $media->media_id_string]; - if ($iscomment) + if ($iscomment) { $post["in_reply_to_status_id"] = substr($orig_post["uri"], 9); + } $result = $connection->post('statuses/update', $post); logger('twitter_post_with_media send, result: ' . print_r($result, true), LOGGER_DEBUG); - if ($result->source) - set_config("twitter", "application_name", strip_tags($result->source)); + if ($result->source) { + Config::set("twitter", "application_name", strip_tags($result->source)); + } if ($result->errors || $result->error) { logger('Send to Twitter failed: "' . print_r($result->errors, true) . '"'); // Workaround: Remove the picture link so that the post can be reposted without it - $msg .= " ".$image; + $msg .= " " . $image; $image = ""; } elseif ($iscomment) { logger('twitter_post: Update extid ' . $result->id_str . " for post id " . $b['id']); @@ -573,23 +592,26 @@ function twitter_post_hook(App $a, &$b) } // ----------------- $url = 'statuses/update'; - $post = array('status' => $msg); + $post = ['status' => $msg, 'weighted_character_count' => 'true']; - if ($iscomment) + if ($iscomment) { $post["in_reply_to_status_id"] = substr($orig_post["uri"], 9); + } $result = $connection->post($url, $post); logger('twitter_post send, result: ' . print_r($result, true), LOGGER_DEBUG); - if ($result->source) - set_config("twitter", "application_name", strip_tags($result->source)); + if ($result->source) { + Config::set("twitter", "application_name", strip_tags($result->source)); + } if ($result->errors) { logger('Send to Twitter failed: "' . print_r($result->errors, true) . '"'); $r = q("SELECT `id` FROM `contact` WHERE `uid` = %d AND `self`", intval($b['uid'])); - if (count($r)) + if (count($r)) { $a->contact = $r[0]["id"]; + } $s = serialize(['url' => $url, 'item' => $b['id'], 'post' => $post]); @@ -611,8 +633,6 @@ function twitter_addon_admin_post(App $a) Config::set('twitter', 'consumersecret', $consumersecret); info(L10n::t('Settings updated.') . EOL); } -function twitter_plugin_admin(&$a, &$o){ - $t = get_markup_template( "admin.tpl", "addon/twitter/" ); function twitter_addon_admin(App $a, &$o) { @@ -626,16 +646,18 @@ function twitter_addon_admin(App $a, &$o) ]); } -function twitter_cron($a,$b) { - $last = get_config('twitter','last_poll'); +function twitter_cron(App $a, $b) +{ + $last = Config::get('twitter', 'last_poll'); - $poll_interval = intval(get_config('twitter','poll_interval')); - if(! $poll_interval) + $poll_interval = intval(Config::get('twitter', 'poll_interval')); + if (!$poll_interval) { $poll_interval = TWITTER_DEFAULT_POLL_INTERVAL; + } - if($last) { + if ($last) { $next = $last + ($poll_interval * 60); - if($next > time()) { + if ($next > time()) { logger('twitter: poll intervall not reached'); return; } @@ -643,10 +665,10 @@ function twitter_cron($a,$b) { logger('twitter: cron_start'); $r = q("SELECT * FROM `pconfig` WHERE `cat` = 'twitter' AND `k` = 'mirror_posts' AND `v` = '1'"); - if(count($r)) { - foreach($r as $rr) { - logger('twitter: fetching for user '.$rr['uid']); - proc_run(PRIORITY_MEDIUM, "addon/twitter/twitter_sync.php", 1, (int)$rr['uid']); + if (count($r)) { + foreach ($r as $rr) { + logger('twitter: fetching for user ' . $rr['uid']); + Worker::add(PRIORITY_MEDIUM, "addon/twitter/twitter_sync.php", 1, (int) $rr['uid']); } } @@ -658,59 +680,59 @@ function twitter_cron($a,$b) { $abandon_limit = date(DateTimeFormat::MYSQL, time() - $abandon_days * 86400); $r = q("SELECT * FROM `pconfig` WHERE `cat` = 'twitter' AND `k` = 'import' AND `v` = '1'"); - if(count($r)) { - foreach($r as $rr) { + if (count($r)) { + foreach ($r as $rr) { if ($abandon_days != 0) { $user = q("SELECT `login_date` FROM `user` WHERE uid=%d AND `login_date` >= '%s'", $rr['uid'], $abandon_limit); if (!count($user)) { - logger('abandoned account: timeline from user '.$rr['uid'].' will not be imported'); + logger('abandoned account: timeline from user ' . $rr['uid'] . ' will not be imported'); continue; } } - logger('twitter: importing timeline from user '.$rr['uid']); - proc_run(PRIORITY_MEDIUM, "addon/twitter/twitter_sync.php", 2, (int)$rr['uid']); -/* - // To-Do - // check for new contacts once a day - $last_contact_check = get_pconfig($rr['uid'],'pumpio','contact_check'); - if($last_contact_check) - $next_contact_check = $last_contact_check + 86400; - else - $next_contact_check = 0; - - if($next_contact_check <= time()) { - pumpio_getallusers($a, $rr["uid"]); - set_pconfig($rr['uid'],'pumpio','contact_check',time()); - } -*/ + logger('twitter: importing timeline from user ' . $rr['uid']); + Worker::add(PRIORITY_MEDIUM, "addon/twitter/twitter_sync.php", 2, (int) $rr['uid']); + /* + // To-Do + // check for new contacts once a day + $last_contact_check = PConfig::get($rr['uid'],'pumpio','contact_check'); + if($last_contact_check) + $next_contact_check = $last_contact_check + 86400; + else + $next_contact_check = 0; + if($next_contact_check <= time()) { + pumpio_getallusers($a, $rr["uid"]); + PConfig::set($rr['uid'],'pumpio','contact_check',time()); + } + */ } } logger('twitter: cron_end'); - set_config('twitter','last_poll', time()); + Config::set('twitter', 'last_poll', time()); } -function twitter_expire($a,$b) { +function twitter_expire(App $a, $b) +{ + $days = Config::get('twitter', 'expire'); - $days = get_config('twitter', 'expire'); - - if ($days == 0) + if ($days == 0) { return; + } if (method_exists('dba', 'delete')) { - $r = dba::select('item', array('id'), array('deleted' => true, 'network' => NETWORK_TWITTER)); + $r = dba::select('item', ['id'], ['deleted' => true, 'network' => NETWORK_TWITTER]); while ($row = dba::fetch($r)) { - dba::delete('item', array('id' => $row['id'])); + dba::delete('item', ['id' => $row['id']]); } dba::close($r); } else { $r = q("DELETE FROM `item` WHERE `deleted` AND `network` = '%s'", dbesc(NETWORK_TWITTER)); } - require_once("include/items.php"); + require_once "include/items.php"; logger('twitter_expire: expire_start'); @@ -725,64 +747,70 @@ function twitter_expire($a,$b) { logger('twitter_expire: expire_end'); } -function twitter_prepare_body(&$a,&$b) { - if ($b["item"]["network"] != NETWORK_TWITTER) +function twitter_prepare_body(App $a, &$b) +{ + if ($b["item"]["network"] != NETWORK_TWITTER) { return; + } if ($b["preview"]) { $max_char = 280; $item = $b["item"]; - $item["plink"] = $a->get_baseurl()."/display/".$a->user["nickname"]."/".$item["parent"]; + $item["plink"] = $a->get_baseurl() . "/display/" . $a->user["nickname"] . "/" . $item["parent"]; $r = q("SELECT `author-link` FROM item WHERE item.uri = '%s' AND item.uid = %d LIMIT 1", dbesc($item["thr-parent"]), intval(local_user())); - if(count($r)) { + if (count($r)) { $orig_post = $r[0]; $nicknameplain = preg_replace("=https?://twitter.com/(.*)=ism", "$1", $orig_post["author-link"]); - $nickname = "@[url=".$orig_post["author-link"]."]".$nicknameplain."[/url]"; - $nicknameplain = "@".$nicknameplain; + $nickname = "@[url=" . $orig_post["author-link"] . "]" . $nicknameplain . "[/url]"; + $nicknameplain = "@" . $nicknameplain; - if ((strpos($item["body"], $nickname) === false) && (strpos($item["body"], $nicknameplain) === false)) - $item["body"] = $nickname." ".$item["body"]; + if ((strpos($item["body"], $nickname) === false) && (strpos($item["body"], $nicknameplain) === false)) { + $item["body"] = $nickname . " " . $item["body"]; + } } $msgarr = BBCode::toPlaintext($item, $max_char, true, 8); $msg = $msgarr["text"]; - if (isset($msgarr["url"]) && ($msgarr["type"] != "photo")) - $msg .= " ".$msgarr["url"]; + if (isset($msgarr["url"]) && ($msgarr["type"] != "photo")) { + $msg .= " " . $msgarr["url"]; + } - if (isset($msgarr["image"])) - $msg .= " ".$msgarr["image"]; + if (isset($msgarr["image"])) { + $msg .= " " . $msgarr["image"]; + } - $b['html'] = nl2br(htmlspecialchars($msg)); + $b['html'] = nl2br(htmlspecialchars($msg)); } } /** * @brief Build the item array for the mirrored post * - * @param object $a Application class + * @param App $a Application class * @param integer $uid User id * @param object $post Twitter object with the post * * @return array item data to be posted */ -function twitter_do_mirrorpost($a, $uid, $post) { +function twitter_do_mirrorpost(App $a, $uid, $post) +{ $datarray["type"] = "wall"; $datarray["api_source"] = true; $datarray["profile_uid"] = $uid; $datarray["extid"] = NETWORK_TWITTER; - $datarray['message_id'] = item_new_uri($a->get_hostname(), $uid, NETWORK_TWITTER.":".$post->id); + $datarray['message_id'] = item_new_uri($a->get_hostname(), $uid, NETWORK_TWITTER . ":" . $post->id); $datarray['object'] = json_encode($post); $datarray["title"] = ""; if (is_object($post->retweeted_status)) { // We don't support nested shares, so we mustn't show quotes as shares on retweets - $item = twitter_createpost($a, $uid, $post->retweeted_status, array('id' => 0), false, false, true); + $item = twitter_createpost($a, $uid, $post->retweeted_status, ['id' => 0], false, false, true); $datarray['body'] = "\n" . share_header( $item['author-name'], @@ -793,9 +821,9 @@ function twitter_do_mirrorpost($a, $uid, $post) { $item['plink'] ); - $datarray['body'] .= $item['body'].'[/share]'; + $datarray['body'] .= $item['body'] . '[/share]'; } else { - $item = twitter_createpost($a, $uid, $post, array('id' => 0), false, false, false); + $item = twitter_createpost($a, $uid, $post, ['id' => 0], false, false, false); $datarray['body'] = $item['body']; } @@ -814,77 +842,83 @@ function twitter_do_mirrorpost($a, $uid, $post) { return $datarray; } -function twitter_fetchtimeline($a, $uid) { - $ckey = get_config('twitter', 'consumerkey'); - $csecret = get_config('twitter', 'consumersecret'); - $otoken = get_pconfig($uid, 'twitter', 'oauthtoken'); - $osecret = get_pconfig($uid, 'twitter', 'oauthsecret'); - $lastid = get_pconfig($uid, 'twitter', 'lastid'); +function twitter_fetchtimeline(App $a, $uid) +{ + $ckey = Config::get('twitter', 'consumerkey'); + $csecret = Config::get('twitter', 'consumersecret'); + $otoken = PConfig::get($uid, 'twitter', 'oauthtoken'); + $osecret = PConfig::get($uid, 'twitter', 'oauthsecret'); + $lastid = PConfig::get($uid, 'twitter', 'lastid'); - $application_name = get_config('twitter', 'application_name'); + $application_name = Config::get('twitter', 'application_name'); - if ($application_name == "") + if ($application_name == "") { $application_name = $a->get_hostname(); + } $has_picture = false; - require_once('mod/item.php'); - require_once('include/items.php'); - require_once('mod/share.php'); + require_once 'mod/item.php'; + require_once 'include/items.php'; + require_once 'mod/share.php'; $connection = new TwitterOAuth($ckey, $csecret, $otoken, $osecret); - $parameters = array("exclude_replies" => true, "trim_user" => false, "contributor_details" => true, "include_rts" => true, "tweet_mode" => "extended"); + $parameters = ["exclude_replies" => true, "trim_user" => false, "contributor_details" => true, "include_rts" => true, "tweet_mode" => "extended"]; $first_time = ($lastid == ""); - if ($lastid <> "") + if ($lastid != "") { $parameters["since_id"] = $lastid; + } $items = $connection->get('statuses/user_timeline', $parameters); - if (!is_array($items)) + if (!is_array($items)) { return; + } $posts = array_reverse($items); if (count($posts)) { - foreach ($posts as $post) { - if ($post->id_str > $lastid) { - $lastid = $post->id_str; - set_pconfig($uid, 'twitter', 'lastid', $lastid); + foreach ($posts as $post) { + if ($post->id_str > $lastid) { + $lastid = $post->id_str; + PConfig::set($uid, 'twitter', 'lastid', $lastid); + } + + if ($first_time) { + continue; + } + + if (!stristr($post->source, $application_name)) { + $_SESSION["authenticated"] = true; + $_SESSION["uid"] = $uid; + + $_REQUEST = twitter_do_mirrorpost($a, $uid, $post); + + logger('twitter: posting for user ' . $uid); + + item_post($a); + } } - - if ($first_time) - continue; - - if (!stristr($post->source, $application_name)) { - - $_SESSION["authenticated"] = true; - $_SESSION["uid"] = $uid; - - $_REQUEST = twitter_do_mirrorpost($a, $uid, $post); - - logger('twitter: posting for user '.$uid); - - item_post($a); - } - } } - set_pconfig($uid, 'twitter', 'lastid', $lastid); + PConfig::set($uid, 'twitter', 'lastid', $lastid); } -function twitter_queue_hook(&$a,&$b) { - +function twitter_queue_hook(App $a, &$b) +{ $qi = q("SELECT * FROM `queue` WHERE `network` = '%s'", dbesc(NETWORK_TWITTER) - ); - if(! count($qi)) + ); + if (!count($qi)) { return; + } foreach ($qi as $x) { if ($x['network'] !== NETWORK_TWITTER) { continue; + } logger('twitter_queue: run'); @@ -892,20 +926,20 @@ function twitter_queue_hook(&$a,&$b) { WHERE `contact`.`self` = 1 AND `contact`.`id` = %d LIMIT 1", intval($x['cid']) ); - if(! count($r)) + if (!count($r)) { continue; + } $user = $r[0]; - $ckey = get_config('twitter', 'consumerkey'); - $csecret = get_config('twitter', 'consumersecret'); - $otoken = get_pconfig($user['uid'], 'twitter', 'oauthtoken'); - $osecret = get_pconfig($user['uid'], 'twitter', 'oauthsecret'); + $ckey = Config::get('twitter', 'consumerkey'); + $csecret = Config::get('twitter', 'consumersecret'); + $otoken = PConfig::get($user['uid'], 'twitter', 'oauthtoken'); + $osecret = PConfig::get($user['uid'], 'twitter', 'oauthsecret'); $success = false; if ($ckey && $csecret && $otoken && $osecret) { - logger('twitter_queue: able to post'); $z = unserialize($x['content']); @@ -915,14 +949,15 @@ function twitter_queue_hook(&$a,&$b) { logger('twitter_queue: post result: ' . print_r($result, true), LOGGER_DEBUG); - if ($result->errors) + if ($result->errors) { logger('twitter_queue: Send to Twitter failed: "' . print_r($result->errors, true) . '"'); - else { + } else { $success = true; Queue::removeItem($x['id']); } - } else - logger("twitter_queue: Error getting tokens for user ".$user['uid']); + } else { + logger("twitter_queue: Error getting tokens for user " . $user['uid']); + } if (!$success) { logger('twitter_queue: delayed'); @@ -931,44 +966,46 @@ function twitter_queue_hook(&$a,&$b) { } } -function twitter_fix_avatar($avatar) { - require_once("include/Photo.php"); - +function twitter_fix_avatar($avatar) +{ $new_avatar = str_replace("_normal.", ".", $avatar); - $info = get_photo_info($new_avatar); - if (!$info) + $info = Image::getInfoFromURL($new_avatar); + if (!$info) { $new_avatar = $avatar; + } return $new_avatar; } -function twitter_fetch_contact($uid, $contact, $create_user) { - - if ($contact->id_str == "") - return(-1); +function twitter_fetch_contact($uid, $contact, $create_user) +{ + if ($contact->id_str == "") { + return -1; + } $avatar = twitter_fix_avatar($contact->profile_image_url_https); - update_gcontact(array("url" => "https://twitter.com/".$contact->screen_name, - "network" => NETWORK_TWITTER, "photo" => $avatar, "hide" => true, - "name" => $contact->name, "nick" => $contact->screen_name, - "location" => $contact->location, "about" => $contact->description, - "addr" => $contact->screen_name."@twitter.com", "generation" => 2)); + GContact::update(["url" => "https://twitter.com/" . $contact->screen_name, + "network" => NETWORK_TWITTER, "photo" => $avatar, "hide" => true, + "name" => $contact->name, "nick" => $contact->screen_name, + "location" => $contact->location, "about" => $contact->description, + "addr" => $contact->screen_name . "@twitter.com", "generation" => 2]); $r = q("SELECT * FROM `contact` WHERE `uid` = %d AND `alias` = '%s' LIMIT 1", intval($uid), dbesc("twitter::" . $contact->id_str)); - if(!count($r) && !$create_user) - return(0); - - if (count($r) && ($r[0]["readonly"] || $r[0]["blocked"])) { - logger("twitter_fetch_contact: Contact '".$r[0]["nick"]."' is blocked or readonly.", LOGGER_DEBUG); - return(-1); + if (!count($r) && !$create_user) { + return 0; } - if(!count($r)) { + if (count($r) && ($r[0]["readonly"] || $r[0]["blocked"])) { + logger("twitter_fetch_contact: Contact '" . $r[0]["nick"] . "' is blocked or readonly.", LOGGER_DEBUG); + return -1; + } + + if (!count($r)) { // create contact record q("INSERT INTO `contact` (`uid`, `created`, `url`, `nurl`, `addr`, `alias`, `notify`, `poll`, `name`, `nick`, `photo`, `network`, `rel`, `priority`, @@ -979,9 +1016,9 @@ function twitter_fetch_contact($uid, $contact, $create_user) { dbesc("https://twitter.com/" . $contact->screen_name), dbesc(normalise_link("https://twitter.com/" . $contact->screen_name)), dbesc($contact->screen_name."@twitter.com"), - dbesc("twitter::".$contact->id_str), + dbesc("twitter::" . $contact->id_str), dbesc(''), - dbesc("twitter::".$contact->id_str), + dbesc("twitter::" . $contact->id_str), dbesc($contact->name), dbesc($contact->screen_name), dbesc($avatar), @@ -996,25 +1033,17 @@ function twitter_fetch_contact($uid, $contact, $create_user) { $r = q("SELECT * FROM `contact` WHERE `alias` = '%s' AND `uid` = %d LIMIT 1", dbesc("twitter::".$contact->id_str), intval($uid) - ); - - if(! count($r)) - return(false); - - $contact_id = $r[0]['id']; - - $g = q("SELECT def_gid FROM user WHERE uid = %d LIMIT 1", - intval($uid) ); - if($g && intval($g[0]['def_gid'])) { - require_once('include/group.php'); - group_add_member($uid,'',$contact_id,$g[0]['def_gid']); + if (!count($r)) { + return false; } - require_once("Photo.php"); + $contact_id = $r[0]['id']; - $photos = import_profile_photo($avatar, $uid, $contact_id, true); + Group::addMember(User::getDefaultGroup($uid), $contact_id); + + $photos = Photo::importProfilePhoto($avatar, $uid, $contact_id, true); if ($photos) { q("UPDATE `contact` SET `photo` = '%s', @@ -1039,14 +1068,10 @@ function twitter_fetch_contact($uid, $contact, $create_user) { $update_photo = ($r[0]['avatar-date'] < DateTimeFormat::utc('now -12 hours')); // check that we have all the photos, this has been known to fail on occasion + if ((!$r[0]['photo']) || (!$r[0]['thumb']) || (!$r[0]['micro']) || ($update_photo)) { + logger("twitter_fetch_contact: Updating contact " . $contact->screen_name, LOGGER_DEBUG); - if((! $r[0]['photo']) || (! $r[0]['thumb']) || (! $r[0]['micro']) || ($update_photo)) { - - logger("twitter_fetch_contact: Updating contact ".$contact->screen_name, LOGGER_DEBUG); - - require_once("Photo.php"); - - $photos = import_profile_photo($avatar, $uid, $r[0]['id'], true); + $photos = Photo::importProfilePhoto($avatar, $uid, $r[0]['id'], true); if ($photos) { q("UPDATE `contact` SET `photo` = '%s', @@ -1082,7 +1107,7 @@ function twitter_fetch_contact($uid, $contact, $create_user) { } } - return($r[0]["id"]); + return $r[0]["id"]; } function twitter_fetchuser(App $a, $uid, $screen_name = "", $user_id = "") @@ -1095,25 +1120,29 @@ function twitter_fetchuser(App $a, $uid, $screen_name = "", $user_id = "") $r = q("SELECT * FROM `contact` WHERE `self` = 1 AND `uid` = %d LIMIT 1", intval($uid)); - if(count($r)) { + if (count($r)) { $self = $r[0]; - } else + } else { return; + } - $parameters = array(); + $parameters = []; - if ($screen_name != "") + if ($screen_name != "") { $parameters["screen_name"] = $screen_name; + } - if ($user_id != "") + if ($user_id != "") { $parameters["user_id"] = $user_id; + } // Fetching user data $connection = new TwitterOAuth($ckey, $csecret, $otoken, $osecret); $user = $connection->get('users/show', $parameters); - if (!is_object($user)) + if (!is_object($user)) { return; + } $contact_id = twitter_fetch_contact($uid, $user, true); @@ -1150,14 +1179,16 @@ function twitter_expand_entities(App $a, $body, $item, $picture) if ($url->url && $url->expanded_url && $url->display_url) { $expanded_url = Network::finalUrl($url->expanded_url); - $oembed_data = oembed_fetch_url($expanded_url); + $oembed_data = OEmbed::fetchURL($expanded_url); // Quickfix: Workaround for URL with "[" and "]" in it - if (strpos($expanded_url, "[") || strpos($expanded_url, "]")) + if (strpos($expanded_url, "[") || strpos($expanded_url, "]")) { $expanded_url = $url->url; + } - if ($type == "") + if ($type == "") { $type = $oembed_data->type; + } if ($oembed_data->type == "video") { //$body = str_replace($url->url, @@ -1165,14 +1196,12 @@ function twitter_expand_entities(App $a, $body, $item, $picture) //$dontincludemedia = true; $type = $oembed_data->type; $footerurl = $expanded_url; - $footerlink = "[url=".$expanded_url."]".$expanded_url."[/url]"; + $footerlink = "[url=" . $expanded_url . "]" . $expanded_url . "[/url]"; $body = str_replace($url->url, $footerlink, $body); - //} elseif (($oembed_data->type == "photo") AND isset($oembed_data->url) AND !$dontincludemedia) { + //} elseif (($oembed_data->type == "photo") AND isset($oembed_data->url) AND !$dontincludemedia) { } elseif (($oembed_data->type == "photo") && isset($oembed_data->url)) { - $body = str_replace($url->url, - "[url=".$expanded_url."][img]".$oembed_data->url."[/img][/url]", - $body); + $body = str_replace($url->url, "[url=" . $expanded_url . "][img]" . $oembed_data->url . "[/img][/url]", $body); //$dontincludemedia = true; } elseif ($oembed_data->type != "link") { $body = str_replace($url->url, "[url=" . $expanded_url . "]" . $expanded_url . "[/url]", $body); @@ -1186,12 +1215,12 @@ function twitter_expand_entities(App $a, $body, $item, $picture) if (substr($mime, 0, 6) == "image/") { $type = "photo"; - $body = str_replace($url->url, "[img]".$expanded_url."[/img]", $body); + $body = str_replace($url->url, "[img]" . $expanded_url . "[/img]", $body); //$dontincludemedia = true; } else { $type = $oembed_data->type; $footerurl = $expanded_url; - $footerlink = "[url=".$expanded_url."]".$expanded_url."[/url]"; + $footerlink = "[url=" . $expanded_url . "]" . $expanded_url . "[/url]"; $body = str_replace($url->url, $footerlink, $body); } @@ -1199,21 +1228,23 @@ function twitter_expand_entities(App $a, $body, $item, $picture) } } - if ($footerurl != "") + if ($footerurl != "") { $footer = add_page_info($footerurl, false, $picture); + } if (($footerlink != "") && (trim($footer) != "")) { $removedlink = trim(str_replace($footerlink, "", $body)); - if (($removedlink == "") || strstr($body, $removedlink)) + if (($removedlink == "") || strstr($body, $removedlink)) { $body = $removedlink; + } $body .= $footer; } - if (($footer == "") && ($picture != "")) - $body .= "\n\n[img]".$picture."[/img]\n"; - elseif (($footer == "") && ($picture == "")) + if (($footer == "") && ($picture != "")) { + $body .= "\n\n[img]" . $picture . "[/img]\n"; + } elseif (($footer == "") && ($picture == "")) { $body = add_page_info_to_body($body); } } @@ -1230,6 +1261,7 @@ function twitter_expand_entities(App $a, $body, $item, $picture) if (strpos($tag, '#') === 0) { if (strpos($tag, '[url=')) { continue; + } // don't link tags that are already embedded in links if (preg_match('/\[(.*?)' . preg_quote($tag, '/') . '(.*?)\]/', $body)) { @@ -1269,8 +1301,8 @@ function twitter_expand_entities(App $a, $body, $item, $picture) * * @return $picture string Image URL or empty string */ -function twitter_media_entities($post, &$postarray) { - +function twitter_media_entities($post, &$postarray) +{ // There are no media entities? So we quit. if (!is_array($post->extended_entities->media)) { return ""; @@ -1280,7 +1312,7 @@ function twitter_media_entities($post, &$postarray) { // We only do this when there is exactly one media. if ((count($post->entities->urls) > 0) && (count($post->extended_entities->media) == 1)) { $picture = ""; - foreach($post->extended_entities->media AS $medium) { + foreach ($post->extended_entities->media AS $medium) { if (isset($medium->media_url_https)) { $picture = $medium->media_url_https; $postarray['body'] = str_replace($medium->url, "", $postarray['body']); @@ -1290,23 +1322,23 @@ function twitter_media_entities($post, &$postarray) { } // This is a pure media post, first search for all media urls - $media = array(); - foreach($post->extended_entities->media AS $medium) { - switch($medium->type) { + $media = []; + foreach ($post->extended_entities->media AS $medium) { + switch ($medium->type) { case 'photo': - $media[$medium->url] .= "\n[img]".$medium->media_url_https."[/img]"; + $media[$medium->url] .= "\n[img]" . $medium->media_url_https . "[/img]"; $postarray['object-type'] = ACTIVITY_OBJ_IMAGE; break; case 'video': case 'animated_gif': - $media[$medium->url] .= "\n[img]".$medium->media_url_https."[/img]"; + $media[$medium->url] .= "\n[img]" . $medium->media_url_https . "[/img]"; $postarray['object-type'] = ACTIVITY_OBJ_VIDEO; if (is_array($medium->video_info->variants)) { $bitrate = 0; // We take the video with the highest bitrate foreach ($medium->video_info->variants AS $variant) { if (($variant->content_type == "video/mp4") && ($variant->bitrate >= $bitrate)) { - $media[$medium->url] = "\n[video]".$variant->url."[/video]"; + $media[$medium->url] = "\n[video]" . $variant->url . "[/video]"; $bitrate = $variant->bitrate; } } @@ -1320,19 +1352,19 @@ function twitter_media_entities($post, &$postarray) { // Now we replace the media urls. foreach ($media AS $key => $value) { - $postarray['body'] = str_replace($key, "\n".$value."\n", $postarray['body']); + $postarray['body'] = str_replace($key, "\n" . $value . "\n", $postarray['body']); } return ""; } -function twitter_createpost($a, $uid, $post, $self, $create_user, $only_existing_contact, $noquote) { - - $postarray = array(); +function twitter_createpost(App $a, $uid, $post, $self, $create_user, $only_existing_contact, $noquote) +{ + $postarray = []; $postarray['network'] = NETWORK_TWITTER; $postarray['gravity'] = 0; $postarray['uid'] = $uid; $postarray['wall'] = 0; - $postarray['uri'] = "twitter::".$post->id_str; + $postarray['uri'] = "twitter::" . $post->id_str; $postarray['object'] = json_encode($post); // Don't import our own comments @@ -1342,15 +1374,14 @@ function twitter_createpost($a, $uid, $post, $self, $create_user, $only_existing ); if (count($r)) { - logger("Item with extid ".$postarray['uri']." found.", LOGGER_DEBUG); - return(array()); + logger("Item with extid " . $postarray['uri'] . " found.", LOGGER_DEBUG); + return []; } $contactid = 0; if ($post->in_reply_to_status_id_str != "") { - - $parent = "twitter::".$post->in_reply_to_status_id_str; + $parent = "twitter::" . $post->in_reply_to_status_id_str; $r = q("SELECT * FROM `item` WHERE `uri` = '%s' AND `uid` = %d LIMIT 1", dbesc($parent), @@ -1379,21 +1410,21 @@ function twitter_createpost($a, $uid, $post, $self, $create_user, $only_existing } // Is it me? - $own_id = get_pconfig($uid, 'twitter', 'own_id'); + $own_id = PConfig::get($uid, 'twitter', 'own_id'); if ($post->user->id_str == $own_id) { $r = q("SELECT * FROM `contact` WHERE `self` = 1 AND `uid` = %d LIMIT 1", intval($uid)); - if(count($r)) { + if (count($r)) { $contactid = $r[0]["id"]; - $postarray['owner-name'] = $r[0]["name"]; - $postarray['owner-link'] = $r[0]["url"]; - $postarray['owner-avatar'] = $r[0]["photo"]; + $postarray['owner-name'] = $r[0]["name"]; + $postarray['owner-link'] = $r[0]["url"]; + $postarray['owner-avatar'] = $r[0]["photo"]; } else { - logger("No self contact for user ".$uid, LOGGER_DEBUG); - return(array()); + logger("No self contact for user " . $uid, LOGGER_DEBUG); + return []; } } // Don't create accounts of people who just comment something @@ -1407,15 +1438,15 @@ function twitter_createpost($a, $uid, $post, $self, $create_user, $only_existing $contactid = twitter_fetch_contact($uid, $post->user, $create_user); $postarray['owner-name'] = $post->user->name; - $postarray['owner-link'] = "https://twitter.com/".$post->user->screen_name; + $postarray['owner-link'] = "https://twitter.com/" . $post->user->screen_name; $postarray['owner-avatar'] = twitter_fix_avatar($post->user->profile_image_url_https); } - if(($contactid == 0) && !$only_existing_contact) { + if (($contactid == 0) && !$only_existing_contact) { $contactid = $self['id']; } elseif ($contactid <= 0) { logger("Contact ID is zero or less than zero.", LOGGER_DEBUG); - return(array()); + return []; } $postarray['contact-id'] = $contactid; @@ -1424,7 +1455,7 @@ function twitter_createpost($a, $uid, $post, $self, $create_user, $only_existing $postarray['author-name'] = $postarray['owner-name']; $postarray['author-link'] = $postarray['owner-link']; $postarray['author-avatar'] = $postarray['owner-avatar']; - $postarray['plink'] = "https://twitter.com/".$post->user->screen_name."/status/".$post->id_str; + $postarray['plink'] = "https://twitter.com/" . $post->user->screen_name . "/status/" . $post->id_str; $postarray['app'] = strip_tags($post->source); if ($post->user->protected) { @@ -1461,10 +1492,10 @@ function twitter_createpost($a, $uid, $post, $self, $create_user, $only_existing $postarray["location"] = $post->place->full_name; } if (is_array($post->geo->coordinates)) { - $postarray["coord"] = $post->geo->coordinates[0]." ".$post->geo->coordinates[1]; + $postarray["coord"] = $post->geo->coordinates[0] . " " . $post->geo->coordinates[1]; } if (is_array($post->coordinates->coordinates)) { - $postarray["coord"] = $post->coordinates->coordinates[1]." ".$post->coordinates->coordinates[0]; + $postarray["coord"] = $post->coordinates->coordinates[1] . " " . $post->coordinates->coordinates[0]; } if (is_object($post->retweeted_status)) { $retweet = twitter_createpost($a, $uid, $post->retweeted_status, $self, false, false, $noquote); @@ -1494,56 +1525,60 @@ function twitter_createpost($a, $uid, $post, $self, $create_user, $only_existing $quoted['plink'] ); - $postarray['body'] .= $quoted['body'].'[/share]'; + $postarray['body'] .= $quoted['body'] . '[/share]'; } - return($postarray); + return $postarray; } -function twitter_checknotification($a, $uid, $own_id, $top_item, $postarray) { - - // this whole function doesn't seem to work. Needs complete check - +function twitter_checknotification(App $a, $uid, $own_id, $top_item, $postarray) +{ + /// TODO: this whole function doesn't seem to work. Needs complete check $user = q("SELECT * FROM `contact` WHERE `uid` = %d AND `self` LIMIT 1", intval($uid) ); - if(!count($user)) + if (!count($user)) { return; + } // Is it me? - if (link_compare($user[0]["url"], $postarray['author-link'])) + if (link_compare($user[0]["url"], $postarray['author-link'])) { return; + } $own_user = q("SELECT * FROM `contact` WHERE `uid` = %d AND `alias` = '%s' LIMIT 1", intval($uid), dbesc("twitter::".$own_id) ); - if(!count($own_user)) + if (!count($own_user)) { return; + } // Is it me from twitter? - if (link_compare($own_user[0]["url"], $postarray['author-link'])) + if (link_compare($own_user[0]["url"], $postarray['author-link'])) { return; + } $myconv = q("SELECT `author-link`, `author-avatar`, `parent` FROM `item` WHERE `parent-uri` = '%s' AND `uid` = %d AND `parent` != 0 AND `deleted` = 0", dbesc($postarray['parent-uri']), intval($uid) ); - foreach($myconv as $conv) { + if (count($myconv)) { + foreach ($myconv as $conv) { // now if we find a match, it means we're in this conversation - - if(!link_compare($conv['author-link'],$user[0]["url"]) && !link_compare($conv['author-link'],$own_user[0]["url"])) + if (!link_compare($conv['author-link'], $user[0]["url"]) && !link_compare($conv['author-link'], $own_user[0]["url"])) { continue; + } - require_once('include/enotify.php'); + require_once 'include/enotify.php'; $conv_parent = $conv['parent']; - notification(array( - 'type' => NOTIFY_COMMENT, + notification([ + 'type' => NOTIFY_COMMENT, 'notify_flags' => $user[0]['notify-flags'], 'language' => $user[0]['language'], 'to_name' => $user[0]['username'], @@ -1554,10 +1589,10 @@ function twitter_checknotification($a, $uid, $own_id, $top_item, $postarray) { 'source_name' => $postarray['author-name'], 'source_link' => $postarray['author-link'], 'source_photo' => $postarray['author-avatar'], - 'verb' => ACTIVITY_POST, - 'otype' => 'item', - 'parent' => $conv_parent, - )); + 'verb' => ACTIVITY_POST, + 'otype' => 'item', + 'parent' => $conv_parent, + ]); // only send one notification break; @@ -1565,18 +1600,19 @@ function twitter_checknotification($a, $uid, $own_id, $top_item, $postarray) { } } -function twitter_fetchparentposts($a, $uid, $post, $connection, $self, $own_id) { - logger("twitter_fetchparentposts: Fetching for user ".$uid." and post ".$post->id_str, LOGGER_DEBUG); +function twitter_fetchparentposts(App $a, $uid, $post, $connection, $self, $own_id) +{ + logger("twitter_fetchparentposts: Fetching for user " . $uid . " and post " . $post->id_str, LOGGER_DEBUG); - $posts = array(); + $posts = []; while ($post->in_reply_to_status_id_str != "") { - $parameters = array("trim_user" => false, "tweet_mode" => "extended", "id" => $post->in_reply_to_status_id_str); + $parameters = ["trim_user" => false, "tweet_mode" => "extended", "id" => $post->in_reply_to_status_id_str]; $post = $connection->get('statuses/show', $parameters); if (!count($post)) { - logger("twitter_fetchparentposts: Can't fetch post ".$parameters->id, LOGGER_DEBUG); + logger("twitter_fetchparentposts: Can't fetch post " . $parameters->id, LOGGER_DEBUG); break; } @@ -1585,13 +1621,14 @@ function twitter_fetchparentposts($a, $uid, $post, $connection, $self, $own_id) intval($uid) ); - if (count($r)) + if (count($r)) { break; + } $posts[] = $post; } - logger("twitter_fetchparentposts: Fetching ".count($posts)." parents", LOGGER_DEBUG); + logger("twitter_fetchparentposts: Fetching " . count($posts) . " parents", LOGGER_DEBUG); $posts = array_reverse($posts); @@ -1606,32 +1643,35 @@ function twitter_fetchparentposts($a, $uid, $post, $connection, $self, $own_id) $item = Item::insert($postarray); $postarray["id"] = $item; - logger('twitter_fetchparentpost: User '.$self["nick"].' posted parent timeline item '.$item); + logger('twitter_fetchparentpost: User ' . $self["nick"] . ' posted parent timeline item ' . $item); - if ($item && !function_exists("check_item_notification")) + if ($item && !function_exists("check_item_notification")) { twitter_checknotification($a, $uid, $own_id, $item, $postarray); + } } } } -function twitter_fetchhometimeline($a, $uid) { - $ckey = get_config('twitter', 'consumerkey'); - $csecret = get_config('twitter', 'consumersecret'); - $otoken = get_pconfig($uid, 'twitter', 'oauthtoken'); - $osecret = get_pconfig($uid, 'twitter', 'oauthsecret'); - $create_user = get_pconfig($uid, 'twitter', 'create_user'); - $mirror_posts = get_pconfig($uid, 'twitter', 'mirror_posts'); +function twitter_fetchhometimeline(App $a, $uid) +{ + $ckey = Config::get('twitter', 'consumerkey'); + $csecret = Config::get('twitter', 'consumersecret'); + $otoken = PConfig::get($uid, 'twitter', 'oauthtoken'); + $osecret = PConfig::get($uid, 'twitter', 'oauthsecret'); + $create_user = PConfig::get($uid, 'twitter', 'create_user'); + $mirror_posts = PConfig::get($uid, 'twitter', 'mirror_posts'); - logger("twitter_fetchhometimeline: Fetching for user ".$uid, LOGGER_DEBUG); + logger("twitter_fetchhometimeline: Fetching for user " . $uid, LOGGER_DEBUG); - $application_name = get_config('twitter', 'application_name'); + $application_name = Config::get('twitter', 'application_name'); - if ($application_name == "") + if ($application_name == "") { $application_name = $a->get_hostname(); + } require_once 'include/items.php'; - $connection = new TwitterOAuth($ckey,$csecret,$otoken,$osecret); + $connection = new TwitterOAuth($ckey, $csecret, $otoken, $osecret); $own_contact = twitter_fetch_own_contact($a, $uid); @@ -1639,62 +1679,62 @@ function twitter_fetchhometimeline($a, $uid) { intval($own_contact), intval($uid)); - if(count($r)) { + if (count($r)) { $own_id = $r[0]["nick"]; } else { - logger("twitter_fetchhometimeline: Own twitter contact not found for user ".$uid, LOGGER_DEBUG); + logger("twitter_fetchhometimeline: Own twitter contact not found for user " . $uid, LOGGER_DEBUG); return; } $r = q("SELECT * FROM `contact` WHERE `self` = 1 AND `uid` = %d LIMIT 1", intval($uid)); - if(count($r)) { + if (count($r)) { $self = $r[0]; } else { - logger("twitter_fetchhometimeline: Own contact not found for user ".$uid, LOGGER_DEBUG); + logger("twitter_fetchhometimeline: Own contact not found for user " . $uid, LOGGER_DEBUG); return; } $u = q("SELECT * FROM user WHERE uid = %d LIMIT 1", intval($uid)); - if(!count($u)) { - logger("twitter_fetchhometimeline: Own user not found for user ".$uid, LOGGER_DEBUG); + if (!count($u)) { + logger("twitter_fetchhometimeline: Own user not found for user " . $uid, LOGGER_DEBUG); return; } - $parameters = array("exclude_replies" => false, "trim_user" => false, "contributor_details" => true, "include_rts" => true, "tweet_mode" => "extended"); + $parameters = ["exclude_replies" => false, "trim_user" => false, "contributor_details" => true, "include_rts" => true, "tweet_mode" => "extended"]; //$parameters["count"] = 200; - - // Fetching timeline - $lastid = get_pconfig($uid, 'twitter', 'lasthometimelineid'); + $lastid = PConfig::get($uid, 'twitter', 'lasthometimelineid'); $first_time = ($lastid == ""); - if ($lastid <> "") + if ($lastid != "") { $parameters["since_id"] = $lastid; + } $items = $connection->get('statuses/home_timeline', $parameters); if (!is_array($items)) { - logger("twitter_fetchhometimeline: Error fetching home timeline: ".print_r($items, true), LOGGER_DEBUG); + logger("twitter_fetchhometimeline: Error fetching home timeline: " . print_r($items, true), LOGGER_DEBUG); return; } $posts = array_reverse($items); - logger("twitter_fetchhometimeline: Fetching timeline for user ".$uid." ".sizeof($posts)." items", LOGGER_DEBUG); + logger("twitter_fetchhometimeline: Fetching timeline for user " . $uid . " " . sizeof($posts) . " items", LOGGER_DEBUG); if (count($posts)) { foreach ($posts as $post) { if ($post->id_str > $lastid) { $lastid = $post->id_str; - set_pconfig($uid, 'twitter', 'lasthometimelineid', $lastid); + PConfig::set($uid, 'twitter', 'lasthometimelineid', $lastid); } - if ($first_time) + if ($first_time) { continue; + } if (stristr($post->source, $application_name) && $post->user->screen_name == $own_id) { logger("twitter_fetchhometimeline: Skip previously sended post", LOGGER_DEBUG); @@ -1706,71 +1746,80 @@ function twitter_fetchhometimeline($a, $uid) { continue; } - if ($post->in_reply_to_status_id_str != "") + if ($post->in_reply_to_status_id_str != "") { twitter_fetchparentposts($a, $uid, $post, $connection, $self, $own_id); + } $postarray = twitter_createpost($a, $uid, $post, $self, $create_user, true, false); - if (trim($postarray['body']) == "") + if (trim($postarray['body']) == "") { continue; + } $item = Item::insert($postarray); $postarray["id"] = $item; - logger('twitter_fetchhometimeline: User '.$self["nick"].' posted home timeline item '.$item); + logger('twitter_fetchhometimeline: User ' . $self["nick"] . ' posted home timeline item ' . $item); - if ($item && !function_exists("check_item_notification")) + if ($item && !function_exists("check_item_notification")) { twitter_checknotification($a, $uid, $own_id, $item, $postarray); - + } } } - set_pconfig($uid, 'twitter', 'lasthometimelineid', $lastid); + PConfig::set($uid, 'twitter', 'lasthometimelineid', $lastid); // Fetching mentions - $lastid = get_pconfig($uid, 'twitter', 'lastmentionid'); + $lastid = PConfig::get($uid, 'twitter', 'lastmentionid'); $first_time = ($lastid == ""); - if ($lastid <> "") + if ($lastid != "") { $parameters["since_id"] = $lastid; + } $items = $connection->get('statuses/mentions_timeline', $parameters); if (!is_array($items)) { - logger("twitter_fetchhometimeline: Error fetching mentions: ".print_r($items, true), LOGGER_DEBUG); + logger("twitter_fetchhometimeline: Error fetching mentions: " . print_r($items, true), LOGGER_DEBUG); return; } $posts = array_reverse($items); - logger("twitter_fetchhometimeline: Fetching mentions for user ".$uid." ".sizeof($posts)." items", LOGGER_DEBUG); + logger("twitter_fetchhometimeline: Fetching mentions for user " . $uid . " " . sizeof($posts) . " items", LOGGER_DEBUG); if (count($posts)) { foreach ($posts as $post) { - if ($post->id_str > $lastid) + if ($post->id_str > $lastid) { $lastid = $post->id_str; + } - if ($first_time) + if ($first_time) { continue; + } - if ($post->in_reply_to_status_id_str != "") + if ($post->in_reply_to_status_id_str != "") { twitter_fetchparentposts($a, $uid, $post, $connection, $self, $own_id); + } $postarray = twitter_createpost($a, $uid, $post, $self, false, false, false); - if (trim($postarray['body']) == "") + if (trim($postarray['body']) == "") { continue; + } $item = Item::insert($postarray); $postarray["id"] = $item; - if ($item && function_exists("check_item_notification")) + if ($item && function_exists("check_item_notification")) { check_item_notification($item, $uid, NOTIFY_TAGSELF); + } - if (!isset($postarray["parent"]) || ($postarray["parent"] == 0)) + if (!isset($postarray["parent"]) || ($postarray["parent"] == 0)) { $postarray["parent"] = $item; + } - logger('twitter_fetchhometimeline: User '.$self["nick"].' posted mention timeline item '.$item); + logger('twitter_fetchhometimeline: User ' . $self["nick"] . ' posted mention timeline item ' . $item); if ($item == 0) { $r = q("SELECT * FROM `item` WHERE `uri` = '%s' AND `uid` = %d LIMIT 1", @@ -1786,8 +1835,8 @@ function twitter_fetchhometimeline($a, $uid) { } if (($item != 0) && !function_exists("check_item_notification")) { - require_once('include/enotify.php'); - notification(array( + require_once 'include/enotify.php'; + notification([ 'type' => NOTIFY_TAGSELF, 'notify_flags' => $u[0]['notify-flags'], 'language' => $u[0]['language'], @@ -1802,21 +1851,22 @@ function twitter_fetchhometimeline($a, $uid) { 'verb' => ACTIVITY_TAG, 'otype' => 'item', 'parent' => $parent_id - )); + ]); } } } - set_pconfig($uid, 'twitter', 'lastmentionid', $lastid); + PConfig::set($uid, 'twitter', 'lastmentionid', $lastid); } -function twitter_fetch_own_contact($a, $uid) { - $ckey = get_config('twitter', 'consumerkey'); - $csecret = get_config('twitter', 'consumersecret'); - $otoken = get_pconfig($uid, 'twitter', 'oauthtoken'); - $osecret = get_pconfig($uid, 'twitter', 'oauthsecret'); +function twitter_fetch_own_contact(App $a, $uid) +{ + $ckey = Config::get('twitter', 'consumerkey'); + $csecret = Config::get('twitter', 'consumersecret'); + $otoken = PConfig::get($uid, 'twitter', 'oauthtoken'); + $osecret = PConfig::get($uid, 'twitter', 'oauthsecret'); - $own_id = get_pconfig($uid, 'twitter', 'own_id'); + $own_id = PConfig::get($uid, 'twitter', 'own_id'); $contact_id = 0; @@ -1826,65 +1876,71 @@ function twitter_fetch_own_contact($a, $uid) { // Fetching user data $user = $connection->get('account/verify_credentials'); - set_pconfig($uid, 'twitter', 'own_id', $user->id_str); + PConfig::set($uid, 'twitter', 'own_id', $user->id_str); $contact_id = twitter_fetch_contact($uid, $user, true); - } else { $r = q("SELECT * FROM `contact` WHERE `uid` = %d AND `alias` = '%s' LIMIT 1", - intval($uid), dbesc("twitter::".$own_id)); - if(count($r)) + intval($uid), + dbesc("twitter::" . $own_id)); + if (count($r)) { $contact_id = $r[0]["id"]; - else - del_pconfig($uid, 'twitter', 'own_id'); - + } else { + PConfig::delete($uid, 'twitter', 'own_id'); + } } - return($contact_id); + return $contact_id; } -function twitter_is_retweet($a, $uid, $body) { +function twitter_is_retweet(App $a, $uid, $body) +{ $body = trim($body); // Skip if it isn't a pure repeated messages // Does it start with a share? - if (strpos($body, "[share") > 0) - return(false); + if (strpos($body, "[share") > 0) { + return false; + } // Does it end with a share? - if (strlen($body) > (strrpos($body, "[/share]") + 8)) - return(false); + if (strlen($body) > (strrpos($body, "[/share]") + 8)) { + return false; + } - $attributes = preg_replace("/\[share(.*?)\]\s?(.*?)\s?\[\/share\]\s?/ism","$1",$body); + $attributes = preg_replace("/\[share(.*?)\]\s?(.*?)\s?\[\/share\]\s?/ism", "$1", $body); // Skip if there is no shared message in there - if ($body == $attributes) - return(false); + if ($body == $attributes) { + return false; + } $link = ""; preg_match("/link='(.*?)'/ism", $attributes, $matches); - if ($matches[1] != "") + if ($matches[1] != "") { $link = $matches[1]; + } preg_match('/link="(.*?)"/ism', $attributes, $matches); - if ($matches[1] != "") + if ($matches[1] != "") { $link = $matches[1]; + } $id = preg_replace("=https?://twitter.com/(.*)/status/(.*)=ism", "$2", $link); - if ($id == $link) - return(false); + if ($id == $link) { + return false; + } - logger('twitter_is_retweet: Retweeting id '.$id.' for user '.$uid, LOGGER_DEBUG); + logger('twitter_is_retweet: Retweeting id ' . $id . ' for user ' . $uid, LOGGER_DEBUG); - $ckey = get_config('twitter', 'consumerkey'); - $csecret = get_config('twitter', 'consumersecret'); - $otoken = get_pconfig($uid, 'twitter', 'oauthtoken'); - $osecret = get_pconfig($uid, 'twitter', 'oauthsecret'); + $ckey = Config::get('twitter', 'consumerkey'); + $csecret = Config::get('twitter', 'consumersecret'); + $otoken = PConfig::get($uid, 'twitter', 'oauthtoken'); + $osecret = PConfig::get($uid, 'twitter', 'oauthsecret'); $connection = new TwitterOAuth($ckey, $csecret, $otoken, $osecret); $result = $connection->post('statuses/retweet/' . $id); - logger('twitter_is_retweet: result '.print_r($result, true), LOGGER_DEBUG); + logger('twitter_is_retweet: result ' . print_r($result, true), LOGGER_DEBUG); - return(!isset($result->errors)); + return !isset($result->errors); } -?> diff --git a/uhremotestorage/lang/C/messages.po b/uhremotestorage/lang/C/messages.po deleted file mode 100644 index c4b824be..00000000 --- a/uhremotestorage/lang/C/messages.po +++ /dev/null @@ -1,42 +0,0 @@ -# ADDON uhremotestorage -# Copyright (C) -# This file is distributed under the same license as the Friendica uhremotestorage addon package. -# -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: \n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2013-02-27 05:01-0500\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME \n" -"Language-Team: LANGUAGE \n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#: uhremotestorage.php:84 -#, php-format -msgid "" -"Allow to use your friendica id (%s) to connecto to external unhosted-enabled " -"storage (like ownCloud). See RemoteStorage WebFinger" -msgstr "" - -#: uhremotestorage.php:85 -msgid "Template URL (with {category})" -msgstr "" - -#: uhremotestorage.php:86 -msgid "OAuth end-point" -msgstr "" - -#: uhremotestorage.php:87 -msgid "Api" -msgstr "" - -#: uhremotestorage.php:89 -msgid "Submit" -msgstr "" diff --git a/uhremotestorage/lang/ca/strings.php b/uhremotestorage/lang/ca/strings.php deleted file mode 100644 index 2cfd6535..00000000 --- a/uhremotestorage/lang/ca/strings.php +++ /dev/null @@ -1,7 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "Permetre l'ús del seu ID de friendica (%s) per Connectar a l'emmagatzematge extern (com ownCloud). Veure WebFinger RemoteStorage "; -$a->strings["Template URL (with {category})"] = "Plantilles de URL (amb {categoria})"; -$a->strings["OAuth end-point"] = "OAuth end-point"; -$a->strings["Api"] = "Api"; -$a->strings["Submit"] = "Enviar"; diff --git a/uhremotestorage/lang/cs/messages.po b/uhremotestorage/lang/cs/messages.po deleted file mode 100644 index 599ff2bb..00000000 --- a/uhremotestorage/lang/cs/messages.po +++ /dev/null @@ -1,45 +0,0 @@ -# ADDON uhremotestorage -# Copyright (C) -# This file is distributed under the same license as the Friendica uhremotestorage addon package. -# -# -# Translators: -# Michal Šupler , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-23 14:45+0200\n" -"PO-Revision-Date: 2014-07-07 19:28+0000\n" -"Last-Translator: Michal Šupler \n" -"Language-Team: Czech (http://www.transifex.com/projects/p/friendica/language/cs/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: cs\n" -"Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" - -#: uhremotestorage.php:84 -#, php-format -msgid "" -"Allow to use your friendica id (%s) to connecto to external unhosted-enabled" -" storage (like ownCloud). See RemoteStorage" -" WebFinger" -msgstr "Umožnit využití friendica id (%s) k napojení na externí úložiště (unhosted-enabled) (jako ownCloud). Více informací na RemoteStorage WebFinger" - -#: uhremotestorage.php:85 -msgid "Template URL (with {category})" -msgstr "Dočasná URL adresa (s {category})" - -#: uhremotestorage.php:86 -msgid "OAuth end-point" -msgstr "OAuth end-point" - -#: uhremotestorage.php:87 -msgid "Api" -msgstr "Api" - -#: uhremotestorage.php:89 -msgid "Save Settings" -msgstr "Uložit Nastavení" diff --git a/uhremotestorage/lang/cs/strings.php b/uhremotestorage/lang/cs/strings.php deleted file mode 100644 index 0c31cc4b..00000000 --- a/uhremotestorage/lang/cs/strings.php +++ /dev/null @@ -1,12 +0,0 @@ -=2 && $n<=4) ? 1 : 2;; -}} -; -$a->strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "Umožnit využití friendica id (%s) k napojení na externí úložiště (unhosted-enabled) (jako ownCloud). Více informací na RemoteStorage WebFinger"; -$a->strings["Template URL (with {category})"] = "Dočasná URL adresa (s {category})"; -$a->strings["OAuth end-point"] = "OAuth end-point"; -$a->strings["Api"] = "Api"; -$a->strings["Save Settings"] = "Uložit Nastavení"; diff --git a/uhremotestorage/lang/de/messages.po b/uhremotestorage/lang/de/messages.po deleted file mode 100644 index 7c520ac5..00000000 --- a/uhremotestorage/lang/de/messages.po +++ /dev/null @@ -1,45 +0,0 @@ -# ADDON uhremotestorage -# Copyright (C) -# This file is distributed under the same license as the Friendica uhremotestorage addon package. -# -# -# Translators: -# bavatar , 2014 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-23 14:45+0200\n" -"PO-Revision-Date: 2014-10-14 05:48+0000\n" -"Last-Translator: bavatar \n" -"Language-Team: German (http://www.transifex.com/projects/p/friendica/language/de/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: de\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: uhremotestorage.php:84 -#, php-format -msgid "" -"Allow to use your friendica id (%s) to connecto to external unhosted-enabled" -" storage (like ownCloud). See RemoteStorage" -" WebFinger" -msgstr "Ermöglicht es deine friendica id (%s) mit externen unhosted-fähigen Speichern (z.B. ownCloud) zu verbinden. Siehe RemoteStorage WebFinger" - -#: uhremotestorage.php:85 -msgid "Template URL (with {category})" -msgstr "Vorlagen URL (mit {Kategorie})" - -#: uhremotestorage.php:86 -msgid "OAuth end-point" -msgstr "OAuth end-point" - -#: uhremotestorage.php:87 -msgid "Api" -msgstr "Api" - -#: uhremotestorage.php:89 -msgid "Save Settings" -msgstr "Einstellungen speichern" diff --git a/uhremotestorage/lang/de/strings.php b/uhremotestorage/lang/de/strings.php deleted file mode 100644 index a6b9bf0a..00000000 --- a/uhremotestorage/lang/de/strings.php +++ /dev/null @@ -1,12 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "Ermöglicht es deine friendica id (%s) mit externen unhosted-fähigen Speichern (z.B. ownCloud) zu verbinden. Siehe RemoteStorage WebFinger"; -$a->strings["Template URL (with {category})"] = "Vorlagen URL (mit {Kategorie})"; -$a->strings["OAuth end-point"] = "OAuth end-point"; -$a->strings["Api"] = "Api"; -$a->strings["Save Settings"] = "Einstellungen speichern"; diff --git a/uhremotestorage/lang/eo/strings.php b/uhremotestorage/lang/eo/strings.php deleted file mode 100644 index 94020c34..00000000 --- a/uhremotestorage/lang/eo/strings.php +++ /dev/null @@ -1,7 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "Permesi vian identecon ĉe Friendica (%s) por konekti al eksteraj konservejoj subtenata de unhosted (ekz. OwnCloud). Vidu RemoteStorage WebFinger"; -$a->strings["Template URL (with {category})"] = "URL adreso de ŝablono (kun {category})"; -$a->strings["OAuth end-point"] = "OAuth finpunkto"; -$a->strings["Api"] = "Api"; -$a->strings["Submit"] = "Sendi"; diff --git a/uhremotestorage/lang/es/messages.po b/uhremotestorage/lang/es/messages.po deleted file mode 100644 index 9b3de008..00000000 --- a/uhremotestorage/lang/es/messages.po +++ /dev/null @@ -1,45 +0,0 @@ -# ADDON uhremotestorage -# Copyright (C) -# This file is distributed under the same license as the Friendica uhremotestorage addon package. -# -# -# Translators: -# Albert, 2016 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-23 14:45+0200\n" -"PO-Revision-Date: 2016-11-19 11:35+0000\n" -"Last-Translator: Albert\n" -"Language-Team: Spanish (http://www.transifex.com/Friendica/friendica/language/es/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: es\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: uhremotestorage.php:84 -#, php-format -msgid "" -"Allow to use your friendica id (%s) to connecto to external unhosted-enabled" -" storage (like ownCloud). See RemoteStorage" -" WebFinger" -msgstr "Permite usar su ID de Friendica (%s) para conectar a un almacén habilitado externo sin hospedar (como ownCloud). Vea RemoteStorage WebFinger" - -#: uhremotestorage.php:85 -msgid "Template URL (with {category})" -msgstr "Plantilla de URL (con {categoría})" - -#: uhremotestorage.php:86 -msgid "OAuth end-point" -msgstr "Punto final de OAuth" - -#: uhremotestorage.php:87 -msgid "Api" -msgstr "API" - -#: uhremotestorage.php:89 -msgid "Save Settings" -msgstr "Guardar Ajustes" diff --git a/uhremotestorage/lang/es/strings.php b/uhremotestorage/lang/es/strings.php deleted file mode 100644 index 910a0562..00000000 --- a/uhremotestorage/lang/es/strings.php +++ /dev/null @@ -1,12 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "Permite usar su ID de Friendica (%s) para conectar a un almacén habilitado externo sin hospedar (como ownCloud). Vea RemoteStorage WebFinger"; -$a->strings["Template URL (with {category})"] = "Plantilla de URL (con {categoría})"; -$a->strings["OAuth end-point"] = "Punto final de OAuth"; -$a->strings["Api"] = "API"; -$a->strings["Save Settings"] = "Guardar Ajustes"; diff --git a/uhremotestorage/lang/fr/strings.php b/uhremotestorage/lang/fr/strings.php deleted file mode 100644 index 7bb4631b..00000000 --- a/uhremotestorage/lang/fr/strings.php +++ /dev/null @@ -1,7 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "Permet l'utilisation de votre ID Friendica (%s) pour vous connecter à des sites compatibles \"unhosted\" (comme ownCloud). Voyez RemoteStorage WebFinger"; -$a->strings["Template URL (with {category})"] = "Modèle d'URL (avec {catégorie})"; -$a->strings["OAuth end-point"] = "URL OAuth"; -$a->strings["Api"] = "Type d'API"; -$a->strings["Submit"] = "Envoyer"; diff --git a/uhremotestorage/lang/is/strings.php b/uhremotestorage/lang/is/strings.php deleted file mode 100644 index 83f80134..00000000 --- a/uhremotestorage/lang/is/strings.php +++ /dev/null @@ -1,7 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = ""; -$a->strings["Template URL (with {category})"] = ""; -$a->strings["OAuth end-point"] = ""; -$a->strings["Api"] = "Api"; -$a->strings["Submit"] = "Senda inn"; diff --git a/uhremotestorage/lang/it/messages.po b/uhremotestorage/lang/it/messages.po deleted file mode 100644 index 67fbc575..00000000 --- a/uhremotestorage/lang/it/messages.po +++ /dev/null @@ -1,45 +0,0 @@ -# ADDON uhremotestorage -# Copyright (C) -# This file is distributed under the same license as the Friendica uhremotestorage addon package. -# -# -# Translators: -# fabrixxm , 2015 -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-23 14:45+0200\n" -"PO-Revision-Date: 2015-08-31 10:30+0000\n" -"Last-Translator: fabrixxm \n" -"Language-Team: Italian (http://www.transifex.com/Friendica/friendica/language/it/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: it\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" - -#: uhremotestorage.php:84 -#, php-format -msgid "" -"Allow to use your friendica id (%s) to connecto to external unhosted-enabled" -" storage (like ownCloud). See RemoteStorage" -" WebFinger" -msgstr "Permette di usare il tuo id friendica (%s) per collegarsi a storage esterni che supportano unhosted (come ownCloud). Vedi RemoteStorage WebFinger" - -#: uhremotestorage.php:85 -msgid "Template URL (with {category})" -msgstr "Template URL (con {category})" - -#: uhremotestorage.php:86 -msgid "OAuth end-point" -msgstr "OAuth end-point" - -#: uhremotestorage.php:87 -msgid "Api" -msgstr "Api" - -#: uhremotestorage.php:89 -msgid "Save Settings" -msgstr "Salva Impostazioni" diff --git a/uhremotestorage/lang/it/strings.php b/uhremotestorage/lang/it/strings.php deleted file mode 100644 index 9a344892..00000000 --- a/uhremotestorage/lang/it/strings.php +++ /dev/null @@ -1,12 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "Permette di usare il tuo id friendica (%s) per collegarsi a storage esterni che supportano unhosted (come ownCloud). Vedi RemoteStorage WebFinger"; -$a->strings["Template URL (with {category})"] = "Template URL (con {category})"; -$a->strings["OAuth end-point"] = "OAuth end-point"; -$a->strings["Api"] = "Api"; -$a->strings["Save Settings"] = "Salva Impostazioni"; diff --git a/uhremotestorage/lang/nb-no/strings.php b/uhremotestorage/lang/nb-no/strings.php deleted file mode 100644 index 7ffd9104..00000000 --- a/uhremotestorage/lang/nb-no/strings.php +++ /dev/null @@ -1,7 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "Tillat å bruke din friendica id (%s) for å koble til ekstern unhosted-aktivert lagring (som ownCloud). Se RemoteStorage WebFinger"; -$a->strings["Template URL (with {category})"] = ""; -$a->strings["OAuth end-point"] = ""; -$a->strings["Api"] = ""; -$a->strings["Submit"] = "Lagre"; diff --git a/uhremotestorage/lang/pl/strings.php b/uhremotestorage/lang/pl/strings.php deleted file mode 100644 index 9f2ace13..00000000 --- a/uhremotestorage/lang/pl/strings.php +++ /dev/null @@ -1,7 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = ""; -$a->strings["Template URL (with {category})"] = ""; -$a->strings["OAuth end-point"] = ""; -$a->strings["Api"] = "Api"; -$a->strings["Submit"] = "Potwierdź"; diff --git a/uhremotestorage/lang/pt-br/strings.php b/uhremotestorage/lang/pt-br/strings.php deleted file mode 100644 index 082096d6..00000000 --- a/uhremotestorage/lang/pt-br/strings.php +++ /dev/null @@ -1,7 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "Permite o uso do id friendica (%s) para conectar ao armazenamento tipo unhosted externo (ex: ownCloud). Veja RemoteStorage WebFinger"; -$a->strings["Template URL (with {category})"] = "URL do Template (com {category})"; -$a->strings["OAuth end-point"] = "OAuth terminal"; -$a->strings["Api"] = "Api"; -$a->strings["Submit"] = "Enviar"; diff --git a/uhremotestorage/lang/ro/messages.po b/uhremotestorage/lang/ro/messages.po deleted file mode 100644 index 7eeadf49..00000000 --- a/uhremotestorage/lang/ro/messages.po +++ /dev/null @@ -1,44 +0,0 @@ -# ADDON uhremotestorage -# Copyright (C) -# This file is distributed under the same license as the Friendica uhremotestorage addon package. -# -# -# Translators: -msgid "" -msgstr "" -"Project-Id-Version: friendica\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-06-23 14:45+0200\n" -"PO-Revision-Date: 2014-07-08 12:11+0000\n" -"Last-Translator: Arian - Cazare Muncitori \n" -"Language-Team: Romanian (Romania) (http://www.transifex.com/projects/p/friendica/language/ro_RO/)\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Language: ro_RO\n" -"Plural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n" - -#: uhremotestorage.php:84 -#, php-format -msgid "" -"Allow to use your friendica id (%s) to connecto to external unhosted-enabled" -" storage (like ownCloud). See RemoteStorage" -" WebFinger" -msgstr "Permiteți utilizarea id-ului dvs. friendica (%s) să se conecteze cu medii de stocare externe de tip unhosted (precum ownCloud). Consultați RemoteStorage WebFinger" - -#: uhremotestorage.php:85 -msgid "Template URL (with {category})" -msgstr "URL șablon (cu {categorie})" - -#: uhremotestorage.php:86 -msgid "OAuth end-point" -msgstr "Punct-final OAuth " - -#: uhremotestorage.php:87 -msgid "Api" -msgstr "Api" - -#: uhremotestorage.php:89 -msgid "Save Settings" -msgstr "Salvare Configurări" diff --git a/uhremotestorage/lang/ro/strings.php b/uhremotestorage/lang/ro/strings.php deleted file mode 100644 index 7db8edad..00000000 --- a/uhremotestorage/lang/ro/strings.php +++ /dev/null @@ -1,12 +0,0 @@ -19)||(($n%100==0)&&($n!=0)))?2:1));; -}} -; -$a->strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "Permiteți utilizarea id-ului dvs. friendica (%s) să se conecteze cu medii de stocare externe de tip unhosted (precum ownCloud). Consultați RemoteStorage WebFinger"; -$a->strings["Template URL (with {category})"] = "URL șablon (cu {categorie})"; -$a->strings["OAuth end-point"] = "Punct-final OAuth "; -$a->strings["Api"] = "Api"; -$a->strings["Save Settings"] = "Salvare Configurări"; diff --git a/uhremotestorage/lang/ru/strings.php b/uhremotestorage/lang/ru/strings.php deleted file mode 100644 index ebce59ab..00000000 --- a/uhremotestorage/lang/ru/strings.php +++ /dev/null @@ -1,7 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = ""; -$a->strings["Template URL (with {category})"] = ""; -$a->strings["OAuth end-point"] = ""; -$a->strings["Api"] = "Api"; -$a->strings["Submit"] = "Подтвердить"; diff --git a/uhremotestorage/lang/sv/strings.php b/uhremotestorage/lang/sv/strings.php deleted file mode 100644 index 3ec569a7..00000000 --- a/uhremotestorage/lang/sv/strings.php +++ /dev/null @@ -1,3 +0,0 @@ -strings["Submit"] = "Spara"; diff --git a/uhremotestorage/lang/zh-cn/strings.php b/uhremotestorage/lang/zh-cn/strings.php deleted file mode 100644 index 7f7c2693..00000000 --- a/uhremotestorage/lang/zh-cn/strings.php +++ /dev/null @@ -1,7 +0,0 @@ -strings["Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger"] = "许用您的friendica用户名(%s)根对外没主办的贮藏(比如ownCloud)。看RemoteStorage WebFinger"; -$a->strings["Template URL (with {category})"] = "模板URL(根{category})"; -$a->strings["OAuth end-point"] = "OAuth 端点"; -$a->strings["Api"] = "API"; -$a->strings["Submit"] = "提交"; diff --git a/uhremotestorage/templates/settings.tpl b/uhremotestorage/templates/settings.tpl deleted file mode 100644 index 9a0a55f3..00000000 --- a/uhremotestorage/templates/settings.tpl +++ /dev/null @@ -1,9 +0,0 @@ -
    -

    {{$title}}

    -

    {{$desc}}

    - {{include file="field_input.tpl" field=$url}} - {{include file="field_input.tpl" field=$auth}} - {{include file="field_select.tpl" field=$api}} -
    - -
    diff --git a/uhremotestorage/uhremotestorage.php b/uhremotestorage/uhremotestorage.php deleted file mode 100644 index 76320f5c..00000000 --- a/uhremotestorage/uhremotestorage.php +++ /dev/null @@ -1,93 +0,0 @@ - - * Status: Unsupported - */ - - function uhremotestorage_install() { - register_hook('personal_xrd', 'addon/uhremotestorage/uhremotestorage.php', 'uhremotestorage_personal_xrd'); - register_hook('plugin_settings', 'addon/uhremotestorage/uhremotestorage.php', 'uhremotestorage_settings'); - register_hook('plugin_settings_post', 'addon/uhremotestorage/uhremotestorage.php', 'uhremotestorage_settings_post'); - - logger("installed uhremotestorage"); -} - - -function uhremotestorage_uninstall() { - - unregister_hook('personal_xrd', 'addon/uhremotestorage/uhremotestorage.php', 'uhremotestorage_personal_xrd'); - unregister_hook('plugin_settings', 'addon/uhremotestorage/uhremotestorage.php', 'uhremotestorage_settings'); - unregister_hook('plugin_settings_post', 'addon/uhremotestorage/uhremotestorage.php', 'uhremotestorage_settings_post'); - - logger("removed uhremotestorage"); -} - -function uhremotestorage_personal_xrd($a, &$b){ - list($user, $host) = explode("@",$_GET['uri']); - $user = str_replace("acct:","",$user); - $r = q("SELECT uid FROM user WHERE nickname='%s'", dbesc($user)); - $uid = $r[0]['uid']; - - $url = get_pconfig($uid,'uhremotestorage','unhoestedurl'); - $auth = get_pconfig($uid,'uhremotestorage','unhoestedauth'); - $api = get_pconfig($uid,'uhremotestorage','unhoestedapi'); - - if ($url){ - $b['xml'] = str_replace( - '', - "\t".''."\n", - $b['xml'] - ); - } -} - -function uhremotestorage_settings_post($a, $post){ - if(! local_user()) - return; - set_pconfig(local_user(),'uhremotestorage','unhoestedurl',$_POST['unhoestedurl']); - set_pconfig(local_user(),'uhremotestorage','unhoestedauth',$_POST['unhoestedauth']); - set_pconfig(local_user(),'uhremotestorage','unhoestedapi',$_POST['unhoestedapi']); -} - -function uhremotestorage_settings($a, &$s){ - if(! local_user()) - return; - - $uid = $a->user['nickname'] ."@". $a->get_hostname(); - - $url = get_pconfig(local_user(),'uhremotestorage','unhoestedurl'); - $auth = get_pconfig(local_user(),'uhremotestorage','unhoestedauth'); - $api = get_pconfig(local_user(),'uhremotestorage','unhoestedapi'); - - - $arr_api = array( - 'WebDAV' => "WebDAV", - 'simple' => "simple WebDAV", - 'CouchDB' => "CouchDB", - ); - /* experimental apis */ - /* - $api = array_merge($api, array( - 'git' => "git", - 'tahoe-lafs' => 'tahoe-lafs', - 'camlistore' => 'camlistore', - 'AmazonS3' => 'AmazonS3', - 'GoogleDocs' => 'GoogleDocs', - 'Dropbox' => 'Dropbox', - ); - */ - $tpl = get_markup_template("settings.tpl", "addon/uhremotestorage/"); - $s .= replace_macros($tpl, array( - '$title' => 'Unhosted remote storage', - '$desc' => sprintf( t('Allow to use your friendica id (%s) to connecto to external unhosted-enabled storage (like ownCloud). See RemoteStorage WebFinger'), $uid ), - '$url' => array( 'unhoestedurl', t('Template URL (with {category})'), $url, 'If your are using ownCloud, your unhosted url will be like http://HOST/apps/remoteStorage/WebDAV.php/USER/remoteStorage/{category}'), - '$auth' => array( 'unhoestedauth', t('OAuth end-point'), $auth, 'If your are using ownCloud, your OAuth endpoint will be like http://HOST/apps/remoteStorage/auth.php/USER'), - '$api' => array( 'unhoestedapi', t('Api'), $api, 'If your are using ownCloud, your api will be WebDAV', $arr_api), - - '$submit' => t('Save Settings'), - )); - -} diff --git a/viewsrc/viewsrc.php b/viewsrc/viewsrc.php index d3d9876b..c7ed10c7 100644 --- a/viewsrc/viewsrc.php +++ b/viewsrc/viewsrc.php @@ -4,7 +4,7 @@ * Description: Add "View Source" link to item context * Version: 1.0 * Author: Mike Macgirvin - * + * */ use Friendica\Core\Addon; use Friendica\Core\L10n; diff --git a/webrtc/webrtc.php b/webrtc/webrtc.php index cdf7fd2a..47cd734c 100644 --- a/webrtc/webrtc.php +++ b/webrtc/webrtc.php @@ -44,7 +44,7 @@ function webrtc_content(&$a) { $o = ''; /* landingpage to create chatrooms */ - $webrtcurl = get_config('webrtc','webrtcurl'); + $webrtcurl = Config::get('webrtc','webrtcurl'); /* embedd the landing page in an iframe */ $o .= '

    '.L10n::t('Video Chat').'

    '; diff --git a/widgets/widget_friendheader.php b/widgets/widget_friendheader.php index cd3083c4..f8033667 100644 --- a/widgets/widget_friendheader.php +++ b/widgets/widget_friendheader.php @@ -43,7 +43,7 @@ function friendheader_widget_content(&$a, $conf) .allcontact-link { float: right; margin: 0px; } .contact-block-content { clear:both; } .contact-block-div { display: block !important; float: left!important; width: 50px!important; height: 50px!important; margin: 2px!important;} - + "; $o .= _abs_url(contact_block()); $o .= "profile['nickname']."' target=new>". L10n::t('Get added to this list!') .""; diff --git a/widgets/widget_friends.php b/widgets/widget_friends.php index 0d218b13..b5a07886 100644 --- a/widgets/widget_friends.php +++ b/widgets/widget_friends.php @@ -45,7 +45,7 @@ function friends_widget_content(&$a, $conf) .allcontact-link { float: right; margin: 0px; } .contact-block-content { clear:both; } .contact-block-div { display: block !important; float: left!important; width: 50px!important; height: 50px!important; margin: 2px!important;} - + "; $o .= _abs_url(contact_block()); $o .= "profile['nickname']."'>". L10n::t('Connect on Friendica!') .""; diff --git a/widgets/widget_like.php b/widgets/widget_like.php index 27b5fbe6..5f03c12e 100644 --- a/widgets/widget_like.php +++ b/widgets/widget_like.php @@ -10,30 +10,30 @@ function like_widget_help() { } function like_widget_args(){ - return Array("KEY"); + return ["KEY"]; } function like_widget_size(){ - return Array('60px','20px'); + return ['60px','20px']; } function like_widget_content(&$a, $conf){ $args = explode(",",$_GET['a']); - - + + $baseq="SELECT COUNT(`item`.`id`) as `c`, `p`.`id` - FROM `item`, - (SELECT `i`.`id` FROM `item` as `i` WHERE + FROM `item`, + (SELECT `i`.`id` FROM `item` as `i` WHERE `i`.`visible` = 1 AND `i`.`deleted` = 0 - AND (( `i`.`wall` = 1 AND `i`.`allow_cid` = '' - AND `i`.`allow_gid` = '' - AND `i`.`deny_cid` = '' - AND `i`.`deny_gid` = '' ) + AND (( `i`.`wall` = 1 AND `i`.`allow_cid` = '' + AND `i`.`allow_gid` = '' + AND `i`.`deny_cid` = '' + AND `i`.`deny_gid` = '' ) OR `i`.`uid` = %d ) AND `i`.`body` LIKE '%%%s%%' LIMIT 1) as `p` WHERE `item`.`parent` = `p`.`id` "; - + // count likes $r = q( $baseq . "AND `item`.`verb` = 'http://activitystrea.ms/schema/1.0/like'", intval($conf['uid']), @@ -41,22 +41,22 @@ function like_widget_content(&$a, $conf){ ); $likes = $r[0]['c']; $iid = $r[0]['id']; - + // count dislikes $r = q( $baseq . "AND `item`.`verb` = 'http://purl.org/macgirvin/dfrn/1.0/dislike'", intval($conf['uid']), dbesc($args[0]) ); $dislikes = $r[0]['c']; - - + + require_once("include/conversation.php"); - + $o = ""; - + # $t = file_get_contents( dirname(__file__). "/widget_like.tpl" ); $t = get_markup_template("widget_like.tpl", "addon/widgets/"); - $o .= replace_macros($t, array( + $o .= replace_macros($t, [ '$like' => $likes, '$strlike' => L10n::tt("%d person likes this", "%d people like this", $likes), @@ -64,7 +64,7 @@ function like_widget_content(&$a, $conf){ '$strdislike'=> L10n::tt("%d person doesn't like this", "%d people don't like this", $dislikes), '$baseurl' => $a->get_baseurl(), - )); - + ]); + return $o; } diff --git a/widgets/widgets.php b/widgets/widgets.php index 76fc14b4..1c7489f1 100644 --- a/widgets/widgets.php +++ b/widgets/widgets.php @@ -24,20 +24,20 @@ function widgets_settings_post(){ if(! local_user()) return; if (isset($_POST['widgets-submit'])){ - del_pconfig(local_user(), 'widgets', 'key'); - + PConfig::delete(local_user(), 'widgets', 'key'); + } } function widgets_settings(&$a,&$o) { if(! local_user()) - return; - - - $key = get_pconfig(local_user(), 'widgets', 'key' ); - if ($key=='') { $key = mt_rand(); set_pconfig(local_user(), 'widgets', 'key', $key); } + return; - $widgets = array(); + + $key = PConfig::get(local_user(), 'widgets', 'key' ); + if ($key=='') { $key = mt_rand(); PConfig::set(local_user(), 'widgets', 'key', $key); } + + $widgets = []; $d = dir(dirname(__file__)); while(false !== ($f = $d->read())) { if(substr($f,0,7)=="widget_") { @@ -45,14 +45,14 @@ function widgets_settings(&$a,&$o) { $w=$m[1]; if ($w!=""){ require_once($f); - $widgets[] = array($w, call_user_func($w."_widget_name")); + $widgets[] = [$w, call_user_func($w."_widget_name")]; } } } - - + + # $t = file_get_contents( dirname(__file__). "/settings.tpl" ); $t = get_markup_template("settings.tpl", "addon/widgets/"); $o .= replace_macros($t, [ @@ -63,8 +63,8 @@ function widgets_settings(&$a,&$o) { '$key' => $key, '$widgets_h' => L10n::t('Widgets available'), '$widgets' => $widgets, - )); - + ]); + } function widgets_module() { @@ -78,7 +78,7 @@ function _abs_url($s){ function _randomAlphaNum($length){ return substr(str_shuffle(str_repeat('ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789',$length)),0,$length); -} +} function widgets_content(&$a) { @@ -94,12 +94,12 @@ function widgets_content(&$a) { if (!count($r)){ if($a->argv[2]=="cb"){header('HTTP/1.0 400 Bad Request'); killme();} return; - } - $conf = array(); + } + $conf = []; $conf['uid'] = $r[0]['uid']; foreach($r as $e) { $conf[$e['k']]=$e['v']; } - - $o = ""; + + $o = ""; $widgetfile =dirname(__file__)."/widget_".$a->argv[1].".php"; if (file_exists($widgetfile)){ @@ -107,8 +107,8 @@ function widgets_content(&$a) { } else { if($a->argv[2]=="cb"){header('HTTP/1.0 400 Bad Request'); killme();} return; - } - + } + @@ -116,10 +116,10 @@ function widgets_content(&$a) { if ($a->argv[2]=="cb"){ /*header('Access-Control-Allow-Origin: *');*/ $o .= call_user_func($a->argv[1].'_widget_content',$a, $conf); - + } else { - + if (isset($_GET['p']) && local_user()==$conf['uid'] ) { $o .= ""; $o .= "

    Preview Widget

    "; @@ -132,13 +132,13 @@ function widgets_content(&$a) { } else { header("content-type: application/x-javascript"); } - - - + + + $widget_size = call_user_func($a->argv[1].'_widget_size'); - + $script = file_get_contents(dirname(__file__)."/widgets.js"); - $o .= replace_macros($script, array( + $o .= replace_macros($script, [ '$entrypoint' => $a->get_baseurl()."/widgets/".$a->argv[1]."/cb/", '$key' => $conf['key'], '$widget_id' => 'f9a_'.$a->argv[1]."_"._randomAlphaNum(6), @@ -147,25 +147,25 @@ function widgets_content(&$a) { '$width' => $widget_size[0], '$height' => $widget_size[1], '$type' => $a->argv[1], - )); + ]); + - if (isset($_GET['p'])) { $wargs = call_user_func($a->argv[1].'_widget_args'); $jsargs = implode(",", $wargs); if ($jsargs!='') $jsargs = "&a=".$jsargs.""; - + $o .= "

    Copy and paste this code

    " - + .htmlspecialchars('') .""; - + return $o; } } diff --git a/windowsphonepush/windowsphonepush.php b/windowsphonepush/windowsphonepush.php index 9837e1fe..206b0883 100644 --- a/windowsphonepush/windowsphonepush.php +++ b/windowsphonepush/windowsphonepush.php @@ -1,25 +1,26 @@ - * - * + * + * * Pre-requisite: Windows Phone mobile device (at least WP 7.0) * Friendica mobile app on Windows Phone * * When addon is installed, the system calls the addon * name_install() function, located in 'addon/name/name.php', * where 'name' is the name of the addon. - * If the addon is removed from the configuration list, the + * If the addon is removed from the configuration list, the * system will call the name_uninstall() function. * * Version history: - * 1.1 : addon crashed on php versions >= 5.4 as of removed deprecated call-time + * 1.1 : addon crashed on php versions >= 5.4 as of removed deprecated call-time * pass-by-reference used in function calls within function windowsphonepush_content * 2.0 : adaption for supporting emphasizing new entries in app (count on tile cannot be read out, - * so we need to retrieve counter through show_settings secondly). Provide new function for + * so we need to retrieve counter through show_settings secondly). Provide new function for * calling from app to set the counter back after start (if user starts again before cronjob * sets the counter back * count only unseen elements which are not type=activity (likes and dislikes not seen as new elements) @@ -37,7 +38,6 @@ function windowsphonepush_install() /* Our addon will attach in three places. * The first is within cron - so the push notifications will be * sent every 10 minutes (or whatever is set in crontab). - * */ Addon::registerHook('cron', 'addon/windowsphonepush/windowsphonepush.php', 'windowsphonepush_cron'); @@ -45,7 +45,6 @@ function windowsphonepush_install() * settings post hook so that we can create and update * user preferences. User shall be able to activate the addon and * define whether he allows pushing first characters of item text - * */ Addon::registerHook('addon_settings', 'addon/windowsphonepush/windowsphonepush.php', 'windowsphonepush_settings'); Addon::registerHook('addon_settings_post', 'addon/windowsphonepush/windowsphonepush.php', 'windowsphonepush_settings_post'); @@ -53,14 +52,10 @@ function windowsphonepush_install() logger("installed windowsphonepush"); } - -function windowsphonepush_uninstall() { - - /** - * - * uninstall unregisters any hooks created with register_hook +function windowsphonepush_uninstall() +{ + /* uninstall unregisters any hooks created with register_hook * during install. Don't delete data in table `pconfig`. - * */ Addon::unregisterHook('cron', 'addon/windowsphonepush/windowsphonepush.php', 'windowsphonepush_cron'); Addon::unregisterHook('addon_settings', 'addon/windowsphonepush/windowsphonepush.php', 'windowsphonepush_settings'); @@ -69,54 +64,54 @@ function windowsphonepush_uninstall() { logger("removed windowsphonepush"); } - /* declare the windowsphonepush function so that /windowsphonepush url requests will land here */ -function windowsphonepush_module() {} +function windowsphonepush_module() +{ +} -/** - * - * Callback from the settings post function. +/* Callback from the settings post function. * $post contains the $_POST array. * We will make sure we've got a valid user account * and if so set our configuration setting for this person. - * */ -function windowsphonepush_settings_post($a,$post) { - if(! local_user() || (! x($_POST,'windowsphonepush-submit'))) +function windowsphonepush_settings_post($a, $post) +{ + if (!local_user() || (!x($_POST, 'windowsphonepush-submit'))) { return; + } $enable = intval($_POST['windowsphonepush']); - set_pconfig(local_user(),'windowsphonepush','enable',$enable); + PConfig::set(local_user(), 'windowsphonepush', 'enable', $enable); - if($enable) { - set_pconfig(local_user(),'windowsphonepush','counterunseen', 0); + if ($enable) { + PConfig::set(local_user(), 'windowsphonepush', 'counterunseen', 0); } - set_pconfig(local_user(),'windowsphonepush','senditemtext',intval($_POST['windowsphonepush-senditemtext'])); + PConfig::set(local_user(), 'windowsphonepush', 'senditemtext', intval($_POST['windowsphonepush-senditemtext'])); info(L10n::t('WindowsPhonePush settings updated.') . EOL); } /* Called from the Addon Setting form. * Add our own settings info to the page. - * */ -function windowsphonepush_settings(&$a,&$s) { - - if(! local_user()) +function windowsphonepush_settings(&$a, &$s) +{ + if (!local_user()) { return; + } /* Add our stylesheet to the page so we can make our settings look nice */ $a->page['htmlhead'] .= '' . "\r\n"; /* Get the current state of our config variables */ - $enabled = get_pconfig(local_user(),'windowsphonepush','enable'); + $enabled = PConfig::get(local_user(), 'windowsphonepush', 'enable'); $checked_enabled = (($enabled) ? ' checked="checked" ' : ''); - $senditemtext = get_pconfig(local_user(), 'windowsphonepush', 'senditemtext'); + $senditemtext = PConfig::get(local_user(), 'windowsphonepush', 'senditemtext'); $checked_senditemtext = (($senditemtext) ? ' checked="checked" ' : ''); - $device_url = get_pconfig(local_user(), 'windowsphonepush', 'device_url'); + $device_url = PConfig::get(local_user(), 'windowsphonepush', 'device_url'); /* Add some HTML to the existing form */ $s .= '
    '; @@ -140,45 +135,41 @@ function windowsphonepush_settings(&$a,&$s) { $s .= ''; $s .= ''; $s .= '
    '; - - return; + return; } /* Cron function used to regularly check all users on the server with active windowsphonepushaddon and send * notifications to the Microsoft servers and consequently to the Windows Phone device - * */ function windowsphonepush_cron() { // retrieve all UID's for which the addon windowsphonepush is enabled and loop through every user $r = q("SELECT * FROM `pconfig` WHERE `cat` = 'windowsphonepush' AND `k` = 'enable' AND `v` = 1"); - if(count($r)) { - foreach($r as $rr) { + if (count($r)) { + foreach ($r as $rr) { // load stored information for the user-id of the current loop - $device_url = get_pconfig($rr['uid'], 'windowsphonepush', 'device_url'); - $lastpushid = get_pconfig($rr['uid'], 'windowsphonepush', 'lastpushid'); + $device_url = PConfig::get($rr['uid'], 'windowsphonepush', 'device_url'); + $lastpushid = PConfig::get($rr['uid'], 'windowsphonepush', 'lastpushid'); - // pushing only possible if device_url (the URI on Microsoft server) is available or not "NA" (which will be sent + // pushing only possible if device_url (the URI on Microsoft server) is available or not "NA" (which will be sent // by app if user has switched the server setting in app - sending blank not possible as this would return an update error) if (( $device_url == "" ) || ( $device_url == "NA" )) { // no Device-URL for the user availabe, but addon is enabled --> write info to Logger logger("WARN: windowsphonepush is enable for user " . $rr['uid'] . ", but no Device-URL is specified for the user."); } else { - // retrieve the number of unseen items and the id of the latest one (if there are more than + // retrieve the number of unseen items and the id of the latest one (if there are more than // one new entries since last poller run, only the latest one will be pushed) - $count = q("SELECT count(`id`) as count, max(`id`) as max FROM `item` WHERE `unseen` = 1 AND `type` <> 'activity' AND `uid` = %d", - intval($rr['uid']) - ); + $count = q("SELECT count(`id`) as count, max(`id`) as max FROM `item` WHERE `unseen` = 1 AND `type` <> 'activity' AND `uid` = %d", intval($rr['uid'])); - // send number of unseen items to the device (the number will be displayed on Start screen until - // App will be started by user) - this update will be sent every 10 minutes to update the number to 0 if + // send number of unseen items to the device (the number will be displayed on Start screen until + // App will be started by user) - this update will be sent every 10 minutes to update the number to 0 if // user has loaded the timeline through app or website $res_tile = send_tile_update($device_url, "", $count[0]['count'], ""); switch (trim($res_tile)) { case "Received": - // ok, count has been pushed, let's save it in personal settings - set_pconfig($rr['uid'], 'windowsphonepush', 'counterunseen', $count[0]['count']); + // ok, count has been pushed, let's save it in personal settings + PConfig::set($rr['uid'], 'windowsphonepush', 'counterunseen', $count[0]['count']); break; case "QueueFull": // maximum of 30 messages reached, server rejects any further push notification until device reconnects @@ -201,25 +192,23 @@ function windowsphonepush_cron() if (intval($count[0]['max']) > intval($lastpushid)) { // user can define if he wants to see the text of the item in the push notification // this has been implemented as the device_url is not a https uri (not so secure) - $senditemtext = get_pconfig($rr['uid'], 'windowsphonepush', 'senditemtext'); + $senditemtext = PConfig::get($rr['uid'], 'windowsphonepush', 'senditemtext'); if ($senditemtext == 1) { // load item with the max id - $item = q("SELECT `author-name` as author, `body` as body FROM `item` where `id` = %d", - intval($count[0]['max']) - ); + $item = q("SELECT `author-name` as author, `body` as body FROM `item` where `id` = %d", intval($count[0]['max'])); // as user allows to send the item, we want to show the sender of the item in the toast - // toasts are limited to one line, therefore place is limited - author shall be in + // toasts are limited to one line, therefore place is limited - author shall be in // max. 15 chars (incl. dots); author is displayed in bold font $author = $item[0]['author']; $author = ((strlen($author) > 12) ? substr($author, 0, 12) . "..." : $author); // normally we show the body of the item, however if it is an url or an image we cannot - // show this in the toast (only test), therefore changing to an alternate text + // show this in the toast (only test), therefore changing to an alternate text // Otherwise BBcode-Tags will be eliminated and plain text cutted to 140 chars (incl. dots) // BTW: information only possible in English $body = $item[0]['body']; - if (substr($body, 0, 4) == "[url") + if (substr($body, 0, 4) == "[url") { $body = "URL/Image ..."; } else { require_once("include/html2plain.php"); @@ -229,91 +218,82 @@ function windowsphonepush_cron() $body = ((strlen($body) > 137) ? substr($body, 0, 137) . "..." : $body); } } else { - // if user wishes higher privacy, we only display "Friendica - New timeline entry arrived" + // if user wishes higher privacy, we only display "Friendica - New timeline entry arrived" $author = "Friendica"; $body = "New timeline entry arrived ..."; } - // only if toast push notification returns the Notification status "Received" we will update th settings with the + // only if toast push notification returns the Notification status "Received" we will update th settings with the // new indicator max-id is checked against (QueueFull, Suppressed, N/A, Dropped shall qualify to resend - // the push notification some minutes later (BTW: if resulting in Expired for subscription status the + // the push notification some minutes later (BTW: if resulting in Expired for subscription status the // device_url will be deleted (no further try on this url, see send_push) // further log information done on count pushing with send_tile (see above) $res_toast = send_toast($device_url, $author, $body); if (trim($res_toast) === 'Received') { - set_pconfig($rr['uid'], 'windowsphonepush', 'lastpushid', $count[0]['max']); - } + PConfig::set($rr['uid'], 'windowsphonepush', 'lastpushid', $count[0]['max']); + } } } } } } - -/* - * - * Tile push notification change the number in the icon of the App in Start Screen of +/* Tile push notification change the number in the icon of the App in Start Screen of * a Windows Phone Device, Image could be changed, not used for App "Friendica Mobile" - * */ -function send_tile_update($device_url, $image_url, $count, $title, $priority = 1) { +function send_tile_update($device_url, $image_url, $count, $title, $priority = 1) +{ $msg = "" . "" . - "". - "" . $image_url . "" . - "" . $count . "" . - "" . $title . "" . - " " . + "" . + "" . $image_url . "" . + "" . $count . "" . + "" . $title . "" . + " " . ""; - $result = send_push($device_url, array( + $result = send_push($device_url, [ 'X-WindowsPhone-Target: token', 'X-NotificationClass: ' . $priority, - ), $msg); + ], $msg); return $result; } -/* - * - * Toast push notification send information to the top of the display +/* Toast push notification send information to the top of the display * if the user is not currently using the Friendica Mobile App, however * there is only one line for displaying the information - * */ -function send_toast($device_url, $title, $message, $priority = 2) { - $msg = "" . +function send_toast($device_url, $title, $message, $priority = 2) +{ + $msg = "" . "" . - "" . - "" . $title . "" . - "" . $message . "" . - "" . - "" . + "" . + "" . $title . "" . + "" . $message . "" . + "" . + "" . ""; - $result = send_push($device_url, array( + $result = send_push($device_url, [ 'X-WindowsPhone-Target: toast', - 'X-NotificationClass: ' . $priority, - ), $msg); + 'X-NotificationClass: ' . $priority, + ], $msg); return $result; } -/* - * - * General function to send the push notification via cURL - * - */ -function send_push($device_url, $headers, $msg) { +// General function to send the push notification via cURL +function send_push($device_url, $headers, $msg) +{ $ch = curl_init(); curl_setopt($ch, CURLOPT_URL, $device_url); curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1); curl_setopt($ch, CURLOPT_POST, true); - curl_setopt($ch, CURLOPT_HEADER, true); - curl_setopt($ch, CURLOPT_HTTPHEADER, - $headers + array( - 'Content-Type: text/xml', - 'charset=utf-8', - 'Accept: application/*', - ) - ); + curl_setopt($ch, CURLOPT_HEADER, true); + curl_setopt($ch, CURLOPT_HTTPHEADER, $headers + [ + 'Content-Type: text/xml', + 'charset=utf-8', + 'Accept: application/*', + ] + ); curl_setopt($ch, CURLOPT_POSTFIELDS, $msg); $output = curl_exec($ch); @@ -323,35 +303,31 @@ function send_push($device_url, $headers, $msg) { // and log this fact $subscriptionStatus = get_header_value($output, 'X-SubscriptionStatus'); if ($subscriptionStatus == "Expired") { - set_pconfig(local_user(),'windowsphonepush','device_url', ""); + PConfig::set(local_user(), 'windowsphonepush', 'device_url', ""); logger("ERROR: the stored Device-URL " . $device_url . "returned an 'Expired' error, it has been deleted now."); } - // the notification status shall be returned to windowsphonepush_cron (will + // the notification status shall be returned to windowsphonepush_cron (will // update settings if 'Received' otherwise keep old value in settings (on QueuedFull. Suppressed, N/A, Dropped) $notificationStatus = get_header_value($output, 'X-NotificationStatus'); return $notificationStatus; - } +} -/* - * helper function to receive statuses from webresponse of Microsoft server - */ -function get_header_value($content, $header) { +// helper function to receive statuses from webresponse of Microsoft server +function get_header_value($content, $header) +{ return preg_match_all("/$header: (.*)/i", $content, $match) ? $match[1][0] : ""; } - -/* - * - * reading information from url and deciding which function to start +/* reading information from url and deciding which function to start * show_settings = delivering settings to check * update_settings = set the device_url * update_counterunseen = set counter for unseen elements to zero - * */ -function windowsphonepush_content(&$a) { +function windowsphonepush_content(App $a) +{ // Login with the specified Network credentials (like in api.php) - windowsphonepush_login(); + windowsphonepush_login($a); $path = $a->argv[0]; $path2 = $a->argv[1]; @@ -363,14 +339,14 @@ function windowsphonepush_content(&$a) { break; case "update_settings": $ret = windowsphonepush_updatesettings($a); - header("Content-Type: application/json; charset=utf-8"); - echo json_encode(array('status' => $ret)); - killme(); + header("Content-Type: application/json; charset=utf-8"); + echo json_encode(['status' => $ret]); + killme(); break; case "update_counterunseen": $ret = windowsphonepush_updatecounterunseen(); header("Content-Type: application/json; charset=utf-8"); - echo json_encode(array('status' => $ret)); + echo json_encode(['status' => $ret]); killme(); break; default: @@ -379,42 +355,44 @@ function windowsphonepush_content(&$a) { } } -/* - * return settings for windowsphonepush addon to be able to check them in WP app - */ -function windowsphonepush_showsettings(&$a) { - if(! local_user()) +// return settings for windowsphonepush addon to be able to check them in WP app +function windowsphonepush_showsettings() +{ + if (!local_user()) { return; + } - $enable = get_pconfig(local_user(), 'windowsphonepush', 'enable'); - $device_url = get_pconfig(local_user(), 'windowsphonepush', 'device_url'); - $senditemtext = get_pconfig(local_user(), 'windowsphonepush', 'senditemtext'); - $lastpushid = get_pconfig(local_user(), 'windowsphonepush', 'lastpushid'); - $counterunseen = get_pconfig(local_user(), 'windowsphonepush', 'counterunseen'); + $enable = PConfig::get(local_user(), 'windowsphonepush', 'enable'); + $device_url = PConfig::get(local_user(), 'windowsphonepush', 'device_url'); + $senditemtext = PConfig::get(local_user(), 'windowsphonepush', 'senditemtext'); + $lastpushid = PConfig::get(local_user(), 'windowsphonepush', 'lastpushid'); + $counterunseen = PConfig::get(local_user(), 'windowsphonepush', 'counterunseen'); $addonversion = "2.0"; - if (!$device_url) + if (!$device_url) { $device_url = ""; + } - if (!$lastpushid) + if (!$lastpushid) { $lastpushid = 0; + } - header ("Content-Type: application/json"); - echo json_encode(array('uid' => local_user(), - 'enable' => $enable, - 'device_url' => $device_url, - 'senditemtext' => $senditemtext, - 'lastpushid' => $lastpushid, - 'counterunseen' => $counterunseen, - 'addonversion' => $addonversion)); + header("Content-Type: application/json"); + echo json_encode(['uid' => local_user(), + 'enable' => $enable, + 'device_url' => $device_url, + 'senditemtext' => $senditemtext, + 'lastpushid' => $lastpushid, + 'counterunseen' => $counterunseen, + 'addonversion' => $addonversion]); } -/* - * update_settings is used to transfer the device_url from WP device to the Friendica server +/* update_settings is used to transfer the device_url from WP device to the Friendica server * return the status of the operation to the server */ -function windowsphonepush_updatesettings(&$a) { - if(! local_user()) { +function windowsphonepush_updatesettings() +{ + if (!local_user()) { return "Not Authenticated"; } @@ -431,32 +409,31 @@ function windowsphonepush_updatesettings(&$a) { return "No valid Device-URL specified"; } - // check if sent url is already stored in database for another user, we assume that there was a change of + // check if sent url is already stored in database for another user, we assume that there was a change of // the user on the Windows Phone device and that device url is no longer true for the other user, so we - // et the device_url for the OTHER user blank (should normally not occur as App should include User/server + // et the device_url for the OTHER user blank (should normally not occur as App should include User/server // in url request to Microsoft Push Notification server) - $r = q("SELECT * FROM `pconfig` WHERE `uid` <> " . local_user() . " AND - `cat` = 'windowsphonepush' AND - `k` = 'device_url' AND + $r = q("SELECT * FROM `pconfig` WHERE `uid` <> " . local_user() . " AND + `cat` = 'windowsphonepush' AND + `k` = 'device_url' AND `v` = '" . $device_url . "'"); - if(count($r)) { - foreach($r as $rr) { - set_pconfig($rr['uid'], 'windowsphonepush', 'device_url', ''); - logger("WARN: the sent URL was already registered with user '" . $rr['uid'] . "'. Deleted for this user as we expect to be correct now for user '" . local_user() . "'."); + if (count($r)) { + foreach ($r as $rr) { + PConfig::set($rr['uid'], 'windowsphonepush', 'device_url', ''); + logger("WARN: the sent URL was already registered with user '" . $rr['uid'] . "'. Deleted for this user as we expect to be correct now for user '" . local_user() . "'."); } } - set_pconfig(local_user(),'windowsphonepush','device_url', $device_url); + PConfig::set(local_user(), 'windowsphonepush', 'device_url', $device_url); // output the successfull update of the device URL to the logger for error analysis if necessary logger("INFO: Device-URL for user '" . local_user() . "' has been updated with '" . $device_url . "'"); return "Device-URL updated successfully!"; } -/* - * update_counterunseen is used to reset the counter to zero from Windows Phone app - */ -function windowsphonepush_updatecounterunseen() { - if(! local_user()) { +// update_counterunseen is used to reset the counter to zero from Windows Phone app +function windowsphonepush_updatecounterunseen() +{ + if (!local_user()) { return "Not Authenticated"; } @@ -466,40 +443,31 @@ function windowsphonepush_updatecounterunseen() { return "Plug-in not enabled"; } - set_pconfig(local_user(),'windowsphonepush','counterunseen', 0); + PConfig::set(local_user(), 'windowsphonepush', 'counterunseen', 0); return "Counter set to zero"; } -/* - * helper function to login to the server with the specified Network credentials +/* helper function to login to the server with the specified Network credentials * (mainly copied from api.php) */ -function windowsphonepush_login() { +function windowsphonepush_login(App $a) +{ if (!isset($_SERVER['PHP_AUTH_USER'])) { - logger('API_login: ' . print_r($_SERVER, true), LOGGER_DEBUG); - header('WWW-Authenticate: Basic realm="Friendica"'); - header('HTTP/1.0 401 Unauthorized'); - die('This api requires login'); + logger('API_login: ' . print_r($_SERVER, true), LOGGER_DEBUG); + header('WWW-Authenticate: Basic realm="Friendica"'); + header('HTTP/1.0 401 Unauthorized'); + die('This api requires login'); } - $user = $_SERVER['PHP_AUTH_USER']; - $encrypted = hash('whirlpool',trim($_SERVER['PHP_AUTH_PW'])); + $user_id = User::authenticate($_SERVER['PHP_AUTH_USER'], trim($_SERVER['PHP_AUTH_PW'])); - // check if user specified by app is available in the user table - $r = q("SELECT * FROM `user` WHERE ( `email` = '%s' OR `nickname` = '%s' ) - AND `password` = '%s' AND `blocked` = 0 AND `account_expired` = 0 AND `account_removed` = 0 AND `verified` = 1 LIMIT 1", - dbesc(trim($user)), - dbesc(trim($user)), - dbesc($encrypted) - ); - - if(count($r)){ - $record = $r[0]; + if ($user_id) { + $record = dba::selectFirst('user', [], ['uid' => $user_id]); } else { - logger('API_login failure: ' . print_r($_SERVER,true), LOGGER_DEBUG); - header('WWW-Authenticate: Basic realm="Friendica"'); - header('HTTP/1.0 401 Unauthorized'); - die('This api requires login'); + logger('API_login failure: ' . print_r($_SERVER, true), LOGGER_DEBUG); + header('WWW-Authenticate: Basic realm="Friendica"'); + header('HTTP/1.0 401 Unauthorized'); + die('This api requires login'); } require_once 'include/security.php'; @@ -507,4 +475,3 @@ function windowsphonepush_login() { $_SESSION["allow_api"] = true; Addon::callHooks('logged_in', $a->user); } - diff --git a/wppost/wppost.php b/wppost/wppost.php index 96209b15..8d14b170 100644 --- a/wppost/wppost.php +++ b/wppost/wppost.php @@ -38,9 +38,9 @@ function wppost_jot_nets(&$a,&$b) { if(! local_user()) return; - $wp_post = get_pconfig(local_user(),'wppost','post'); + $wp_post = PConfig::get(local_user(),'wppost','post'); if(intval($wp_post) == 1) { - $wp_defpost = get_pconfig(local_user(),'wppost','post_by_default'); + $wp_defpost = PConfig::get(local_user(),'wppost','post_by_default'); $selected = ((intval($wp_defpost) == 1) ? ' checked="checked" ' : ''); $b .= '
    ' . L10n::t('Post to Wordpress') . '
    '; @@ -59,23 +59,23 @@ function wppost_settings(&$a,&$s) { /* Get the current state of our config variables */ - $enabled = get_pconfig(local_user(),'wppost','post'); + $enabled = PConfig::get(local_user(),'wppost','post'); $checked = (($enabled) ? ' checked="checked" ' : ''); $css = (($enabled) ? '' : '-disabled'); - $def_enabled = get_pconfig(local_user(),'wppost','post_by_default'); - $back_enabled = get_pconfig(local_user(),'wppost','backlink'); - $shortcheck_enabled = get_pconfig(local_user(),'wppost','shortcheck'); + $def_enabled = PConfig::get(local_user(),'wppost','post_by_default'); + $back_enabled = PConfig::get(local_user(),'wppost','backlink'); + $shortcheck_enabled = PConfig::get(local_user(),'wppost','shortcheck'); $def_checked = (($def_enabled) ? ' checked="checked" ' : ''); $back_checked = (($back_enabled) ? ' checked="checked" ' : ''); $shortcheck_checked = (($shortcheck_enabled) ? ' checked="checked" ' : ''); - $wp_username = get_pconfig(local_user(), 'wppost', 'wp_username'); - $wp_password = get_pconfig(local_user(), 'wppost', 'wp_password'); - $wp_blog = get_pconfig(local_user(), 'wppost', 'wp_blog'); - $wp_backlink_text = get_pconfig(local_user(), 'wppost', 'wp_backlink_text'); + $wp_username = PConfig::get(local_user(), 'wppost', 'wp_username'); + $wp_password = PConfig::get(local_user(), 'wppost', 'wp_password'); + $wp_blog = PConfig::get(local_user(), 'wppost', 'wp_blog'); + $wp_backlink_text = PConfig::get(local_user(), 'wppost', 'wp_backlink_text'); /* Add some HTML to the existing form */ @@ -137,17 +137,17 @@ function wppost_settings_post(&$a,&$b) { if(x($_POST,'wppost-submit')) { - set_pconfig(local_user(),'wppost','post',intval($_POST['wppost'])); - set_pconfig(local_user(),'wppost','post_by_default',intval($_POST['wp_bydefault'])); - set_pconfig(local_user(),'wppost','wp_username',trim($_POST['wp_username'])); - set_pconfig(local_user(),'wppost','wp_password',trim($_POST['wp_password'])); - set_pconfig(local_user(),'wppost','wp_blog',trim($_POST['wp_blog'])); - set_pconfig(local_user(),'wppost','backlink',trim($_POST['wp_backlink'])); - set_pconfig(local_user(),'wppost','shortcheck',trim($_POST['wp_shortcheck'])); + PConfig::set(local_user(),'wppost','post',intval($_POST['wppost'])); + PConfig::set(local_user(),'wppost','post_by_default',intval($_POST['wp_bydefault'])); + PConfig::set(local_user(),'wppost','wp_username',trim($_POST['wp_username'])); + PConfig::set(local_user(),'wppost','wp_password',trim($_POST['wp_password'])); + PConfig::set(local_user(),'wppost','wp_blog',trim($_POST['wp_blog'])); + PConfig::set(local_user(),'wppost','backlink',trim($_POST['wp_backlink'])); + PConfig::set(local_user(),'wppost','shortcheck',trim($_POST['wp_shortcheck'])); $wp_backlink_text = notags(trim($_POST['wp_backlink_text'])); $wp_backlink_text = BBCode::convert($wp_backlink_text, false, 8); $wp_backlink_text = html2plain($wp_backlink_text, 0, true); - set_pconfig(local_user(),'wppost','wp_backlink_text', $wp_backlink_text); + PConfig::set(local_user(),'wppost','wp_backlink_text', $wp_backlink_text); } @@ -169,11 +169,11 @@ function wppost_post_local(&$a, &$b) { return; } - $wp_post = intval(get_pconfig(local_user(),'wppost','post')); + $wp_post = intval(PConfig::get(local_user(),'wppost','post')); $wp_enable = (($wp_post && x($_REQUEST,'wppost_enable')) ? intval($_REQUEST['wppost_enable']) : 0); - if ($b['api_source'] && intval(get_pconfig(local_user(),'wppost','post_by_default'))) { + if ($b['api_source'] && intval(PConfig::get(local_user(),'wppost','post_by_default'))) { $wp_enable = 1; } @@ -193,20 +193,29 @@ function wppost_post_local(&$a, &$b) { function wppost_send(&$a,&$b) { - if($b['deleted'] || $b['private'] || ($b['created'] !== $b['edited'])) + if($b['deleted'] || $b['private'] || ($b['created'] !== $b['edited'])) { return; + } - if(! strstr($b['postopts'],'wppost')) + if(! strstr($b['postopts'],'wppost')) { return; + } - if($b['parent'] != $b['id']) + if($b['parent'] != $b['id']) { return; + } + // Dont't post if the post doesn't belong to us. + // This is a check for forum postings + $self = dba::selectFirst('contact', ['id'], ['uid' => $b['uid'], 'self' => true]); + if ($b['contact-id'] != $self['id']) { + return; + } - $wp_username = xmlify(get_pconfig($b['uid'],'wppost','wp_username')); - $wp_password = xmlify(get_pconfig($b['uid'],'wppost','wp_password')); - $wp_blog = get_pconfig($b['uid'],'wppost','wp_blog'); - $wp_backlink_text = get_pconfig($b['uid'],'wppost','wp_backlink_text'); + $wp_username = xmlify(PConfig::get($b['uid'],'wppost','wp_username')); + $wp_password = xmlify(PConfig::get($b['uid'],'wppost','wp_password')); + $wp_blog = PConfig::get($b['uid'],'wppost','wp_blog'); + $wp_backlink_text = PConfig::get($b['uid'],'wppost','wp_backlink_text'); if ($wp_backlink_text == '') { $wp_backlink_text = L10n::t('Read the orig­i­nal post and com­ment stream on Friendica'); } @@ -223,7 +232,7 @@ function wppost_send(&$a,&$b) { // Is it a link to an aricle, a video or a photo? if (isset($siteinfo["type"])) { - if (in_array($siteinfo["type"], array("link", "audio", "video", "photo"))) { + if (in_array($siteinfo["type"], ["link", "audio", "video", "photo"])) { $postentry = true; } } @@ -277,7 +286,7 @@ function wppost_send(&$a,&$b) { $post = $title.$post; - $wp_backlink = intval(get_pconfig($b['uid'],'wppost','backlink')); + $wp_backlink = intval(PConfig::get($b['uid'],'wppost','backlink')); if($wp_backlink && $b['plink']) { $post .= EOL . EOL . '' . $wp_backlink_text . '' . EOL . EOL; diff --git a/xmpp/lang/C/messages.po b/xmpp/lang/C/messages.po new file mode 100644 index 00000000..a37749d0 --- /dev/null +++ b/xmpp/lang/C/messages.po @@ -0,0 +1,57 @@ +# ADDON xmpp +# Copyright (C) +# This file is distributed under the same license as the Friendica xmpp addon package. +# +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: \n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2017-11-27 09:30+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME \n" +"Language-Team: LANGUAGE \n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: xmpp.php:38 +msgid "XMPP settings updated." +msgstr "" + +#: xmpp.php:63 xmpp.php:67 +msgid "XMPP-Chat (Jabber)" +msgstr "" + +#: xmpp.php:71 +msgid "Enable Webchat" +msgstr "" + +#: xmpp.php:76 +msgid "Individual Credentials" +msgstr "" + +#: xmpp.php:82 xmpp.php:108 +msgid "Jabber BOSH host" +msgstr "" + +#: xmpp.php:91 xmpp.php:107 +msgid "Save Settings" +msgstr "" + +#: xmpp.php:109 +msgid "Use central userbase" +msgstr "" + +#: xmpp.php:109 +msgid "" +"If enabled, users will automatically login to an ejabberd server that has to " +"be installed on this machine with synchronized credentials via the " +"\"auth_ejabberd.php\" script." +msgstr "" + +#: xmpp.php:119 +msgid "Settings updated." +msgstr "" diff --git a/xmpp/lang/de/messages.po b/xmpp/lang/de/messages.po new file mode 100644 index 00000000..252beb9b --- /dev/null +++ b/xmpp/lang/de/messages.po @@ -0,0 +1,61 @@ +# ADDON xmpp +# Copyright (C) +# This file is distributed under the same license as the Friendica xmpp addon package. +# +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: \n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2017-11-27 09:30+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: Andreas H. , 2017\n" +"Language-Team: German (https://www.transifex.com/Friendica/teams/12172/de/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: de\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: xmpp.php:38 +msgid "XMPP settings updated." +msgstr "XMPP Einstellungen aktualisiert." + +#: xmpp.php:63 xmpp.php:67 +msgid "XMPP-Chat (Jabber)" +msgstr "XMPP-Chat (Jabber)" + +#: xmpp.php:71 +msgid "Enable Webchat" +msgstr "Aktiviere Webchat" + +#: xmpp.php:76 +msgid "Individual Credentials" +msgstr "Individuelle Anmeldedaten" + +#: xmpp.php:82 xmpp.php:108 +msgid "Jabber BOSH host" +msgstr "Jabber BOSH Host" + +#: xmpp.php:91 xmpp.php:107 +msgid "Save Settings" +msgstr "Speichere Einstellungen" + +#: xmpp.php:109 +msgid "Use central userbase" +msgstr "Nutze zentrale Nutzerbasis" + +#: xmpp.php:109 +msgid "" +"If enabled, users will automatically login to an ejabberd server that has to" +" be installed on this machine with synchronized credentials via the " +"\"auth_ejabberd.php\" script." +msgstr "" +"Wenn aktiviert, werden die Nutzer automatisch auf dem EJabber Server, der " +"auf dieser Maschine installiert ist, angemeldet und die Zugangsdaten werden " +"über das \"auth_ejabberd.php\"-Script synchronisiert." + +#: xmpp.php:119 +msgid "Settings updated." +msgstr "Einstellungen aktualisiert." diff --git a/xmpp/lang/de/strings.php b/xmpp/lang/de/strings.php new file mode 100644 index 00000000..a8785024 --- /dev/null +++ b/xmpp/lang/de/strings.php @@ -0,0 +1,16 @@ +strings["XMPP settings updated."] = "XMPP Einstellungen aktualisiert."; +$a->strings["XMPP-Chat (Jabber)"] = "XMPP-Chat (Jabber)"; +$a->strings["Enable Webchat"] = "Aktiviere Webchat"; +$a->strings["Individual Credentials"] = "Individuelle Anmeldedaten"; +$a->strings["Jabber BOSH host"] = "Jabber BOSH Host"; +$a->strings["Save Settings"] = "Speichere Einstellungen"; +$a->strings["Use central userbase"] = "Nutze zentrale Nutzerbasis"; +$a->strings["If enabled, users will automatically login to an ejabberd server that has to be installed on this machine with synchronized credentials via the \"auth_ejabberd.php\" script."] = "Wenn aktiviert, werden die Nutzer automatisch auf dem EJabber Server, der auf dieser Maschine installiert ist, angemeldet und die Zugangsdaten werden über das \"auth_ejabberd.php\"-Script synchronisiert."; +$a->strings["Settings updated."] = "Einstellungen aktualisiert."; diff --git a/xmpp/xmpp.php b/xmpp/xmpp.php index 422c6277..bd5adb57 100644 --- a/xmpp/xmpp.php +++ b/xmpp/xmpp.php @@ -31,9 +31,10 @@ function xmpp_addon_settings_post() { if (!local_user() || (!x($_POST, 'xmpp-settings-submit'))) { return; - set_pconfig(local_user(),'xmpp','enabled',intval($_POST['xmpp_enabled'])); - set_pconfig(local_user(),'xmpp','individual',intval($_POST['xmpp_individual'])); - set_pconfig(local_user(),'xmpp','bosh_proxy',$_POST['xmpp_bosh_proxy']); + } + PConfig::set(local_user(), 'xmpp', 'enabled', intval($_POST['xmpp_enabled'])); + PConfig::set(local_user(), 'xmpp', 'individual', intval($_POST['xmpp_individual'])); + PConfig::set(local_user(), 'xmpp', 'bosh_proxy', $_POST['xmpp_bosh_proxy']); info(L10n::t('XMPP settings updated.') . EOL); } @@ -42,6 +43,7 @@ function xmpp_addon_settings(App $a, &$s) { if (!local_user()) { return; + } /* Add our stylesheet to the xmpp so we can make our settings look nice */ @@ -49,13 +51,13 @@ function xmpp_addon_settings(App $a, &$s) /* Get the current state of our config variable */ - $enabled = intval(get_pconfig(local_user(),'xmpp','enabled')); + $enabled = intval(PConfig::get(local_user(), 'xmpp', 'enabled')); $enabled_checked = (($enabled) ? ' checked="checked" ' : ''); - $individual = intval(get_pconfig(local_user(),'xmpp','individual')); + $individual = intval(PConfig::get(local_user(), 'xmpp', 'individual')); $individual_checked = (($individual) ? ' checked="checked" ' : ''); - $bosh_proxy = get_pconfig(local_user(),"xmpp","bosh_proxy"); + $bosh_proxy = PConfig::get(local_user(), "xmpp", "bosh_proxy"); /* Add some HTML to the existing form */ $s .= ''; @@ -90,10 +92,11 @@ function xmpp_addon_settings(App $a, &$s) $s .= '
    '; } -function xmpp_login($a,$b) { +function xmpp_login() +{ if (!$_SESSION["allow_api"]) { - $password = substr(random_string(),0,16); - set_pconfig(local_user(), "xmpp", "password", $password); + $password = random_string(16); + PConfig::set(local_user(), "xmpp", "password", $password); } } @@ -117,40 +120,47 @@ function xmpp_addon_admin_post() info(L10n::t('Settings updated.') . EOL); } -function xmpp_script(&$a,&$s) { - xmpp_converse($a,$s); +function xmpp_script(App $a) +{ + xmpp_converse($a); } -function xmpp_converse(&$a,&$s) { - if (!local_user()) +function xmpp_converse(App $a) +{ + if (!local_user()) { return; + } - if ($_GET["mode"] == "minimal") + if ($_GET["mode"] == "minimal") { return; + } - if ($a->is_mobile || $a->is_tablet) + if ($a->is_mobile || $a->is_tablet) { return; + } - if (!get_pconfig(local_user(),"xmpp","enabled")) + if (!PConfig::get(local_user(), "xmpp", "enabled")) { return; + } - if (in_array($a->query_string, array("admin/federation/"))) + if (in_array($a->query_string, ["admin/federation/"])) { return; + } - $a->page['htmlhead'] .= ''."\n"; - $a->page['htmlhead'] .= ''."\n"; + $a->page['htmlhead'] .= '' . "\n"; + $a->page['htmlhead'] .= '' . "\n"; - if (get_config("xmpp", "central_userbase") && !get_pconfig(local_user(),"xmpp","individual")) { - $bosh_proxy = get_config("xmpp", "bosh_proxy"); + if (Config::get("xmpp", "central_userbase") && !PConfig::get(local_user(), "xmpp", "individual")) { + $bosh_proxy = Config::get("xmpp", "bosh_proxy"); - $password = get_pconfig(local_user(), "xmpp", "password"); + $password = PConfig::get(local_user(), "xmpp", "password", '', true); if ($password == "") { - $password = substr(random_string(),0,16); - set_pconfig(local_user(), "xmpp", "password", $password); + $password = random_string(16); + PConfig::set(local_user(), "xmpp", "password", $password); } - $jid = $a->user["nickname"]."@".$a->get_hostname()."/converse-".substr(random_string(),0,5);; + $jid = $a->user["nickname"] . "@" . $a->get_hostname() . "/converse-" . random_string(5); $auto_login = "auto_login: true, authentication: 'login', @@ -158,18 +168,20 @@ function xmpp_converse(&$a,&$s) { password: '$password', allow_logout: false,"; } else { - $bosh_proxy = get_pconfig(local_user(), "xmpp", "bosh_proxy"); + $bosh_proxy = PConfig::get(local_user(), "xmpp", "bosh_proxy"); $auto_login = ""; } - if ($bosh_proxy == "") + if ($bosh_proxy == "") { return; + } - if (in_array($a->argv[0], array("manage", "logout"))) + if (in_array($a->argv[0], ["manage", "logout"])) { $additional_commands = "converse.user.logout();\n"; - else + } else { $additional_commands = ""; + } $on_ready = ""; @@ -206,4 +218,3 @@ function xmpp_converse(&$a,&$s) { }); "; } -?> diff --git a/yourls/yourls.css b/yourls/yourls.css index cfd09c97..53743650 100644 --- a/yourls/yourls.css +++ b/yourls/yourls.css @@ -15,7 +15,7 @@ yourls-url { .yourls { text-align: left; - width 100%; + width: 100%; margin-top: 25px; font-size: 20px; } diff --git a/yourls/yourls.php b/yourls/yourls.php index 10155b95..c5cd12ac 100644 --- a/yourls/yourls.php +++ b/yourls/yourls.php @@ -42,15 +42,15 @@ function yourls_addon_settings(&$a,&$s) { $a->page['htmlhead'] .= '' . "\r\n"; - $yourls_url = get_config('yourls','url1'); - $yourls_username = get_config('yourls','username1'); - $yourls_password = get_config('yourls', 'password1'); - $ssl_enabled = get_config('yourls','ssl1'); + $yourls_url = Config::get('yourls','url1'); + $yourls_username = Config::get('yourls','username1'); + $yourls_password = Config::get('yourls', 'password1'); + $ssl_enabled = Config::get('yourls','ssl1'); $ssl_checked = (($ssl_enabled) ? ' checked="checked" ' : ''); - $yourls_ssl = get_config('yourls', 'ssl1'); + $yourls_ssl = Config::get('yourls', 'ssl1'); $s .= ''; $s .= '

    ' . L10n::t('YourLS') . '

    ';