aboutsummaryrefslogtreecommitdiffstats
path: root/app/models/tweet.rb
blob: b400c74db269f8534f2bc2204db833dba8157536 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
class Tweet < ActiveRecord::Base
  belongs_to :user
  delegate :screen_name, :name, :profile_image_url, to: :user, prefix: true

  belongs_to :in_reply_to, class_name: "Tweet"
  has_many :replies, class_name: "Tweet", foreign_key: "in_reply_to_id"

  has_many :favorites, -> { order("favorites.id") }, dependent: :delete_all
  has_many :retweets, -> { order("retweets.id") }, dependent: :delete_all

  has_many :favoriters, ->  {order("favorites.id") }, through: :favorites, source: :user
  has_many :retweeters, -> { order("retweets.id") }, through: :retweets, source: :user

  scope :recent, ->(days = 3) { where("tweets.id > ?", snowflake_min(Time.zone.now - days.days)) }
  scope :reacted, -> { where.not(reactions_count: 0) }
  scope :not_protected, -> { includes(:user).where(users: {protected: false}) }

  scope :max_id, -> id { where("tweets.id <= ?", id.to_i) if id }
  scope :since_id, -> id { where("tweets.id > ?", id.to_i) if id }
  scope :page, ->(page) { offset((page - 1) * all.limit_value) }

  scope :order_by_id, -> { order(id: :desc) }
  scope :order_by_reactions, -> { order(reactions_count: :desc) }

  scope :favorited_by, -> user { joins(:favorites).where(favorites: {user: user}) }
  scope :retweeted_by, -> user { joins(:retweets).where(retweets: {user: user}) }
  scope :discovered_by, -> user {
    load_count = all.limit_value.to_i + all.offset_value.to_i
    load_count = nil if load_count == 0
    un = [:favorites, :retweets].map {|m| user.__send__(m).select(:tweet_id).order(tweet_id: :desc).limit(load_count).to_sql }.join(") UNION (")

    joins("INNER JOIN ((#{un})) reactions ON reactions.tweet_id = tweets.id")
  }

  def twitter_url
    "https://twitter.com/#{self.user.screen_name}/status/#{self.id}"
  end

  def notify_favorite
    if Settings.notification.enabled
      Notification.notify_favorite(self)
    end
  end

  def self.from_json(json)
    find_by(id: json[:id]) || begin
      user = User.from_json(json[:user])
      create!(id: json[:id],
              text: extract_entities(json),
              source: json[:source],
              tweeted_at: json[:created_at],
              in_reply_to_id: json[:in_reply_to_status_id],
              user: user)
    end
  rescue ActiveRecord::RecordNotUnique
    logger.debug("Duplicate Tweet: #{json[:id]}")
  rescue => e
    logger.error("Unknown error while inserting tweet: #{e.class}: #{e.message}/#{e.backtrace.join("\n")}")
  end

  def self.from_twitter_object(obj)
    tweet = from_json(obj.attrs)
    tweet.update!(favorites_count: obj.favorites_count,
                  retweets_count: obj.retweets_count,
                  reactions_count: obj.favorites_count + obj.retweets_count)
  end

  def self.filter_by_query(query)
    strings = []
    query.gsub!(/"((?:\\"|[^"])*?)"/) {|m| strings << $1; "##{strings.size - 1}" }

    escape_text = -> str do
      str.gsub(/#(\d+)/) { strings[$1.to_i] }
         .gsub("%", "\\%")
         .gsub("*", "%")
         .gsub("_", "\\_")
         .gsub("?", "_")
    end

    parse_condition = ->(scoped, token) do
      positive = !token.slice!(/^[-!]/)

      where_args = case token
      when /^(?:user|from):([A-Za-z0-9_]{1,20})$/
        u = User.find_by(screen_name: $1)
        uid = u && u.id || -1
        { user_id: uid }
      when /^fav(?:orite)?s?:(\d+)$/
        ["favorites_count >= ?", $1.to_i]
      when /^(?:retweet|rt)s?:(\d+)$/
        ["retweets_count >= ?", $1.to_i]
      when /^(?:sum|(?:re)?act(?:ion)?s?):(\d+)$/
        ["reactions_count >= ?", $1.to_i]
      when /^(?:source|via):(.+)$/
        ["source LIKE ?", escape_text.call($1)]
      when /^text:(.+)$/
        ["text LIKE ?", "%" + escape_text.call($1) + "%"]
      else
        nil
      end

      positive ? scoped.where(where_args) : scoped.where.not(where_args)
    end

    query.scan(/\S+/).inject(self.scoped) {|s, token| parse_condition.call(s, token) }
  end

  private
  def self.extract_entities(json)
    entity_values = json[:entities].values.sort_by {|v| v[:indices].first }.flatten

    result = ""
    last_index = entity_values.inject(0) do |last_index, entity|
      result << json[:text][last_index...entity["indices"].first]
      if entity.key?(:url)
        result << entity[:expanded_url]
      else
        result << entity[:text]
      end

      entity[:indices].last
    end
    result << json[:text][last_index..-1]

    result
  end

  def self.snowflake_min(time)
    (time.to_datetime.to_i * 1000 - 1288834974657) << 22
  end
end