1 # Pleroma: A lightweight social networking server
2 # Copyright © 2017-2022 Pleroma Authors <https://pleroma.social/>
3 # SPDX-License-Identifier: AGPL-3.0-only
5 defmodule Mix.Tasks.Pleroma.Database do
6 alias Pleroma.Conversation
7 alias Pleroma.Maintenance
13 require Pleroma.Constants
20 @shortdoc "A collection of database related tasks"
21 @moduledoc File.read!("docs/administration/CLI_tasks/database.md")
23 def run(["remove_embedded_objects" | args]) do
33 Logger.info("Removing embedded objects")
36 "update activities set data = safe_jsonb_set(data, '{object}'::text[], data->'object'->'id') where data->'object'->>'id' is not null;",
41 if Keyword.get(options, :vacuum) do
42 Maintenance.vacuum("full")
46 def run(["bump_all_conversations"]) do
48 Conversation.bump_for_all_activities()
51 def run(["update_users_following_followers_counts"]) do
56 from(u in User, select: u)
58 |> Stream.each(&User.update_follower_count/1)
65 def run(["prune_objects" | args]) do
76 deadline = Pleroma.Config.get([:instance, :remote_post_retention_days])
78 Logger.info("Pruning objects older than #{deadline} days")
81 NaiveDateTime.utc_now()
82 |> NaiveDateTime.add(-(deadline * 86_400))
87 "?->'to' \\? ? OR ?->'cc' \\? ?",
89 ^Pleroma.Constants.as_public(),
91 ^Pleroma.Constants.as_public()
93 where: o.inserted_at < ^time_deadline,
95 fragment("split_part(?->>'actor', '/', 3) != ?", o.data, ^Pleroma.Web.Endpoint.host())
97 |> Repo.delete_all(timeout: :infinity)
99 prune_hashtags_query = """
100 DELETE FROM hashtags AS ht
102 SELECT 1 FROM hashtags_objects hto
103 WHERE ht.id = hto.hashtag_id)
106 Repo.query(prune_hashtags_query)
108 if Keyword.get(options, :vacuum) do
109 Maintenance.vacuum("full")
113 def run(["fix_likes_collections"]) do
116 from(object in Object,
117 where: fragment("(?)->>'likes' is not null", object.data),
118 select: %{id: object.id, likes: fragment("(?)->>'likes'", object.data)}
120 |> Pleroma.Repo.chunk_stream(100, :batches)
121 |> Stream.each(fn objects ->
124 |> Enum.filter(fn object -> object.likes |> Jason.decode!() |> is_map() end)
128 |> where([object], object.id in ^ids)
133 "safe_jsonb_set(?, '{likes}', '[]'::jsonb, true)",
138 |> Repo.update_all([], timeout: :infinity)
143 def run(["vacuum", args]) do
146 Maintenance.vacuum(args)
149 def run(["ensure_expiration"]) do
151 days = Pleroma.Config.get([:mrf_activity_expiration, :days], 365)
154 |> join(:inner, [a], o in Object,
157 "(?->>'id') = associated_object_id((?))",
162 |> where(local: true)
163 |> where([a], fragment("(? ->> 'type'::text) = 'Create'", a.data))
164 |> where([_a, o], fragment("?->>'type' = 'Note'", o.data))
165 |> Pleroma.Repo.chunk_stream(100, :batches)
166 |> Stream.each(fn activities ->
167 Enum.each(activities, fn activity ->
170 |> DateTime.from_naive!("Etc/UTC")
171 |> Timex.shift(days: days)
173 Pleroma.Workers.PurgeExpiredActivity.enqueue(%{
174 activity_id: activity.id,
175 expires_at: expires_at
182 def run(["set_text_search_config", tsconfig]) do
184 %{rows: [[tsc]]} = Ecto.Adapters.SQL.query!(Pleroma.Repo, "SHOW default_text_search_config;")
185 shell_info("Current default_text_search_config: #{tsc}")
187 %{rows: [[db]]} = Ecto.Adapters.SQL.query!(Pleroma.Repo, "SELECT current_database();")
188 shell_info("Update default_text_search_config: #{tsconfig}")
191 Ecto.Adapters.SQL.query!(
193 "ALTER DATABASE #{db} SET default_text_search_config = '#{tsconfig}';"
196 # non-exist config will not raise exception but only give >0 messages
197 if length(msg) > 0 do
198 shell_info("Error: #{inspect(msg, pretty: true)}")
200 rum_enabled = Pleroma.Config.get([:database, :rum_enabled])
201 shell_info("Recreate index, RUM: #{rum_enabled}")
203 # Note SQL below needs to be kept up-to-date with latest GIN or RUM index definition in future
205 Ecto.Adapters.SQL.query!(
207 "CREATE OR REPLACE FUNCTION objects_fts_update() RETURNS trigger AS $$ BEGIN
208 new.fts_content := to_tsvector(new.data->>'content');
211 $$ LANGUAGE plpgsql",
216 shell_info("Refresh RUM index")
217 Ecto.Adapters.SQL.query!(Pleroma.Repo, "UPDATE objects SET updated_at = NOW();")
219 Ecto.Adapters.SQL.query!(Pleroma.Repo, "DROP INDEX IF EXISTS objects_fts;")
221 Ecto.Adapters.SQL.query!(
223 "CREATE INDEX CONCURRENTLY objects_fts ON objects USING gin(to_tsvector('#{tsconfig}', data->>'content')); ",
233 # Rolls back a specific migration (leaving subsequent migrations applied).
234 # WARNING: imposes a risk of unrecoverable data loss — proceed at your own responsibility.
235 # Based on https://stackoverflow.com/a/53825840
236 def run(["rollback", version]) do
237 prompt = "SEVERE WARNING: this operation may result in unrecoverable data loss. Continue?"
239 if shell_prompt(prompt, "n") in ~w(Yn Y y) do
241 Ecto.Migrator.with_repo(Pleroma.Repo, fn repo ->
242 version = String.to_integer(version)
243 re = ~r/^#{version}_.*\.exs/
244 path = Ecto.Migrator.migrations_path(repo)
246 with {_, "" <> file} <- {:find, Enum.find(File.ls!(path), &String.match?(&1, re))},
247 {_, [{mod, _} | _]} <- {:compile, Code.compile_file(Path.join(path, file))},
248 {_, :ok} <- {:rollback, Ecto.Migrator.down(repo, version, mod)} do
249 {:ok, "Reversed migration: #{file}"}
251 {:find, _} -> {:error, "No migration found with version prefix: #{version}"}
252 {:compile, e} -> {:error, "Problem compiling migration module: #{inspect(e)}"}
253 {:rollback, e} -> {:error, "Problem reversing migration: #{inspect(e)}"}
257 shell_info(inspect(result))