1 # Pleroma: A lightweight social networking server
2 # Copyright © 2017-2021 Pleroma Authors <https://pleroma.social/>
3 # SPDX-License-Identifier: AGPL-3.0-only
5 defmodule Pleroma.Object do
11 alias Pleroma.Activity
15 alias Pleroma.Object.Fetcher
16 alias Pleroma.ObjectTombstone
19 alias Pleroma.Workers.AttachmentsCleanupWorker
23 @type t() :: %__MODULE__{}
25 @derive {Jason.Encoder, only: [:data]}
27 @cachex Pleroma.Config.get([:cachex, :provider], Cachex)
32 many_to_many(:hashtags, Hashtag, join_through: "hashtags_objects", on_replace: :delete)
37 def with_joined_activity(query, activity_type \\ "Create", join_type \\ :inner) do
38 object_position = Map.get(query.aliases, :object, 0)
40 join(query, join_type, [{object, object_position}], a in Activity,
43 "COALESCE(?->'object'->>'id', ?->>'object') = (? ->> 'id') AND (?->>'type' = ?) ",
56 |> Object.change(%{data: data})
60 def change(struct, params \\ %{}) do
62 |> cast(params, [:data])
63 |> validate_required([:data])
64 |> unique_constraint(:ap_id, name: :objects_unique_apid_index)
65 # Expecting `maybe_handle_hashtags_change/1` to run last:
66 |> maybe_handle_hashtags_change(struct)
69 # Note: not checking activity type (assuming non-legacy objects are associated with Create act.)
70 defp maybe_handle_hashtags_change(changeset, struct) do
71 with %Ecto.Changeset{valid?: true} <- changeset,
72 data_hashtags_change = get_change(changeset, :data),
73 {_, true} <- {:changed, hashtags_changed?(struct, data_hashtags_change)},
74 {:ok, hashtag_records} <-
76 |> object_data_hashtags()
77 |> Hashtag.get_or_create_by_names() do
78 put_assoc(changeset, :hashtags, hashtag_records)
87 validate_change(changeset, :data, fn _, _ ->
88 [data: "error referencing hashtags"]
93 defp hashtags_changed?(%Object{} = struct, %{"tag" => _} = data) do
94 Enum.sort(embedded_hashtags(struct)) !=
95 Enum.sort(object_data_hashtags(data))
98 defp hashtags_changed?(_, _), do: false
100 def get_by_id(nil), do: nil
101 def get_by_id(id), do: Repo.get(Object, id)
103 def get_by_id_and_maybe_refetch(id, opts \\ []) do
104 %{updated_at: updated_at} = object = get_by_id(id)
106 if opts[:interval] &&
107 NaiveDateTime.diff(NaiveDateTime.utc_now(), updated_at) > opts[:interval] do
108 case Fetcher.refetch_object(object) do
109 {:ok, %Object{} = object} ->
113 Logger.error("Couldn't refresh #{object.data["id"]}:\n#{inspect(e)}")
121 def get_by_ap_id(nil), do: nil
123 def get_by_ap_id(ap_id) do
124 Repo.one(from(object in Object, where: fragment("(?)->>'id' = ?", object.data, ^ap_id)))
128 Get a single attachment by it's name and href
130 @spec get_attachment_by_name_and_href(String.t(), String.t()) :: Object.t() | nil
131 def get_attachment_by_name_and_href(name, href) do
134 where: fragment("(?)->>'name' = ?", o.data, ^name),
135 where: fragment("(?)->>'href' = ?", o.data, ^href)
141 defp warn_on_no_object_preloaded(ap_id) do
142 "Object.normalize() called without preloaded object (#{inspect(ap_id)}). Consider preloading the object"
145 Logger.debug("Backtrace: #{inspect(Process.info(:erlang.self(), :current_stacktrace))}")
148 def normalize(_, options \\ [fetch: false, id_only: false])
150 # If we pass an Activity to Object.normalize(), we can try to use the preloaded object.
151 # Use this whenever possible, especially when walking graphs in an O(N) loop!
152 def normalize(%Object{} = object, _), do: object
153 def normalize(%Activity{object: %Object{} = object}, _), do: object
155 # A hack for fake activities
156 def normalize(%Activity{data: %{"object" => %{"fake" => true} = data}}, _) do
157 %Object{id: "pleroma:fake_object_id", data: data}
160 # No preloaded object
161 def normalize(%Activity{data: %{"object" => %{"id" => ap_id}}}, options) do
162 warn_on_no_object_preloaded(ap_id)
163 normalize(ap_id, options)
166 # No preloaded object
167 def normalize(%Activity{data: %{"object" => ap_id}}, options) do
168 warn_on_no_object_preloaded(ap_id)
169 normalize(ap_id, options)
172 # Old way, try fetching the object through cache.
173 def normalize(%{"id" => ap_id}, options), do: normalize(ap_id, options)
175 def normalize(ap_id, options) when is_binary(ap_id) do
177 Keyword.get(options, :id_only) ->
180 Keyword.get(options, :fetch) ->
181 Fetcher.fetch_object_from_id!(ap_id, options)
184 get_cached_by_ap_id(ap_id)
188 def normalize(_, _), do: nil
190 # Owned objects can only be accessed by their owner
191 def authorize_access(%Object{data: %{"actor" => actor}}, %User{ap_id: ap_id}) do
199 # Legacy objects can be accessed by anybody
200 def authorize_access(%Object{}, %User{}), do: :ok
202 @spec get_cached_by_ap_id(String.t()) :: Object.t() | nil
203 def get_cached_by_ap_id(ap_id) do
204 key = "object:#{ap_id}"
206 with {:ok, nil} <- @cachex.get(:object_cache, key),
207 object when not is_nil(object) <- get_by_ap_id(ap_id),
208 {:ok, true} <- @cachex.put(:object_cache, key, object) do
211 {:ok, object} -> object
216 def make_tombstone(%Object{data: %{"id" => id, "type" => type}}, deleted \\ DateTime.utc_now()) do
225 def swap_object_with_tombstone(object) do
226 tombstone = make_tombstone(object)
228 with {:ok, object} <-
230 |> Object.change(%{data: tombstone})
232 Hashtag.unlink(object)
237 def delete(%Object{data: %{"id" => id}} = object) do
238 with {:ok, _obj} = swap_object_with_tombstone(object),
239 deleted_activity = Activity.delete_all_by_object_ap_id(id),
240 {:ok, _} <- invalid_object_cache(object) do
242 Config.get([:instance, :cleanup_attachments]),
246 {:ok, object, deleted_activity}
250 @spec cleanup_attachments(boolean(), %{required(:object) => map()}) ::
251 {:ok, Oban.Job.t() | nil}
252 def cleanup_attachments(true, %{object: _} = params) do
253 AttachmentsCleanupWorker.enqueue("cleanup_attachments", params)
256 def cleanup_attachments(_, _), do: {:ok, nil}
258 def prune(%Object{data: %{"id" => _id}} = object) do
259 with {:ok, object} <- Repo.delete(object),
260 {:ok, _} <- invalid_object_cache(object) do
265 def invalid_object_cache(%Object{data: %{"id" => id}}) do
266 with {:ok, true} <- @cachex.del(:object_cache, "object:#{id}") do
267 @cachex.del(:web_resp_cache, URI.parse(id).path)
271 def set_cache(%Object{data: %{"id" => ap_id}} = object) do
272 @cachex.put(:object_cache, "object:#{ap_id}", object)
276 def update_and_set_cache(changeset) do
277 with {:ok, object} <- Repo.update(changeset) do
282 def increase_replies_count(ap_id) do
284 |> where([o], fragment("?->>'id' = ?::text", o.data, ^to_string(ap_id)))
290 safe_jsonb_set(?, '{repliesCount}',
291 (coalesce((?->>'repliesCount')::int, 0) + 1)::varchar::jsonb, true)
298 |> Repo.update_all([])
300 {1, [object]} -> set_cache(object)
301 _ -> {:error, "Not found"}
305 defp poll_is_multiple?(%Object{data: %{"anyOf" => [_ | _]}}), do: true
307 defp poll_is_multiple?(_), do: false
309 def decrease_replies_count(ap_id) do
311 |> where([o], fragment("?->>'id' = ?::text", o.data, ^to_string(ap_id)))
317 safe_jsonb_set(?, '{repliesCount}',
318 (greatest(0, (?->>'repliesCount')::int - 1))::varchar::jsonb, true)
325 |> Repo.update_all([])
327 {1, [object]} -> set_cache(object)
328 _ -> {:error, "Not found"}
332 def increase_vote_count(ap_id, name, actor) do
333 with %Object{} = object <- Object.normalize(ap_id, fetch: false),
334 "Question" <- object.data["type"] do
335 key = if poll_is_multiple?(object), do: "anyOf", else: "oneOf"
340 %{"name" => ^name} = option ->
341 Kernel.update_in(option["replies"]["totalItems"], &(&1 + 1))
347 voters = [actor | object.data["voters"] || []] |> Enum.uniq()
351 |> Map.put(key, options)
352 |> Map.put("voters", voters)
355 |> Object.change(%{data: data})
356 |> update_and_set_cache()
362 @doc "Updates data field of an object"
363 def update_data(%Object{data: data} = object, attrs \\ %{}) do
365 |> Object.change(%{data: Map.merge(data || %{}, attrs)})
369 def local?(%Object{data: %{"id" => id}}) do
370 String.starts_with?(id, Pleroma.Web.Endpoint.url() <> "/")
373 def replies(object, opts \\ []) do
374 object = Object.normalize(object, fetch: false)
380 fragment("(?)->>'inReplyTo' = ?", o.data, ^object.data["id"])
382 |> order_by([o], asc: o.id)
384 if opts[:self_only] do
385 actor = object.data["actor"]
386 where(query, [o], fragment("(?)->>'actor' = ?", o.data, ^actor))
392 def self_replies(object, opts \\ []),
393 do: replies(object, Keyword.put(opts, :self_only, true))
395 def tags(%Object{data: %{"tag" => tags}}) when is_list(tags), do: tags
399 def hashtags(%Object{} = object) do
400 # Note: always using embedded hashtags regardless whether they are migrated to hashtags table
401 # (embedded hashtags stay in sync anyways, and we avoid extra joins and preload hassle)
402 embedded_hashtags(object)
405 def embedded_hashtags(%Object{data: data}) do
406 object_data_hashtags(data)
409 def embedded_hashtags(_), do: []
411 def object_data_hashtags(%{"tag" => tags}) when is_list(tags) do
414 %{"type" => "Hashtag"} = data -> Map.has_key?(data, "name")
415 plain_text when is_bitstring(plain_text) -> true
419 %{"name" => "#" <> hashtag} -> String.downcase(hashtag)
420 %{"name" => hashtag} -> String.downcase(hashtag)
421 hashtag when is_bitstring(hashtag) -> String.downcase(hashtag)
424 # Note: "" elements (plain text) might occur in `data.tag` for incoming objects
425 |> Enum.filter(&(&1 not in [nil, ""]))
428 def object_data_hashtags(_), do: []