2020-03-09 16:00:16 +00:00
|
|
|
# Pleroma: A lightweight social networking server
|
|
|
|
# Copyright © 2017-2020 Pleroma Authors <https://pleroma.social/>
|
|
|
|
# SPDX-License-Identifier: AGPL-3.0-only
|
|
|
|
|
|
|
|
defmodule Pleroma.Chat do
|
|
|
|
use Ecto.Schema
|
|
|
|
import Ecto.Changeset
|
|
|
|
|
|
|
|
alias Pleroma.Repo
|
2020-04-20 10:29:19 +00:00
|
|
|
alias Pleroma.User
|
2020-03-09 16:00:16 +00:00
|
|
|
|
|
|
|
@moduledoc """
|
2020-04-08 13:55:43 +00:00
|
|
|
Chat keeps a reference to ChatMessage conversations between a user and an recipient. The recipient can be a user (for now) or a group (not implemented yet).
|
2020-03-09 16:00:16 +00:00
|
|
|
|
|
|
|
It is a helper only, to make it easy to display a list of chats with other people, ordered by last bump. The actual messages are retrieved by querying the recipients of the ChatMessages.
|
|
|
|
"""
|
|
|
|
|
|
|
|
schema "chats" do
|
|
|
|
belongs_to(:user, User, type: FlakeId.Ecto.CompatType)
|
|
|
|
field(:recipient, :string)
|
2020-04-09 10:44:20 +00:00
|
|
|
field(:unread, :integer, default: 0, read_after_writes: true)
|
2020-03-09 16:00:16 +00:00
|
|
|
|
|
|
|
timestamps()
|
|
|
|
end
|
|
|
|
|
|
|
|
def creation_cng(struct, params) do
|
|
|
|
struct
|
2020-04-09 10:44:20 +00:00
|
|
|
|> cast(params, [:user_id, :recipient, :unread])
|
2020-04-10 12:47:56 +00:00
|
|
|
|> validate_change(:recipient, fn
|
|
|
|
:recipient, recipient ->
|
|
|
|
case User.get_cached_by_ap_id(recipient) do
|
2020-04-29 18:14:34 +00:00
|
|
|
nil -> [recipient: "must be an existing user"]
|
2020-04-10 12:47:56 +00:00
|
|
|
_ -> []
|
|
|
|
end
|
|
|
|
end)
|
2020-03-09 16:00:16 +00:00
|
|
|
|> validate_required([:user_id, :recipient])
|
|
|
|
|> unique_constraint(:user_id, name: :chats_user_id_recipient_index)
|
|
|
|
end
|
|
|
|
|
2020-04-09 10:44:20 +00:00
|
|
|
def get(user_id, recipient) do
|
|
|
|
__MODULE__
|
|
|
|
|> Repo.get_by(user_id: user_id, recipient: recipient)
|
|
|
|
end
|
|
|
|
|
2020-04-09 13:13:55 +00:00
|
|
|
def get_or_create(user_id, recipient) do
|
|
|
|
%__MODULE__{}
|
|
|
|
|> creation_cng(%{user_id: user_id, recipient: recipient})
|
|
|
|
|> Repo.insert(
|
|
|
|
on_conflict: :nothing,
|
|
|
|
returning: true,
|
|
|
|
conflict_target: [:user_id, :recipient]
|
|
|
|
)
|
|
|
|
end
|
|
|
|
|
2020-04-09 10:44:20 +00:00
|
|
|
def bump_or_create(user_id, recipient) do
|
2020-03-09 16:00:16 +00:00
|
|
|
%__MODULE__{}
|
2020-04-09 10:44:20 +00:00
|
|
|
|> creation_cng(%{user_id: user_id, recipient: recipient, unread: 1})
|
2020-03-09 16:00:16 +00:00
|
|
|
|> Repo.insert(
|
2020-04-09 10:44:20 +00:00
|
|
|
on_conflict: [set: [updated_at: NaiveDateTime.utc_now()], inc: [unread: 1]],
|
2020-03-09 16:00:16 +00:00
|
|
|
conflict_target: [:user_id, :recipient]
|
|
|
|
)
|
|
|
|
end
|
2020-05-04 11:10:36 +00:00
|
|
|
|
|
|
|
def mark_as_read(chat) do
|
|
|
|
chat
|
|
|
|
|> change(%{unread: 0})
|
|
|
|
|> Repo.update()
|
|
|
|
end
|
2020-03-09 16:00:16 +00:00
|
|
|
end
|