HEX
Server: Apache
System: Linux vps-3158868-x.dattaweb.com 3.10.0-1160.119.1.el7.x86_64 #1 SMP Tue Jun 4 14:43:51 UTC 2024 x86_64
User: emerlux (1185)
PHP: 8.3.1
Disabled: system, shell, exec, system_exec, shell_exec, mysql_pconnect, passthru, popen, proc_open, proc_close, proc_nice, proc_terminate, proc_get_status, escapeshellarg, escapeshellcmd, eval
Upload Files
File: /home/emerlux/public_html/wp-content/plugins/porto-functionality/widgets/tweet-php/TweetPHP.php
<?php
 /**
  * TweetPHP
  *
  * @author Jonathan Nicol @f6design
  * @version 1.3.1
  * @license The MIT License http://opensource.org/licenses/mit-license.php
  * @link  http://f6design.com/journal/2013/06/20/tweetphp-display-tweets-on-your-website-using-php/
  *
  * Notes:
  * To interact with Twitter's API you will need to create an API KEY:
  * https://dev.twitter.com/apps
  * After creating your API Key you will need to pass the following values to the class
  * constructor: "Consumer key", "Consumer secret", "Access token", "Access token secret"
  * --
  * Options can be overridden by passing an array of key/value pairs to the class
  * constructor. At a minimum you must set the consumer_key, consumer_secret, access_token,
  * access_token_secret and twitter_screen_name options.
  * --
  * You may also need to change the cache_dir option to point at a directory on your
  * web server. Caching is employed because Twitter rate limits how many times their feeds
  * can be accessed per hour.
  *
  * Credits:
  * Feed parsing: https://github.com/themattharris/tmhOAuth
  * Hashtag/username parsing: https://github.com/mikenz/twitter-text-php
  */
 class TweetPHP {
    private $tmhOAuth;
    private $options;
    private $tweet_found = false;
    private $tweet_count = 0;
    private $tweet_list;
    private $tweet_array;
    private $debug_report = array();
    private $cache_file;
    private $cache_file_raw;

    /**
     * Initialize a new TweetPHP object
     */
    public function  __construct ($options = array()) {

      $this->options = array_merge(
      array(
          'consumer_key'          => '',
          'consumer_secret'       => '',
          'access_token'          => '',
          'access_token_secret'   => '',
          'api_endpoint'          => 'statuses/user_timeline',
          'api_params'            => array(),
          'enable_cache'          => true,
          'cache_dir'             => dirname(__FILE__) . '/cache/', // Where on the server to save cached tweets
          'cachetime'             => 60 * 60, // Seconds to cache feed (1 hour).
          'tweets_to_retrieve'    => 25, // Specifies the number of tweets to try and fetch, up to a maximum of 200
          'tweets_to_display'     => 10, // Number of tweets to display
          'twitter_style_dates'   => false, // Use twitter style dates e.g. 2 hours ago
          'twitter_date_text'     => array('seconds', 'minutes', 'about', 'hour', 'ago'),
          'date_format'           => '%I:%M %p %b %e%O', // The defult date format e.g. 12:08 PM Jun 12th. See: http://php.net/manual/en/function.strftime.php
          'date_lang'             => null, // Language for date e.g. 'fr_FR'. See: http://php.net/manual/en/function.setlocale.php
          'twitter_template'      => '<h2>Latest tweets</h2><ul id="twitter">{tweets}</ul>',
          'tweet_template'        => '<li><span class="status">{tweet}</span> <span class="meta"><a href="{link}">{date}</a></span></li>',
          'error_template'        => '<li><span class="status">Our twitter feed is unavailable right now.</span> <span class="meta"><a href="{link}">Follow us on Twitter</a></span></li>',
          'nofollow_links'        => false, // Add rel="nofollow" attribute to links
          'debug'                 => false,
          'twitter_screen_name'   => '', // Deprecated. Use api_params.
          'ignore_replies'        => true, // Deprecated. Use api_params.
          'ignore_retweets'       => true // Deprecated. Use api_params.
        ),
        $options
      );

      if ($this->options['debug']) {
        error_reporting(E_ALL);
      }

      // Check for Windows to find and replace the %e modifier with %#d, since Windows' %e implementation is broken
      if (strtoupper(substr(PHP_OS, 0, 3)) == 'WIN') {
        $this->options['date_format'] = str_replace('%e', '%#d', $this->options['date_format']);
      }

      if ($this->options['date_lang']) {
        setlocale(LC_ALL, $this->options['date_lang']);
      }

      if ($this->options['enable_cache']) {
        if (!file_exists($this->options['cache_dir'])) {
          mkdir($this->options['cache_dir'], 0755, true);
        }
        $this->cache_file = $this->options['cache_dir'] . 'twitter.txt';
        $this->cache_file_raw = $this->options['cache_dir'] . 'twitter-array.txt';
        $cache_file_timestamp = ((file_exists($this->cache_file))) ? filemtime($this->cache_file) : 0;
        $this->add_debug_item('Cache expiration timestamp: ' . (time() - $this->options['cachetime']));
        $this->add_debug_item('Cache file timestamp: ' . $cache_file_timestamp);
        
        // Show file from cache if still valid.
        if (time() - $this->options['cachetime'] < $cache_file_timestamp) {
          $this->tweet_found = true;
          $this->add_debug_item('Cache file is newer than cachetime.');
          $this->tweet_list = file_get_contents($this->cache_file);
          $this->tweet_array = unserialize(file_get_contents($this->cache_file_raw));
        } else {
          $this->add_debug_item("Cache file doesn't exist or is older than cachetime.");
          $this->fetch_tweets();
        }
      } else {
        $this->add_debug_item('Caching is disabled.');
        $this->fetch_tweets();
      }

      // In case the feed did not parse or load correctly, show a link to the Twitter account.
      if (!$this->tweet_found) {
        $this->add_debug_item('No tweets were found. error_message will be displayed.');
        $html = str_replace('{link}',  'http://twitter.com/' . $this->options['twitter_screen_name'], $this->options['error_template']);
        $this->tweet_list = str_replace('{tweets}', $html, $this->options['twitter_template']);
        $this->tweet_array = array('Error fetching or loading tweets');
      }
    }

    /**
     * Fetch tweets using Twitter API
     */
    private function fetch_tweets () {
      $this->add_debug_item('Fetching fresh tweets using Twitter API.');

      require_once(dirname(__FILE__) . '/lib/tmhOAuth/tmhOAuth.php');

      // Creates a tmhOAuth object.
      $this->tmhOAuth = new tmhOAuth(array(
        'consumer_key'    => $this->options['consumer_key'],
        'consumer_secret' => $this->options['consumer_secret'],
        'token'           => $this->options['access_token'],
        'secret'          => $this->options['access_token_secret']
      ));

      // Set Twitter API parameters
      $params = $this->options['api_params'];
      $params['count'] = $this->options['tweets_to_retrieve'];
      // Legacy param options for backwards compatibility.
      if (!empty($this->options['twitter_screen_name'])) {
        $params['screen_name'] = $this->options['twitter_screen_name'];
      }
      $params['include_rts'] = $this->options['ignore_retweets'] ? 'false' : 'true';
      $params['exclude_replies'] = $this->options['ignore_replies'] ? 'true' : 'false';

      // Request Twitter timeline.
      $response_code = $this->tmhOAuth->request('GET', $this->tmhOAuth->url('1.1/' . $this->options['api_endpoint'] . '.json'), $params);

      $this->add_debug_item('tmhOAuth response code: ' . $response_code);

      if ($response_code == 200) {
        $response = json_decode($this->tmhOAuth->response['response'], true);

        // Some twitter endpoints (e.g. search/tweets) store tweets in a `statuses` array.
        $data = array_key_exists('statuses', $response) ? $response['statuses'] : $response;

        $tweets_html = '';

        // Iterate over tweets.
        foreach($data as $tweet) {
          $tweets_html .=  $this->parse_tweet($tweet);
          // If we have processed enough tweets, stop.
          if ($this->tweet_count >= $this->options['tweets_to_display']){
            break;
          }
        }

        // Close the twitter wrapping element.
        $html = str_replace('{tweets}', $tweets_html, $this->options['twitter_template']);

        if ($this->options['enable_cache']) {
          // Save the formatted tweet list to a file.
          $file = fopen($this->cache_file, 'w');
          fwrite($file, $html);
          fclose($file);

          // Save the raw data array to a file.
          $file = fopen($this->cache_file_raw, 'w');
          fwrite($file, serialize($data));
          fclose($file);
        }

        $this->tweet_list = $html;
        $this->tweet_array = $data;
      } else {
        $this->add_debug_item('Bad tmhOAuth response code.');
      }
    }

    /**
     * Parse an individual tweet
     */
    private function parse_tweet ($tweet) {
      $this->tweet_found = true;
      $this->tweet_count++;

      // Format tweet text
      $tweet_text_raw = $tweet['text'];
      $tweet_text = $this->autolink($tweet_text_raw);

      // Tweet date is in GMT. Convert to UNIX timestamp in the local time of the tweeter.
      $utc_offset = $tweet['user']['utc_offset'];
      $tweet_time = strtotime($tweet['created_at']) + $utc_offset;

      if ($this->options['twitter_style_dates']){
        // Convert tweet timestamp into Twitter style date ("About 2 hours ago")
        $current_time = time();
        $time_diff = abs($current_time - $tweet_time);
        switch ($time_diff) {
          case ($time_diff < 60):
            $display_time = $time_diff . ' ' . $this->options['twitter_date_text'][0] . ' ' . $this->options['twitter_date_text'][4];
            break;
          case ($time_diff >= 60 && $time_diff < 3600):
            $min = floor($time_diff/60);
            $display_time = $min . ' ' . $this->options['twitter_date_text'][1] . ' ' . $this->options['twitter_date_text'][4];
            break;
          case ($time_diff >= 3600 && $time_diff < 86400):
            $hour = floor($time_diff/3600);
            $display_time = $this->options['twitter_date_text'][2] . ' ' . $hour . ' ' . $this->options['twitter_date_text'][3];
            if ($hour > 1){ $display_time .= 's'; }
            $display_time .= ' ' . $this->options['twitter_date_text'][4];
            break;
          default:
            $format = str_replace('%O', date('S', $tweet_time), $this->options['date_format']);
            $display_time = strftime($format, $tweet_time);
            break;
        }
      } else {
        $format = str_replace('%O', date('S', $tweet_time), $this->options['date_format']);
        $display_time = strftime($format, $tweet_time);
      }

      $href = 'http://twitter.com/' . $tweet['user']['screen_name'] . '/status/' . $tweet['id_str'];
      $output = str_replace('{tweet}', $tweet_text, $this->options['tweet_template']);
      $output = str_replace('{link}', $href, $output);
      $output = str_replace('{date}', $display_time, $output);

      return $output;
    }

    /**
     * Add a debugging item.
     */
    private function add_debug_item ($msg) {
      array_push($this->debug_report, $msg);
    }

    /**
     * Get debugging information as an HTML list.
     */
    public function get_debug_list () {
      $debug_list = '<ul>';
      foreach($this->debug_report as $debug_item) {
        $debug_list .= '<li>' . $debug_item . '</li>';
      }
      $debug_list .= '</ul>';
      return $debug_list;
    }

    /**
     * Get debugging information as an array.
     */
    public function get_debug_array () {
      return $this->debug_report;
    }

    /**
     * Helper function to convert usernames, hashtags and URLs
     * in a tweet to HTML links.
     */
    public function autolink ($tweet) {
      require_once(dirname(__FILE__) . '/lib/twitter-text-php/lib/Twitter/Autolink.php');

      $autolinked_tweet = Twitter_Autolink::create($tweet, false)
        ->setNoFollow($this->options['nofollow_links'])
        ->setExternal(false)
        ->setTarget('')
        ->setUsernameClass('')
        ->setHashtagClass('')
        ->setURLClass('')
        ->addLinks();

      return $autolinked_tweet;
    }

    /**
     * Get tweets as HTML list
     */
    public function get_tweet_list () {
      if ($this->options['debug']) {
        return $this->get_debug_list() . $this->tweet_list;
      } else {
        return $this->tweet_list;
      }
    }

    /**
     * Get tweets as an array
     */
    public function get_tweet_array () {
      return $this->tweet_array;
    }

}