summaryrefslogtreecommitdiff
path: root/lib/plugins/link.ex
blob: 0dca6aef9e60f2cbff3c9a216c2d5f1149188a8a (plain) (blame)
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
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
defmodule Nola.Plugins.Link do
  @moduledoc """
  # Link Previewer

  An extensible link previewer for IRC.

  To extend the supported sites, create a new handler implementing the callbacks.

  See `link/` directory. The first in list handler that returns true to the `match/2` callback will be used,
  and if the handler returns `:error` or crashes, will fallback to the default preview.

  Unsupported websites will use the default link preview method, which is for html document the title, otherwise it'll use
  the mimetype and size.

  ## Configuration:

  ```
  config :nola, Nola.Plugins.Link,
    handlers: [
      Nola.Plugins.Link.Youtube: [
        invidious: true
      ],
      Nola.Plugins.Link.Twitter: [],
      Nola.Plugins.Link.Imgur: [],
    ]
  ```

  """

  @ircdoc """
  # Link preview

  Previews links (just post a link!).

  Announces real URL after redirections and provides extended support for YouTube, Twitter and Imgur.
  """
  def short_irc_doc, do: false
  def irc_doc, do: @ircdoc
  require Logger
  alias __MODULE__.Quirks
  alias __MODULE__.Store
  alias __MODULE__.Scraper

  def start_link() do
    GenServer.start_link(__MODULE__, [], name: __MODULE__)
  end

  @callback match(uri :: URI.t(), options :: Keyword.t()) :: {true, params :: Map.t()} | false
  @callback expand(uri :: URI.t(), params :: Map.t(), options :: Keyword.t()) ::
              {:ok, lines :: [] | String.t()} | :error
  @callback post_match(uri :: URI.t(), content_type :: binary, headers :: [], opts :: Keyword.t()) ::
              {:body | :file, params :: Map.t()} | false
  @callback post_expand(
              uri :: URI.t(),
              body :: binary() | Path.t(),
              params :: Map.t(),
              options :: Keyword.t()
            ) :: {:ok, lines :: [] | String.t()} | :error

  @optional_callbacks [expand: 3, post_expand: 4]

  defstruct [:client]

  def init([]) do
    {:ok, _} = Registry.register(Nola.PubSub, "messages", plugin: __MODULE__)
    # {:ok, _} = Registry.register(Nola.PubSub, "messages:telegram", [plugin: __MODULE__])
    Logger.info("Link handler started")
    {:ok, %__MODULE__{}}
  end

  def handle_info({:irc, :text, message = %{text: text}}, state) do
    String.split(text)
    |> Enum.map(fn word ->
      if String.starts_with?(word, "http://") || String.starts_with?(word, "https://") do
        uri = URI.parse(word)

        if uri.scheme && uri.host do
          if Store.inhibit_link?(word, {message.network, message.channel}) do
            Logger.debug("link inhibited #{word}")
          else
            handle_link(word, uri, message)
          end
        end
      end
    end)

    {:noreply, state}
  end

  def handle_info(msg, state) do
    {:noreply, state}
  end

  def terminate(_reason, state) do
    :ok
  end

  def handle_link(url, uri, message) do
    spawn(fn ->
      :timer.kill_after(:timer.seconds(30))

      store = Store.get_link(url)

      case store || expand_link([uri]) do
        {:ok, uris, text} = save ->
          text =
            case uris do
              [uri] ->
                text

              [luri | _] ->
                if luri.host == uri.host && luri.path == uri.path do
                  text
                else
                  ["-> #{URI.to_string(luri)}", text]
                end
            end

          case text do
            lines when is_list(lines) ->
              for text <- lines, do: message.replyfun.(text)
              if !store, do: Store.insert_link(url, save)
              Store.witness_link(url, {message.network, message.channel})

            text when is_binary(text) ->
              message.replyfun.(text)
              if !store, do: Store.insert_link(url, save)
              Store.witness_link(url, {message.network, message.channel})

            nil ->
              nil
          end

        _ ->
          nil
      end
    end)
  end

  # 1. Match the first valid handler
  # 2. Try to run the handler
  # 3. If :error or crash, default link.
  #    If :skip, nothing
  # 4. ?

  # Over five redirections: cancel.
  def expand_link(acc = [_, _, _, _, _ | _]) do
    {:ok, acc, "link redirects more than five times"}
  end

  def expand_link(acc = [uri | _]) do
    Logger.debug("link: expanding: #{inspect(uri)}")
    handlers = Keyword.get(Application.get_env(:nola, __MODULE__, handlers: []), :handlers)

    handler =
      Enum.reduce_while(handlers, nil, fn {module, opts}, acc ->
        module = Module.concat([module])

        case module.match(uri, opts) do
          {true, params} ->
            Logger.debug("link: will expand with #{inspect(module)} for #{inspect(uri)}")
            {:halt, {module, params, opts}}

          false ->
            {:cont, acc}
        end
      end)

    run_expand(acc, handler)
  end

  def run_expand(acc, nil) do
    expand_default(acc)
  end

  def run_expand(acc = [uri | _], {module, params, opts}) do
    case module.expand(uri, params, opts) do
      {:ok, data} ->
        Logger.debug("link: expanded #{inspect(uri)} with #{inspect(module)}")
        {:ok, acc, data}

      :error ->
        Logger.error("Error expanding URL #{uri} with #{inspect(module)}")
        expand_default(acc)

      :skip ->
        nil
    end
  rescue
    e ->
      Logger.error("link: rescued #{inspect(uri)} with #{inspect(module)}: #{inspect(e)}")
      Logger.error(Exception.format(:error, e, __STACKTRACE__))
      expand_default(acc)
  catch
    e, b ->
      Logger.error("link: catched #{inspect(uri)} with #{inspect(module)}: #{inspect({e, b})}")
      expand_default(acc)
  end

  defp get(url, headers \\ [], options \\ []) do
    get_req(url, :hackney.get(url, headers, <<>>, options))
  end

  defp get_req(_, {:error, reason}) do
    {:error, reason}
  end

  defp get_req(url, {:ok, 200, headers, client}) do
    headers =
      Enum.reduce(headers, %{}, fn {key, value}, acc ->
        Map.put(acc, String.downcase(key), value)
      end)

    content_type = Map.get(headers, "content-type", "application/octect-stream")
    length = Map.get(headers, "content-length", "0")
    {length, _} = Integer.parse(length)

    handlers = Keyword.get(Application.get_env(:nola, __MODULE__, handlers: []), :handlers)

    handler =
      Enum.reduce_while(handlers, false, fn {module, opts}, acc ->
        module = Module.concat([module])

        try do
          case module.post_match(url, content_type, headers, opts) do
            {mode, params} when mode in [:body, :file] -> {:halt, {module, params, opts, mode}}
            false -> {:cont, acc}
          end
        rescue
          e ->
            Logger.error(inspect(e))
            {:cont, false}
        catch
          e, b ->
            Logger.error(inspect({b}))
            {:cont, false}
        end
      end)

    cond do
      handler != false and length <= 30_000_000 ->
        case get_body(url, 30_000_000, client, handler, <<>>) do
          {:ok, _} = ok ->
            ok

          :error ->
            {:ok, "file: #{content_type}, size: #{human_size(length)}"}
        end

      # String.starts_with?(content_type, "text/html") && length <= 30_000_000 ->
      #  get_body(url, 30_000_000, client, <<>>)
      true ->
        :hackney.close(client)
        {:ok, "file: #{content_type}, size: #{human_size(length)}"}
    end
  end

  defp get_req(_, {:ok, redirect, headers, client}) when redirect in 300..399 do
    headers =
      Enum.reduce(headers, %{}, fn {key, value}, acc ->
        Map.put(acc, String.downcase(key), value)
      end)

    location = Map.get(headers, "location")

    :hackney.close(client)
    {:redirect, location}
  end

  defp get_req(url, {:ok, status, headers, client}) do
    Logger.error("Error fetching URL #{url} = #{status}")
    :hackney.close(client)
    {:error, status, headers}
  end

  defp get_body(url, len, client, {handler, params, opts, mode} = h, acc)
       when len >= byte_size(acc) do
    case :hackney.stream_body(client) do
      {:ok, data} ->
        get_body(url, len, client, h, <<acc::binary, data::binary>>)

      :done ->
        body =
          case mode do
            :body ->
              acc

            :file ->
              {:ok, tmpfile} = Plug.Upload.random_file("linkplugin")
              File.write!(tmpfile, acc)
              tmpfile
          end

        Logger.debug("expanding body with #{inspect(handler)}: #{inspect(body)}")
        handler.post_expand(url, body, params, opts)

      {:error, reason} ->
        {:ok, "failed to fetch body: #{inspect(reason)}"}
    end
  end

  defp get_body(_, len, client, h, _acc) do
    :hackney.close(client)
    {:ok, "Error: file over 30"}
  end

  def expand_default(acc = [uri = %URI{scheme: scheme} | _]) when scheme in ["http", "https"] do
    Logger.debug("link: expanding #{uri} with default")

    uri = Quirks.uri(uri)

    headers = [
      {"user-agent", Quirks.user_agent(uri.host)}
    ]

    proxy = Keyword.get(Application.get_env(:nola, __MODULE__, []), :proxy, nil)
    options = [follow_redirect: false, max_body_length: 30_000_000, proxy: proxy]
    url = URI.to_string(uri)

    case get(URI.to_string(uri), headers, options) do
      {:ok, text} ->
        {:ok, acc, text}

      {:redirect, link} ->
        new_uri = URI.parse(link)
        expand_link([new_uri | acc])

      {:error, status, _headers} when status in [400, 403] ->
        Logger.warning("Was denied to fetch URL, using scraper #{url} = #{status}")
        retry_expand_with_scraper(acc, url)

      {:error, status, _headers} ->
        Logger.error("Error fetching URL #{url} = #{status}")
        {:ok, acc, nil}

      {:error, {:tls_alert, {:handshake_failure, err}}} ->
        Logger.error("Error fetching URL #{url} = TLS Error: #{to_string(err)}")
        {:ok, acc, nil}

      {:error, :timeout} ->
        Logger.error("Error fetching URL #{url} = timeout")
        retry_expand_with_scraper(acc, url)

      {:error, reason} ->
        Logger.error("Error fetching URL #{url} = #{to_string(reason)}")
        {:ok, acc, nil}
    end
  end

  # Unsupported scheme, came from a redirect.
  def expand_default(acc = [uri | _]) do
    {:ok, [uri], "-> #{URI.to_string(uri)}"}
  end

  # Last resort: scrape the page
  # We'll be mostly calling this when 403 or 500 or timeout because site blocks us.
  # An external service will scrape the page for us and return the body.
  # We'll call directly the HTML handler on the result.
  defp retry_expand_with_scraper(acc, url) do
    Logger.info("Attempting scraper")
    handlers = Keyword.get(Application.get_env(:nola, __MODULE__), :handlers)
    Logger.info("Attempting scraper #{inspect(handlers)}")

    with true <- Keyword.has_key?(handlers, :"Nola.Plugins.Link.HTML"),
         {:ok, body, _meta} <- Scraper.get(url),
         {:ok, text} <- __MODULE__.HTML.post_expand(url, body, nil, nil) do
      {:ok, acc, text}
    else
      error ->
        Logger.debug("Attempt with scraper failed: #{inspect(error)}")
        # We give up here. We don't return anything (the acc from caller `expand default`
        # does not matter anymore) and I see returning error messages as useless.
        {:ok, acc, nil}
    end
  end

  defp human_size(bytes) do
    bytes
    |> FileSize.new(:b)
    |> FileSize.scale()
    |> FileSize.format()
  end
end