microblog.pub/app/boxes.py

2689 lines
91 KiB
Python
Raw Normal View History

2022-06-22 20:11:22 +02:00
"""Actions related to the AP inbox/outbox."""
import uuid
2022-06-25 12:29:35 +02:00
from collections import defaultdict
from dataclasses import dataclass
2022-07-17 09:32:04 +02:00
from datetime import timedelta
2022-06-22 20:11:22 +02:00
from urllib.parse import urlparse
2022-07-05 20:47:00 +02:00
import fastapi
2022-06-22 20:11:22 +02:00
import httpx
from loguru import logger
2022-06-29 08:56:39 +02:00
from sqlalchemy import delete
from sqlalchemy import func
from sqlalchemy import select
from sqlalchemy import update
2022-06-22 20:11:22 +02:00
from sqlalchemy.exc import IntegrityError
from sqlalchemy.orm import joinedload
from app import activitypub as ap
from app import config
2022-07-05 20:47:00 +02:00
from app import ldsig
2022-06-22 20:11:22 +02:00
from app import models
from app.actor import LOCAL_ACTOR
from app.actor import Actor
2022-06-22 20:11:22 +02:00
from app.actor import RemoteActor
from app.actor import fetch_actor
from app.actor import save_actor
2022-10-09 11:36:00 +02:00
from app.actor import update_actor_if_needed
2022-06-22 20:11:22 +02:00
from app.ap_object import RemoteObject
from app.config import BASE_URL
2022-08-15 10:15:00 +02:00
from app.config import BLOCKED_SERVERS
2022-06-22 20:11:22 +02:00
from app.config import ID
from app.config import MANUALLY_APPROVES_FOLLOWERS
2022-09-08 20:00:02 +02:00
from app.config import set_moved_to
2022-06-29 20:43:17 +02:00
from app.database import AsyncSession
2022-06-24 11:33:05 +02:00
from app.outgoing_activities import new_outgoing_activity
2022-10-05 20:27:21 +02:00
from app.source import dedup_tags
2022-06-22 20:11:22 +02:00
from app.source import markdownify
2022-06-23 21:07:20 +02:00
from app.uploads import upload_to_attachment
from app.utils import opengraph
2022-07-10 16:04:37 +02:00
from app.utils import webmentions
2022-07-17 09:32:04 +02:00
from app.utils.datetime import as_utc
from app.utils.datetime import now
2022-07-11 12:48:38 +02:00
from app.utils.datetime import parse_isoformat
2022-10-30 17:50:59 +01:00
from app.utils.text import slugify
2022-06-22 20:11:22 +02:00
2022-06-24 11:33:05 +02:00
AnyboxObject = models.InboxObject | models.OutboxObject
2022-06-22 20:11:22 +02:00
def allocate_outbox_id() -> str:
return uuid.uuid4().hex
def outbox_object_id(outbox_id) -> str:
return f"{BASE_URL}/o/{outbox_id}"
2022-06-29 20:43:17 +02:00
async def save_outbox_object(
db_session: AsyncSession,
2022-06-22 20:11:22 +02:00
public_id: str,
raw_object: ap.RawObject,
relates_to_inbox_object_id: int | None = None,
relates_to_outbox_object_id: int | None = None,
relates_to_actor_id: int | None = None,
2022-06-22 20:11:22 +02:00
source: str | None = None,
2022-07-24 12:36:59 +02:00
is_transient: bool = False,
2022-08-14 18:58:47 +02:00
conversation: str | None = None,
2022-10-30 17:50:59 +01:00
slug: str | None = None,
2022-06-22 20:11:22 +02:00
) -> models.OutboxObject:
2022-08-04 17:36:21 +02:00
ro = await RemoteObject.from_raw_object(raw_object)
2022-06-22 20:11:22 +02:00
outbox_object = models.OutboxObject(
public_id=public_id,
2022-08-04 17:36:21 +02:00
ap_type=ro.ap_type,
ap_id=ro.ap_id,
ap_context=ro.ap_context,
ap_object=ro.ap_object,
visibility=ro.visibility,
og_meta=await opengraph.og_meta_from_note(db_session, ro),
2022-06-22 20:11:22 +02:00
relates_to_inbox_object_id=relates_to_inbox_object_id,
relates_to_outbox_object_id=relates_to_outbox_object_id,
relates_to_actor_id=relates_to_actor_id,
2022-08-04 17:36:21 +02:00
activity_object_ap_id=ro.activity_object_ap_id,
is_hidden_from_homepage=True if ro.in_reply_to else False,
2022-06-27 08:30:29 +02:00
source=source,
2022-07-24 12:36:59 +02:00
is_transient=is_transient,
2022-08-14 18:58:47 +02:00
conversation=conversation,
2022-10-30 17:50:59 +01:00
slug=slug,
2022-06-22 20:11:22 +02:00
)
2022-06-29 20:43:17 +02:00
db_session.add(outbox_object)
2022-07-20 21:40:27 +02:00
await db_session.flush()
2022-06-29 20:43:17 +02:00
await db_session.refresh(outbox_object)
2022-06-22 20:11:22 +02:00
return outbox_object
2022-10-23 16:37:24 +02:00
async def send_unblock(db_session: AsyncSession, ap_actor_id: str) -> None:
actor = await fetch_actor(db_session, ap_actor_id)
block_activity = (
await db_session.scalars(
select(models.OutboxObject).where(
models.OutboxObject.activity_object_ap_id == actor.ap_id,
models.OutboxObject.is_deleted.is_(False),
)
)
).one_or_none()
if not block_activity:
raise ValueError(f"No Block activity for {ap_actor_id}")
await _send_undo(db_session, block_activity.ap_id)
await db_session.commit()
async def send_block(db_session: AsyncSession, ap_actor_id: str) -> None:
logger.info(f"Blocking {ap_actor_id}")
actor = await fetch_actor(db_session, ap_actor_id)
actor.is_blocked = True
# 1. Unfollow the actor
following = (
await db_session.scalars(
select(models.Following)
.options(joinedload(models.Following.outbox_object))
.where(
models.Following.ap_actor_id == actor.ap_id,
)
)
).one_or_none()
if following:
await _send_undo(db_session, following.outbox_object.ap_id)
# 2. If the blocked actor is a follower, reject the follow request
follower = (
await db_session.scalars(
select(models.Follower)
.options(joinedload(models.Follower.inbox_object))
.where(
models.Follower.ap_actor_id == actor.ap_id,
)
)
).one_or_none()
if follower:
await _send_reject(db_session, actor, follower.inbox_object)
await db_session.delete(follower)
# 3. Send a block
block_id = allocate_outbox_id()
block = {
"@context": ap.AS_EXTENDED_CTX,
"id": outbox_object_id(block_id),
"type": "Block",
"actor": LOCAL_ACTOR.ap_id,
"object": actor.ap_id,
}
outbox_object = await save_outbox_object(
db_session,
block_id,
block,
)
if not outbox_object.id:
raise ValueError("Should never happen")
await new_outgoing_activity(db_session, actor.inbox_url, outbox_object.id)
# 4. Create a notification
notif = models.Notification(
notification_type=models.NotificationType.BLOCK,
actor_id=actor.id,
outbox_object_id=outbox_object.id,
)
db_session.add(notif)
await db_session.commit()
2022-07-02 10:33:20 +02:00
async def send_delete(db_session: AsyncSession, ap_object_id: str) -> None:
outbox_object_to_delete = await get_outbox_object_by_ap_id(db_session, ap_object_id)
if not outbox_object_to_delete:
raise ValueError(f"{ap_object_id} not found in the outbox")
delete_id = allocate_outbox_id()
2022-09-11 10:51:08 +02:00
# FIXME addressing
2022-07-02 10:33:20 +02:00
delete = {
2022-07-10 12:48:52 +02:00
"@context": ap.AS_EXTENDED_CTX,
2022-07-02 10:33:20 +02:00
"id": outbox_object_id(delete_id),
"type": "Delete",
"actor": ID,
2022-07-10 12:48:52 +02:00
"object": {
"type": "Tombstone",
"id": ap_object_id,
},
2022-07-02 10:33:20 +02:00
}
outbox_object = await save_outbox_object(
db_session,
delete_id,
delete,
relates_to_outbox_object_id=outbox_object_to_delete.id,
)
if not outbox_object.id:
raise ValueError("Should never happen")
outbox_object_to_delete.is_deleted = True
await db_session.flush()
2022-07-02 10:33:20 +02:00
# Compute the original recipients
recipients = await _compute_recipients(
db_session, outbox_object_to_delete.ap_object
)
for rcp in recipients:
await new_outgoing_activity(db_session, rcp, outbox_object.id)
2022-08-30 20:05:10 +02:00
# Revert side effects
if outbox_object_to_delete.in_reply_to:
replied_object = await get_anybox_object_by_ap_id(
db_session, outbox_object_to_delete.in_reply_to
)
if replied_object:
if replied_object.is_from_outbox:
# Different helper here because we also count webmentions
new_replies_count = await _get_outbox_replies_count(
db_session, replied_object # type: ignore
)
else:
new_replies_count = await _get_replies_count(
db_session, replied_object.ap_id
)
2022-09-19 20:31:54 +02:00
replied_object.replies_count = new_replies_count
2022-08-30 20:05:10 +02:00
else:
logger.info(f"{outbox_object_to_delete.in_reply_to} not found")
2022-07-20 21:40:27 +02:00
await db_session.commit()
2022-07-02 10:33:20 +02:00
2022-06-29 20:43:17 +02:00
async def send_like(db_session: AsyncSession, ap_object_id: str) -> None:
inbox_object = await get_inbox_object_by_ap_id(db_session, ap_object_id)
2022-06-22 20:11:22 +02:00
if not inbox_object:
logger.info(f"Saving unknwown object {ap_object_id}")
raw_object = await ap.fetch(ap.get_id(ap_object_id))
await save_object_to_inbox(db_session, raw_object)
await db_session.commit()
# XXX: we need to reload it as lazy-loading the actor will fail
# (asyncio SQLAlchemy issue)
inbox_object = await get_inbox_object_by_ap_id(db_session, ap_object_id)
if not inbox_object:
raise ValueError("Should never happen")
2022-06-22 20:11:22 +02:00
like_id = allocate_outbox_id()
like = {
"@context": ap.AS_CTX,
"id": outbox_object_id(like_id),
"type": "Like",
"actor": ID,
"object": ap_object_id,
}
2022-06-29 20:43:17 +02:00
outbox_object = await save_outbox_object(
db_session, like_id, like, relates_to_inbox_object_id=inbox_object.id
2022-06-22 20:11:22 +02:00
)
if not outbox_object.id:
raise ValueError("Should never happen")
inbox_object.liked_via_outbox_object_ap_id = outbox_object.ap_id
2022-06-29 20:43:17 +02:00
await new_outgoing_activity(
db_session, inbox_object.actor.inbox_url, outbox_object.id
)
2022-07-20 21:40:27 +02:00
await db_session.commit()
2022-06-22 20:11:22 +02:00
2022-06-29 20:43:17 +02:00
async def send_announce(db_session: AsyncSession, ap_object_id: str) -> None:
inbox_object = await get_inbox_object_by_ap_id(db_session, ap_object_id)
2022-06-22 20:11:22 +02:00
if not inbox_object:
logger.info(f"Saving unknwown object {ap_object_id}")
raw_object = await ap.fetch(ap.get_id(ap_object_id))
await save_object_to_inbox(db_session, raw_object)
await db_session.commit()
# XXX: we need to reload it as lazy-loading the actor will fail
# (asyncio SQLAlchemy issue)
inbox_object = await get_inbox_object_by_ap_id(db_session, ap_object_id)
if not inbox_object:
raise ValueError("Should never happen")
2022-06-22 20:11:22 +02:00
2022-08-12 10:01:35 +02:00
if inbox_object.visibility not in [
ap.VisibilityEnum.PUBLIC,
ap.VisibilityEnum.UNLISTED,
]:
raise ValueError("Cannot announce non-public object")
2022-06-22 20:11:22 +02:00
announce_id = allocate_outbox_id()
announce = {
"@context": ap.AS_CTX,
"id": outbox_object_id(announce_id),
"type": "Announce",
"actor": ID,
"object": ap_object_id,
"to": [ap.AS_PUBLIC],
"cc": [
f"{BASE_URL}/followers",
inbox_object.ap_actor_id,
],
}
2022-06-29 20:43:17 +02:00
outbox_object = await save_outbox_object(
db_session, announce_id, announce, relates_to_inbox_object_id=inbox_object.id
2022-06-22 20:11:22 +02:00
)
if not outbox_object.id:
raise ValueError("Should never happen")
inbox_object.announced_via_outbox_object_ap_id = outbox_object.ap_id
2022-06-29 20:43:17 +02:00
recipients = await _compute_recipients(db_session, announce)
2022-06-22 20:11:22 +02:00
for rcp in recipients:
2022-06-29 20:43:17 +02:00
await new_outgoing_activity(db_session, rcp, outbox_object.id)
2022-06-22 20:11:22 +02:00
await db_session.commit()
2022-06-22 20:11:22 +02:00
2022-06-29 20:43:17 +02:00
async def send_follow(db_session: AsyncSession, ap_actor_id: str) -> None:
2022-08-16 22:15:05 +02:00
await _send_follow(db_session, ap_actor_id)
await db_session.commit()
async def _send_follow(db_session: AsyncSession, ap_actor_id: str) -> None:
2022-06-29 20:43:17 +02:00
actor = await fetch_actor(db_session, ap_actor_id)
2022-06-22 20:11:22 +02:00
follow_id = allocate_outbox_id()
follow = {
"@context": ap.AS_CTX,
"id": outbox_object_id(follow_id),
"type": "Follow",
"actor": ID,
"object": ap_actor_id,
}
2022-06-29 20:43:17 +02:00
outbox_object = await save_outbox_object(
db_session, follow_id, follow, relates_to_actor_id=actor.id
)
2022-06-22 20:11:22 +02:00
if not outbox_object.id:
raise ValueError("Should never happen")
2022-06-29 20:43:17 +02:00
await new_outgoing_activity(db_session, actor.inbox_url, outbox_object.id)
2022-08-16 22:15:05 +02:00
# Caller should commit
2022-06-22 20:11:22 +02:00
2022-06-29 20:43:17 +02:00
async def send_undo(db_session: AsyncSession, ap_object_id: str) -> None:
2022-08-16 22:15:05 +02:00
await _send_undo(db_session, ap_object_id)
await db_session.commit()
async def _send_undo(db_session: AsyncSession, ap_object_id: str) -> None:
2022-06-29 20:43:17 +02:00
outbox_object_to_undo = await get_outbox_object_by_ap_id(db_session, ap_object_id)
2022-06-22 20:11:22 +02:00
if not outbox_object_to_undo:
raise ValueError(f"{ap_object_id} not found in the outbox")
2022-10-23 16:37:24 +02:00
if outbox_object_to_undo.ap_type not in ["Follow", "Like", "Announce", "Block"]:
2022-06-22 20:11:22 +02:00
raise ValueError(
f"Cannot build Undo for {outbox_object_to_undo.ap_type} activity"
)
undo_id = allocate_outbox_id()
undo = {
"@context": ap.AS_CTX,
"id": outbox_object_id(undo_id),
"type": "Undo",
"actor": ID,
"object": ap.remove_context(outbox_object_to_undo.ap_object),
}
2022-06-29 20:43:17 +02:00
outbox_object = await save_outbox_object(
db_session,
2022-06-22 20:11:22 +02:00
undo_id,
undo,
relates_to_outbox_object_id=outbox_object_to_undo.id,
)
if not outbox_object.id:
raise ValueError("Should never happen")
outbox_object_to_undo.undone_by_outbox_object_id = outbox_object.id
2022-09-29 08:41:24 +02:00
outbox_object_to_undo.is_deleted = True
2022-06-22 20:11:22 +02:00
if outbox_object_to_undo.ap_type == "Follow":
if not outbox_object_to_undo.activity_object_ap_id:
raise ValueError("Should never happen")
2022-06-29 20:43:17 +02:00
followed_actor = await fetch_actor(
db_session, outbox_object_to_undo.activity_object_ap_id
)
await new_outgoing_activity(
db_session,
2022-06-22 20:11:22 +02:00
followed_actor.inbox_url,
outbox_object.id,
)
# Also remove the follow from the following collection
2022-06-29 20:43:17 +02:00
await db_session.execute(
2022-06-29 08:56:39 +02:00
delete(models.Following).where(
models.Following.ap_actor_id == followed_actor.ap_id
)
)
2022-06-22 20:11:22 +02:00
elif outbox_object_to_undo.ap_type == "Like":
liked_object_ap_id = outbox_object_to_undo.activity_object_ap_id
if not liked_object_ap_id:
raise ValueError("Should never happen")
2022-06-29 20:43:17 +02:00
liked_object = await get_inbox_object_by_ap_id(db_session, liked_object_ap_id)
2022-06-22 20:11:22 +02:00
if not liked_object:
raise ValueError(f"Cannot find liked object {liked_object_ap_id}")
liked_object.liked_via_outbox_object_ap_id = None
# Send the Undo to the liked object's actor
2022-06-29 20:43:17 +02:00
await new_outgoing_activity(
db_session,
2022-06-22 20:11:22 +02:00
liked_object.actor.inbox_url, # type: ignore
outbox_object.id,
)
elif outbox_object_to_undo.ap_type == "Announce":
announced_object_ap_id = outbox_object_to_undo.activity_object_ap_id
if not announced_object_ap_id:
raise ValueError("Should never happen")
2022-06-29 20:43:17 +02:00
announced_object = await get_inbox_object_by_ap_id(
db_session, announced_object_ap_id
)
2022-06-22 20:11:22 +02:00
if not announced_object:
raise ValueError(f"Cannot find announced object {announced_object_ap_id}")
announced_object.announced_via_outbox_object_ap_id = None
# Send the Undo to the original recipients
2022-06-29 20:43:17 +02:00
recipients = await _compute_recipients(db_session, outbox_object.ap_object)
2022-06-22 20:11:22 +02:00
for rcp in recipients:
2022-06-29 20:43:17 +02:00
await new_outgoing_activity(db_session, rcp, outbox_object.id)
2022-10-23 16:37:24 +02:00
elif outbox_object_to_undo.ap_type == "Block":
if not outbox_object_to_undo.activity_object_ap_id:
raise ValueError(f"Invalid block activity {outbox_object_to_undo.ap_id}")
# Send the Undo to the blocked actor
blocked_actor = await fetch_actor(
db_session, outbox_object_to_undo.activity_object_ap_id
)
blocked_actor.is_blocked = False
await new_outgoing_activity(
db_session,
blocked_actor.inbox_url, # type: ignore
outbox_object.id,
)
notif = models.Notification(
notification_type=models.NotificationType.UNBLOCK,
actor_id=blocked_actor.id,
outbox_object_id=outbox_object.id,
)
db_session.add(notif)
2022-06-22 20:11:22 +02:00
else:
raise ValueError("Should never happen")
2022-08-16 22:15:05 +02:00
# called should commit
2022-07-20 21:40:27 +02:00
2022-06-22 20:11:22 +02:00
2022-08-14 18:58:47 +02:00
async def fetch_conversation_root(
db_session: AsyncSession,
obj: AnyboxObject | RemoteObject,
is_root: bool = False,
2022-10-07 19:50:14 +02:00
depth: int = 0,
2022-08-14 18:58:47 +02:00
) -> str:
"""Some softwares do not set the context/conversation field (like Misskey).
2022-09-19 20:31:54 +02:00
This means we have to track conversation ourselves. To do so, we fetch
the root of the conversation and either:
- use the context field if set
- or build a custom conversation ID
"""
2022-10-07 19:50:14 +02:00
logger.info(f"Fetching convo root for ap_id={obj.ap_id}/{depth=}")
if obj.ap_context:
return obj.ap_context
if not obj.in_reply_to or is_root or depth > 10:
# Use the root AP ID if there'no context
return f"microblogpub:root:{obj.ap_id}"
2022-08-14 18:58:47 +02:00
else:
in_reply_to_object: AnyboxObject | RemoteObject | None = (
await get_anybox_object_by_ap_id(db_session, obj.in_reply_to)
)
if not in_reply_to_object:
try:
raw_reply = await ap.fetch(ap.get_id(obj.in_reply_to))
raw_reply_actor = await fetch_actor(
db_session, ap.get_actor_id(raw_reply)
)
in_reply_to_object = RemoteObject(raw_reply, actor=raw_reply_actor)
2022-09-19 20:31:54 +02:00
except (
2022-09-26 21:41:34 +02:00
ap.FetchError,
2022-09-19 20:31:54 +02:00
ap.NotAnObjectError,
):
2022-10-07 19:50:14 +02:00
return await fetch_conversation_root(
db_session, obj, is_root=True, depth=depth + 1
)
2022-08-14 18:58:47 +02:00
except httpx.HTTPStatusError as http_status_error:
if 400 <= http_status_error.response.status_code < 500:
# We may not have access, in this case consider if root
2022-10-07 19:50:14 +02:00
return await fetch_conversation_root(
db_session, obj, is_root=True, depth=depth + 1
)
2022-08-14 18:58:47 +02:00
else:
raise
2022-10-07 19:50:14 +02:00
return await fetch_conversation_root(
db_session, in_reply_to_object, depth=depth + 1
)
2022-08-14 18:58:47 +02:00
2022-09-05 21:41:22 +02:00
async def send_move(
db_session: AsyncSession,
target: str,
) -> None:
move_id = allocate_outbox_id()
obj = {
"@context": ap.AS_CTX,
"type": "Move",
"id": outbox_object_id(move_id),
"actor": LOCAL_ACTOR.ap_id,
"object": LOCAL_ACTOR.ap_id,
"target": target,
}
outbox_object = await save_outbox_object(db_session, move_id, obj)
if not outbox_object.id:
raise ValueError("Should never happen")
2022-09-08 20:00:02 +02:00
recipients = await _get_followers_recipients(db_session)
2022-09-05 21:41:22 +02:00
for rcp in recipients:
await new_outgoing_activity(db_session, rcp, outbox_object.id)
2022-09-08 20:00:02 +02:00
# Store the moved to in order to update the profile
set_moved_to(target)
2022-09-05 21:41:22 +02:00
await db_session.commit()
2022-09-11 10:51:08 +02:00
async def send_self_destruct(db_session: AsyncSession) -> None:
delete_id = allocate_outbox_id()
delete = {
"@context": ap.AS_EXTENDED_CTX,
"id": outbox_object_id(delete_id),
"type": "Delete",
"actor": ID,
"object": ID,
"to": [ap.AS_PUBLIC],
}
outbox_object = await save_outbox_object(
db_session,
delete_id,
delete,
)
if not outbox_object.id:
raise ValueError("Should never happen")
recipients = await compute_all_known_recipients(db_session)
for rcp in recipients:
await new_outgoing_activity(db_session, rcp, outbox_object.id)
await db_session.commit()
2022-06-29 20:43:17 +02:00
async def send_create(
db_session: AsyncSession,
2022-07-24 12:36:59 +02:00
ap_type: str,
2022-06-23 21:07:20 +02:00
source: str,
2022-07-21 22:43:06 +02:00
uploads: list[tuple[models.Upload, str, str | None]],
2022-06-24 11:33:05 +02:00
in_reply_to: str | None,
visibility: ap.VisibilityEnum,
2022-06-28 21:10:22 +02:00
content_warning: str | None = None,
is_sensitive: bool = False,
2022-07-24 12:36:59 +02:00
poll_type: str | None = None,
poll_answers: list[str] | None = None,
poll_duration_in_minutes: int | None = None,
2022-07-25 22:51:53 +02:00
name: str | None = None,
2022-06-23 21:07:20 +02:00
) -> str:
2022-06-22 20:11:22 +02:00
note_id = allocate_outbox_id()
published = now().replace(microsecond=0).isoformat().replace("+00:00", "Z")
context = f"{ID}/contexts/" + uuid.uuid4().hex
2022-08-14 18:58:47 +02:00
conversation = context
2022-06-29 20:43:17 +02:00
content, tags, mentioned_actors = await markdownify(db_session, source)
2022-06-23 21:07:20 +02:00
attachments = []
in_reply_to_object: AnyboxObject | None = None
2022-06-24 11:33:05 +02:00
if in_reply_to:
2022-06-29 20:43:17 +02:00
in_reply_to_object = await get_anybox_object_by_ap_id(db_session, in_reply_to)
2022-06-24 11:33:05 +02:00
if not in_reply_to_object:
raise ValueError(f"Invalid in reply to {in_reply_to=}")
2022-06-24 22:41:43 +02:00
if not in_reply_to_object.ap_context:
logger.warning(f"Replied object {in_reply_to} has no context")
2022-08-14 18:58:47 +02:00
try:
conversation = await fetch_conversation_root(
db_session,
in_reply_to_object,
)
except Exception:
logger.exception(f"Failed to fetch convo root {in_reply_to}")
else:
context = in_reply_to_object.ap_context
2022-08-14 18:58:47 +02:00
conversation = in_reply_to_object.ap_context
2022-06-24 11:33:05 +02:00
2022-07-21 22:43:06 +02:00
for (upload, filename, alt_text) in uploads:
attachments.append(upload_to_attachment(upload, filename, alt_text))
2022-06-23 21:07:20 +02:00
to = []
cc = []
2022-06-26 19:00:29 +02:00
mentioned_actor_ap_ids = [actor.ap_id for actor in mentioned_actors]
if visibility == ap.VisibilityEnum.PUBLIC:
to = [ap.AS_PUBLIC]
2022-06-26 19:00:29 +02:00
cc = [f"{BASE_URL}/followers"] + mentioned_actor_ap_ids
elif visibility == ap.VisibilityEnum.UNLISTED:
to = [f"{BASE_URL}/followers"]
2022-06-26 19:00:29 +02:00
cc = [ap.AS_PUBLIC] + mentioned_actor_ap_ids
elif visibility == ap.VisibilityEnum.FOLLOWERS_ONLY:
to = [f"{BASE_URL}/followers"]
2022-06-26 19:00:29 +02:00
cc = mentioned_actor_ap_ids
elif visibility == ap.VisibilityEnum.DIRECT:
2022-06-26 19:00:29 +02:00
to = mentioned_actor_ap_ids
cc = []
else:
raise ValueError(f"Unhandled visibility {visibility}")
2022-10-30 17:50:59 +01:00
slug = None
url = outbox_object_id(note_id)
2022-07-24 12:36:59 +02:00
extra_obj_attrs = {}
if ap_type == "Question":
if not poll_answers or len(poll_answers) < 2:
raise ValueError("Question must have at least 2 possible answers")
if not poll_type:
raise ValueError("Mising poll_type")
if not poll_duration_in_minutes:
raise ValueError("Missing poll_duration_in_minutes")
extra_obj_attrs = {
"votersCount": 0,
"endTime": (now() + timedelta(minutes=poll_duration_in_minutes))
.isoformat()
.replace("+00:00", "Z"),
poll_type: [
{
"type": "Note",
"name": answer,
"replies": {"type": "Collection", "totalItems": 0},
}
for answer in poll_answers
],
}
2022-07-25 22:51:53 +02:00
elif ap_type == "Article":
if not name:
raise ValueError("Article must have a name")
2022-10-30 17:50:59 +01:00
slug = slugify(name)
url = f"{BASE_URL}/articles/{note_id[:7]}/{slug}"
2022-07-25 22:51:53 +02:00
extra_obj_attrs = {"name": name}
2022-07-24 12:36:59 +02:00
obj = {
2022-06-28 09:58:33 +02:00
"@context": ap.AS_EXTENDED_CTX,
2022-07-24 12:36:59 +02:00
"type": ap_type,
2022-06-22 20:11:22 +02:00
"id": outbox_object_id(note_id),
"attributedTo": ID,
"content": content,
"to": to,
"cc": cc,
2022-06-22 20:11:22 +02:00
"published": published,
"context": context,
"conversation": context,
2022-10-30 17:50:59 +01:00
"url": url,
2022-10-05 20:27:21 +02:00
"tag": dedup_tags(tags),
2022-06-28 21:10:22 +02:00
"summary": content_warning,
2022-06-24 11:33:05 +02:00
"inReplyTo": in_reply_to,
2022-06-28 21:10:22 +02:00
"sensitive": is_sensitive,
2022-06-23 21:07:20 +02:00
"attachment": attachments,
2022-07-24 12:36:59 +02:00
**extra_obj_attrs, # type: ignore
2022-06-22 20:11:22 +02:00
}
2022-08-14 18:58:47 +02:00
outbox_object = await save_outbox_object(
db_session,
note_id,
obj,
source=source,
conversation=conversation,
2022-10-30 17:50:59 +01:00
slug=slug,
2022-08-14 18:58:47 +02:00
)
2022-06-22 20:11:22 +02:00
if not outbox_object.id:
raise ValueError("Should never happen")
for tag in tags:
if tag["type"] == "Hashtag":
tagged_object = models.TaggedOutboxObject(
2022-10-05 20:27:21 +02:00
tag=tag["name"][1:].lower(),
2022-06-22 20:11:22 +02:00
outbox_object_id=outbox_object.id,
)
2022-06-29 20:43:17 +02:00
db_session.add(tagged_object)
2022-06-23 21:07:20 +02:00
2022-07-21 22:43:06 +02:00
for (upload, filename, alt) in uploads:
2022-06-23 21:07:20 +02:00
outbox_object_attachment = models.OutboxObjectAttachment(
2022-07-21 22:43:06 +02:00
filename=filename,
alt=alt,
outbox_object_id=outbox_object.id,
upload_id=upload.id,
2022-06-23 21:07:20 +02:00
)
2022-06-29 20:43:17 +02:00
db_session.add(outbox_object_attachment)
2022-06-23 21:07:20 +02:00
2022-07-24 12:36:59 +02:00
recipients = await _compute_recipients(db_session, obj)
2022-06-22 20:11:22 +02:00
for rcp in recipients:
2022-06-29 20:43:17 +02:00
await new_outgoing_activity(db_session, rcp, outbox_object.id)
2022-06-22 20:11:22 +02:00
2022-07-10 16:04:37 +02:00
# If the note is public, check if we need to send any webmentions
if visibility == ap.VisibilityEnum.PUBLIC:
2022-08-04 17:36:21 +02:00
possible_targets = await opengraph.external_urls(db_session, outbox_object)
2022-07-10 16:04:37 +02:00
logger.info(f"webmentions possible targert {possible_targets}")
for target in possible_targets:
webmention_endpoint = await webmentions.discover_webmention_endpoint(target)
logger.info(f"{target=} {webmention_endpoint=}")
if webmention_endpoint:
await new_outgoing_activity(
db_session,
webmention_endpoint,
outbox_object_id=outbox_object.id,
webmention_target=target,
)
2022-07-20 21:40:27 +02:00
await db_session.commit()
# Refresh the replies counter if needed
if in_reply_to_object:
new_replies_count = await _get_replies_count(
db_session, in_reply_to_object.ap_id
)
if in_reply_to_object.is_from_outbox:
await db_session.execute(
update(models.OutboxObject)
.where(
models.OutboxObject.ap_id == in_reply_to_object.ap_id,
)
.values(replies_count=new_replies_count)
)
elif in_reply_to_object.is_from_inbox:
await db_session.execute(
update(models.InboxObject)
.where(
models.InboxObject.ap_id == in_reply_to_object.ap_id,
)
.values(replies_count=new_replies_count)
)
await db_session.commit()
2022-06-22 20:11:22 +02:00
return note_id
2022-07-23 19:02:06 +02:00
async def send_vote(
db_session: AsyncSession,
in_reply_to: str,
2022-07-23 23:06:30 +02:00
names: list[str],
2022-07-23 19:02:06 +02:00
) -> str:
2022-07-23 23:06:30 +02:00
logger.info(f"Send vote {names}")
2022-07-23 19:02:06 +02:00
published = now().replace(microsecond=0).isoformat().replace("+00:00", "Z")
2022-07-23 23:06:30 +02:00
in_reply_to_object = await get_inbox_object_by_ap_id(db_session, in_reply_to)
2022-07-23 19:02:06 +02:00
if not in_reply_to_object:
raise ValueError(f"Invalid in reply to {in_reply_to=}")
if not in_reply_to_object.ap_context:
raise ValueError("Object has no context")
context = in_reply_to_object.ap_context
2022-07-23 23:06:30 +02:00
# TODO: ensure the name are valid?
# Save the answers
in_reply_to_object.voted_for_answers = names
2022-07-23 19:02:06 +02:00
to = [in_reply_to_object.actor.ap_id]
2022-07-23 23:06:30 +02:00
for name in names:
vote_id = allocate_outbox_id()
note = {
"@context": ap.AS_EXTENDED_CTX,
"type": "Note",
"id": outbox_object_id(vote_id),
"attributedTo": ID,
"name": name,
"to": to,
"cc": [],
"published": published,
"context": context,
"conversation": context,
"url": outbox_object_id(vote_id),
"inReplyTo": in_reply_to,
}
2022-07-24 12:36:59 +02:00
outbox_object = await save_outbox_object(
db_session, vote_id, note, is_transient=True
)
2022-07-23 23:06:30 +02:00
if not outbox_object.id:
raise ValueError("Should never happen")
2022-07-23 19:02:06 +02:00
2022-07-23 23:06:30 +02:00
recipients = await _compute_recipients(db_session, note)
for rcp in recipients:
await new_outgoing_activity(db_session, rcp, outbox_object.id)
2022-07-23 19:02:06 +02:00
await db_session.commit()
return vote_id
async def send_update(
db_session: AsyncSession,
ap_id: str,
source: str,
) -> str:
outbox_object = await get_outbox_object_by_ap_id(db_session, ap_id)
if not outbox_object:
raise ValueError(f"{ap_id} not found")
revisions = outbox_object.revisions or []
revisions.append(
{
"ap_object": outbox_object.ap_object,
"source": outbox_object.source,
"updated": (
outbox_object.ap_object.get("updated")
or outbox_object.ap_object.get("published")
),
}
)
updated = now().replace(microsecond=0).isoformat().replace("+00:00", "Z")
content, tags, mentioned_actors = await markdownify(db_session, source)
note = {
"@context": ap.AS_EXTENDED_CTX,
"type": outbox_object.ap_type,
"id": outbox_object.ap_id,
"attributedTo": ID,
"content": content,
"to": outbox_object.ap_object["to"],
"cc": outbox_object.ap_object["cc"],
"published": outbox_object.ap_object["published"],
"context": outbox_object.ap_context,
"conversation": outbox_object.ap_context,
"url": outbox_object.url,
"tag": tags,
"summary": outbox_object.summary,
"inReplyTo": outbox_object.in_reply_to,
"sensitive": outbox_object.sensitive,
"attachment": outbox_object.ap_object["attachment"],
"updated": updated,
}
outbox_object.ap_object = note
outbox_object.source = source
outbox_object.revisions = revisions
recipients = await _compute_recipients(db_session, note)
for rcp in recipients:
await new_outgoing_activity(db_session, rcp, outbox_object.id)
# If the note is public, check if we need to send any webmentions
if outbox_object.visibility == ap.VisibilityEnum.PUBLIC:
2022-08-04 17:36:21 +02:00
possible_targets = await opengraph.external_urls(db_session, outbox_object)
logger.info(f"webmentions possible targert {possible_targets}")
for target in possible_targets:
webmention_endpoint = await webmentions.discover_webmention_endpoint(target)
logger.info(f"{target=} {webmention_endpoint=}")
if webmention_endpoint:
await new_outgoing_activity(
db_session,
webmention_endpoint,
outbox_object_id=outbox_object.id,
webmention_target=target,
)
2022-07-20 21:40:27 +02:00
await db_session.commit()
return outbox_object.public_id # type: ignore
2022-06-29 20:43:17 +02:00
async def _compute_recipients(
db_session: AsyncSession, ap_object: ap.RawObject
) -> set[str]:
2022-06-22 20:11:22 +02:00
_recipients = []
for field in ["to", "cc", "bto", "bcc"]:
if field in ap_object:
_recipients.extend(ap.as_list(ap_object[field]))
recipients = set()
2022-06-26 19:00:29 +02:00
logger.info(f"{_recipients}")
2022-06-22 20:11:22 +02:00
for r in _recipients:
if r in [ap.AS_PUBLIC, ID]:
continue
# If we got a local collection, assume it's a collection of actors
if r.startswith(BASE_URL):
2022-06-29 20:43:17 +02:00
for actor in await fetch_actor_collection(db_session, r):
2022-07-31 10:03:45 +02:00
recipients.add(actor.shared_inbox_url)
2022-06-22 20:11:22 +02:00
continue
# Is it a known actor?
2022-06-29 20:43:17 +02:00
known_actor = (
await db_session.execute(
select(models.Actor).where(models.Actor.ap_id == r)
)
).scalar_one_or_none() # type: ignore
2022-06-22 20:11:22 +02:00
if known_actor:
2022-07-31 10:03:45 +02:00
recipients.add(known_actor.shared_inbox_url)
2022-06-22 20:11:22 +02:00
continue
# Fetch the object
2022-06-30 00:28:07 +02:00
raw_object = await ap.fetch(r)
2022-06-22 20:11:22 +02:00
if raw_object.get("type") in ap.ACTOR_TYPES:
2022-06-29 20:43:17 +02:00
saved_actor = await save_actor(db_session, raw_object)
2022-07-31 10:03:45 +02:00
recipients.add(saved_actor.shared_inbox_url)
2022-06-22 20:11:22 +02:00
else:
# Assume it's a collection of actors
2022-06-30 00:28:07 +02:00
for raw_actor in await ap.parse_collection(payload=raw_object):
2022-06-22 20:11:22 +02:00
actor = RemoteActor(raw_actor)
2022-07-31 10:03:45 +02:00
recipients.add(actor.shared_inbox_url)
2022-06-22 20:11:22 +02:00
return recipients
2022-09-05 21:41:22 +02:00
async def compute_all_known_recipients(db_session: AsyncSession) -> set[str]:
return {
actor.shared_inbox_url or actor.inbox_url
for actor in (
await db_session.scalars(
select(models.Actor).where(models.Actor.is_deleted.is_(False))
)
).all()
}
2022-07-17 11:40:03 +02:00
async def _get_following(db_session: AsyncSession) -> list[models.Follower]:
return (
(
await db_session.scalars(
select(models.Following).options(joinedload(models.Following.actor))
)
)
.unique()
.all()
)
2022-07-17 09:32:04 +02:00
async def _get_followers(db_session: AsyncSession) -> list[models.Follower]:
return (
2022-07-06 19:04:38 +02:00
(
await db_session.scalars(
select(models.Follower).options(joinedload(models.Follower.actor))
)
)
.unique()
.all()
)
2022-07-17 09:32:04 +02:00
2022-07-29 09:24:36 +02:00
async def _get_followers_recipients(
db_session: AsyncSession,
skip_actors: list[models.Actor] | None = None,
) -> set[str]:
2022-07-17 09:32:04 +02:00
"""Returns all the recipients from the local follower collection."""
2022-07-29 09:24:36 +02:00
actor_ap_ids_to_skip = []
if skip_actors:
actor_ap_ids_to_skip = [actor.ap_id for actor in skip_actors]
2022-07-17 09:32:04 +02:00
followers = await _get_followers(db_session)
2022-07-06 19:04:38 +02:00
return {
2022-07-31 10:03:45 +02:00
follower.actor.shared_inbox_url # type: ignore
2022-07-06 19:04:38 +02:00
for follower in followers
2022-07-29 09:24:36 +02:00
if follower.actor.ap_id not in actor_ap_ids_to_skip
2022-07-06 19:04:38 +02:00
}
async def get_notification_by_id(
db_session: AsyncSession, notification_id: int
) -> models.Notification | None:
return (
await db_session.execute(
select(models.Notification)
.where(models.Notification.id == notification_id)
.options(
joinedload(models.Notification.inbox_object).options(
joinedload(models.InboxObject.actor)
),
)
)
).scalar_one_or_none() # type: ignore
2022-06-29 20:43:17 +02:00
async def get_inbox_object_by_ap_id(
db_session: AsyncSession, ap_id: str
) -> models.InboxObject | None:
return (
await db_session.execute(
select(models.InboxObject)
.where(models.InboxObject.ap_id == ap_id)
.options(
joinedload(models.InboxObject.actor),
joinedload(models.InboxObject.relates_to_inbox_object),
joinedload(models.InboxObject.relates_to_outbox_object),
)
)
).scalar_one_or_none() # type: ignore
2022-06-22 20:11:22 +02:00
2022-07-26 21:10:59 +02:00
async def get_inbox_delete_for_activity_object_ap_id(
db_session: AsyncSession, activity_object_ap_id: str
) -> models.InboxObject | None:
return (
await db_session.execute(
select(models.InboxObject)
.where(
models.InboxObject.ap_type == "Delete",
models.InboxObject.activity_object_ap_id == activity_object_ap_id,
)
.options(
joinedload(models.InboxObject.actor),
joinedload(models.InboxObject.relates_to_inbox_object),
joinedload(models.InboxObject.relates_to_outbox_object),
)
)
).scalar_one_or_none() # type: ignore
2022-06-29 20:43:17 +02:00
async def get_outbox_object_by_ap_id(
db_session: AsyncSession, ap_id: str
) -> models.OutboxObject | None:
return (
2022-07-07 08:55:53 +02:00
(
await db_session.execute(
select(models.OutboxObject)
.where(models.OutboxObject.ap_id == ap_id)
.options(
2022-07-07 08:36:07 +02:00
joinedload(models.OutboxObject.outbox_object_attachments).options(
joinedload(models.OutboxObjectAttachment.upload)
),
2022-07-07 08:55:53 +02:00
joinedload(models.OutboxObject.relates_to_inbox_object).options(
joinedload(models.InboxObject.actor),
),
joinedload(models.OutboxObject.relates_to_outbox_object).options(
joinedload(
models.OutboxObject.outbox_object_attachments
).options(joinedload(models.OutboxObjectAttachment.upload)),
),
)
2022-07-07 08:36:07 +02:00
)
2022-06-29 20:43:17 +02:00
)
2022-07-07 08:55:53 +02:00
.unique()
.scalar_one_or_none()
) # type: ignore
2022-06-22 20:11:22 +02:00
async def get_outbox_object_by_slug_and_short_id(
db_session: AsyncSession,
slug: str,
short_id: str,
) -> models.OutboxObject | None:
return (
(
await db_session.execute(
select(models.OutboxObject)
.options(
joinedload(models.OutboxObject.outbox_object_attachments).options(
joinedload(models.OutboxObjectAttachment.upload)
)
)
.where(
models.OutboxObject.public_id.like(f"{short_id}%"),
models.OutboxObject.slug == slug,
models.OutboxObject.is_deleted.is_(False),
)
)
)
.unique()
.scalar_one_or_none()
)
2022-06-29 20:43:17 +02:00
async def get_anybox_object_by_ap_id(
db_session: AsyncSession, ap_id: str
) -> AnyboxObject | None:
2022-06-24 11:33:05 +02:00
if ap_id.startswith(BASE_URL):
2022-06-29 20:43:17 +02:00
return await get_outbox_object_by_ap_id(db_session, ap_id)
2022-06-24 11:33:05 +02:00
else:
2022-06-29 20:43:17 +02:00
return await get_inbox_object_by_ap_id(db_session, ap_id)
2022-06-24 11:33:05 +02:00
2022-06-29 20:43:17 +02:00
async def _handle_delete_activity(
db_session: AsyncSession,
2022-06-22 20:11:22 +02:00
from_actor: models.Actor,
2022-07-06 19:04:38 +02:00
delete_activity: models.InboxObject,
2022-08-18 20:21:28 +02:00
relates_to_inbox_object: models.InboxObject | None,
2022-07-29 09:24:36 +02:00
forwarded_by_actor: models.Actor | None,
2022-06-22 20:11:22 +02:00
) -> None:
2022-08-18 22:36:39 +02:00
ap_object_to_delete: models.InboxObject | models.Actor | None = None
2022-08-18 20:21:28 +02:00
if relates_to_inbox_object:
ap_object_to_delete = relates_to_inbox_object
elif delete_activity.activity_object_ap_id:
# If it's not a Delete for an inbox object, it may be related to
# an actor
try:
ap_object_to_delete = await fetch_actor(
db_session,
delete_activity.activity_object_ap_id,
save_if_not_found=False,
)
except ap.ObjectNotFoundError:
pass
2022-09-07 21:29:09 +02:00
if ap_object_to_delete is None or not ap_object_to_delete.is_from_db:
2022-07-26 21:10:59 +02:00
logger.info(
"Received Delete for an unknown object "
f"{delete_activity.activity_object_ap_id}"
)
return
if isinstance(ap_object_to_delete, models.InboxObject):
if from_actor.ap_id != ap_object_to_delete.actor.ap_id:
logger.warning(
"Actor mismatch between the activity and the object: "
f"{from_actor.ap_id}/{ap_object_to_delete.actor.ap_id}"
)
return
logger.info(
f"Deleting {ap_object_to_delete.ap_type}/{ap_object_to_delete.ap_id}"
2022-06-22 20:11:22 +02:00
)
await _revert_side_effect_for_deleted_object(
db_session,
delete_activity,
ap_object_to_delete,
forwarded_by_actor,
)
ap_object_to_delete.is_deleted = True
elif isinstance(ap_object_to_delete, models.Actor):
if from_actor.ap_id != ap_object_to_delete.ap_id:
logger.warning(
"Actor mismatch between the activity and the object: "
f"{from_actor.ap_id}/{ap_object_to_delete.ap_id}"
)
return
2022-06-22 20:11:22 +02:00
logger.info(f"Deleting actor {ap_object_to_delete.ap_id}")
follower = (
await db_session.scalars(
select(models.Follower).where(
models.Follower.ap_actor_id == ap_object_to_delete.ap_id,
)
)
).one_or_none()
if follower:
logger.info("Removing actor from follower")
await db_session.delete(follower)
2022-11-15 21:47:51 +01:00
# Also mark Follow activities for this actor as deleted
follow_activities = (
await db_session.scalars(
select(models.OutboxObject).where(
models.OutboxObject.ap_type == "Follow",
models.OutboxObject.relates_to_actor_id
== ap_object_to_delete.id,
models.OutboxObject.is_deleted.is_(False),
)
)
).all()
for follow_activity in follow_activities:
logger.info(
f"Marking Follow activity {follow_activity.ap_id} as deleted"
)
follow_activity.is_deleted = True
following = (
await db_session.scalars(
select(models.Following).where(
models.Following.ap_actor_id == ap_object_to_delete.ap_id,
)
)
).one_or_none()
if following:
logger.info("Removing actor from following")
await db_session.delete(following)
# Mark the actor as deleted
ap_object_to_delete.is_deleted = True
inbox_objects = (
await db_session.scalars(
select(models.InboxObject).where(
models.InboxObject.actor_id == ap_object_to_delete.id,
models.InboxObject.is_deleted.is_(False),
)
)
).all()
logger.info(f"Deleting {len(inbox_objects)} objects")
for inbox_object in inbox_objects:
await _revert_side_effect_for_deleted_object(
db_session,
delete_activity,
inbox_object,
forwarded_by_actor=None,
)
inbox_object.is_deleted = True
2022-08-18 20:21:28 +02:00
else:
raise ValueError("Should never happen")
2022-07-10 12:45:08 +02:00
2022-07-29 09:24:36 +02:00
await db_session.flush()
2022-07-26 21:10:59 +02:00
2022-09-19 20:31:54 +02:00
async def _get_replies_count(
db_session: AsyncSession,
replied_object_ap_id: str,
) -> int:
return (
await db_session.scalar(
select(func.count(models.InboxObject.id)).where(
func.json_extract(models.InboxObject.ap_object, "$.inReplyTo")
== replied_object_ap_id,
models.InboxObject.is_deleted.is_(False),
)
)
) + (
await db_session.scalar(
select(func.count(models.OutboxObject.id)).where(
func.json_extract(models.OutboxObject.ap_object, "$.inReplyTo")
== replied_object_ap_id,
models.OutboxObject.is_deleted.is_(False),
)
)
)
async def _get_outbox_replies_count(
db_session: AsyncSession,
outbox_object: models.OutboxObject,
) -> int:
return (await _get_replies_count(db_session, outbox_object.ap_id)) + (
await db_session.scalar(
select(func.count(models.Webmention.id)).where(
models.Webmention.is_deleted.is_(False),
models.Webmention.outbox_object_id == outbox_object.id,
models.Webmention.webmention_type == models.WebmentionType.REPLY,
)
)
)
async def _get_outbox_likes_count(
db_session: AsyncSession,
outbox_object: models.OutboxObject,
) -> int:
return (
await db_session.scalar(
select(func.count(models.InboxObject.id)).where(
models.InboxObject.ap_type == "Like",
models.InboxObject.relates_to_outbox_object_id == outbox_object.id,
models.InboxObject.is_deleted.is_(False),
)
)
) + (
await db_session.scalar(
select(func.count(models.Webmention.id)).where(
models.Webmention.is_deleted.is_(False),
models.Webmention.outbox_object_id == outbox_object.id,
models.Webmention.webmention_type == models.WebmentionType.LIKE,
)
)
)
async def _get_outbox_announces_count(
db_session: AsyncSession,
outbox_object: models.OutboxObject,
) -> int:
return (
await db_session.scalar(
select(func.count(models.InboxObject.id)).where(
models.InboxObject.ap_type == "Announce",
models.InboxObject.relates_to_outbox_object_id == outbox_object.id,
models.InboxObject.is_deleted.is_(False),
)
)
) + (
await db_session.scalar(
select(func.count(models.Webmention.id)).where(
models.Webmention.is_deleted.is_(False),
models.Webmention.outbox_object_id == outbox_object.id,
models.Webmention.webmention_type == models.WebmentionType.REPOST,
)
)
)
2022-07-26 21:10:59 +02:00
async def _revert_side_effect_for_deleted_object(
db_session: AsyncSession,
delete_activity: models.InboxObject | None,
2022-07-26 21:10:59 +02:00
deleted_ap_object: models.InboxObject,
2022-07-29 09:24:36 +02:00
forwarded_by_actor: models.Actor | None,
2022-07-26 21:10:59 +02:00
) -> None:
2022-07-29 09:24:36 +02:00
is_delete_needs_to_be_forwarded = False
2022-09-22 19:56:36 +02:00
# Delete related notifications
notif_deletion_result = await db_session.execute(
delete(models.Notification)
.where(models.Notification.inbox_object_id == deleted_ap_object.id)
.execution_options(synchronize_session=False)
)
logger.info(
f"Deleted {notif_deletion_result.rowcount} notifications" # type: ignore
)
# Decrement/refresh the replies counter if needed
2022-07-26 21:10:59 +02:00
if deleted_ap_object.in_reply_to:
2022-07-10 12:45:08 +02:00
replied_object = await get_anybox_object_by_ap_id(
db_session,
2022-07-26 21:10:59 +02:00
deleted_ap_object.in_reply_to,
2022-07-10 12:45:08 +02:00
)
if replied_object:
if replied_object.is_from_outbox:
2022-07-29 09:24:36 +02:00
# It's a local reply that was likely forwarded, the Delete
# also needs to be forwarded
is_delete_needs_to_be_forwarded = True
new_replies_count = await _get_outbox_replies_count(
db_session, replied_object # type: ignore
2022-09-19 20:31:54 +02:00
)
2022-07-10 12:45:08 +02:00
await db_session.execute(
update(models.OutboxObject)
.where(
models.OutboxObject.id == replied_object.id,
)
.values(replies_count=new_replies_count - 1)
2022-07-10 12:45:08 +02:00
)
else:
2022-09-19 20:31:54 +02:00
new_replies_count = await _get_replies_count(
db_session, replied_object.ap_id
)
2022-07-10 12:45:08 +02:00
await db_session.execute(
update(models.InboxObject)
.where(
models.InboxObject.id == replied_object.id,
)
.values(replies_count=new_replies_count - 1)
2022-07-10 12:45:08 +02:00
)
2022-06-22 20:11:22 +02:00
if deleted_ap_object.ap_type == "Like" and deleted_ap_object.activity_object_ap_id:
related_object = await get_outbox_object_by_ap_id(
db_session,
deleted_ap_object.activity_object_ap_id,
)
if related_object:
if related_object.is_from_outbox:
likes_count = await _get_outbox_likes_count(db_session, related_object)
await db_session.execute(
update(models.OutboxObject)
.where(
models.OutboxObject.id == related_object.id,
)
.values(likes_count=likes_count - 1)
)
elif (
deleted_ap_object.ap_type == "Annouce"
and deleted_ap_object.activity_object_ap_id
):
related_object = await get_outbox_object_by_ap_id(
db_session,
deleted_ap_object.activity_object_ap_id,
)
if related_object:
if related_object.is_from_outbox:
announces_count = await _get_outbox_announces_count(
db_session, related_object
)
await db_session.execute(
update(models.OutboxObject)
.where(
models.OutboxObject.id == related_object.id,
)
.values(announces_count=announces_count - 1)
)
2022-07-29 09:24:36 +02:00
# Delete any Like/Announce
await db_session.execute(
update(models.OutboxObject)
.where(
models.OutboxObject.activity_object_ap_id == deleted_ap_object.ap_id,
)
.values(is_deleted=True)
)
# If it's a local replies, it was forwarded, so we also need to forward
# the Delete activity if possible
if (
delete_activity
and delete_activity.activity_object_ap_id == deleted_ap_object.ap_id
and delete_activity.has_ld_signature
and is_delete_needs_to_be_forwarded
):
2022-07-29 09:24:36 +02:00
logger.info("Forwarding Delete activity as it's a local reply")
# Don't forward to the forwarding actor and the original Delete actor
skip_actors = [delete_activity.actor]
if forwarded_by_actor:
skip_actors.append(forwarded_by_actor)
recipients = await _get_followers_recipients(
db_session,
skip_actors=skip_actors,
)
for rcp in recipients:
await new_outgoing_activity(
db_session,
rcp,
outbox_object_id=None,
inbox_object_id=delete_activity.id,
)
2022-06-22 20:11:22 +02:00
2022-06-29 20:43:17 +02:00
async def _handle_follow_follow_activity(
db_session: AsyncSession,
2022-06-22 20:11:22 +02:00
from_actor: models.Actor,
2022-08-19 09:12:00 +02:00
follow_activity: models.InboxObject,
2022-06-22 20:11:22 +02:00
) -> None:
2022-08-19 09:12:00 +02:00
if follow_activity.activity_object_ap_id != LOCAL_ACTOR.ap_id:
logger.warning(
f"Dropping Follow activity for {follow_activity.activity_object_ap_id}"
)
await db_session.delete(follow_activity)
return
if MANUALLY_APPROVES_FOLLOWERS:
notif = models.Notification(
notification_type=models.NotificationType.PENDING_INCOMING_FOLLOWER,
actor_id=from_actor.id,
2022-08-19 09:12:00 +02:00
inbox_object_id=follow_activity.id,
)
db_session.add(notif)
return None
2022-08-19 09:12:00 +02:00
await _send_accept(db_session, from_actor, follow_activity)
async def _get_incoming_follow_from_notification_id(
db_session: AsyncSession,
notification_id: int,
) -> tuple[models.Notification, models.InboxObject]:
notif = await get_notification_by_id(db_session, notification_id)
if notif is None:
raise ValueError(f"Notification {notification_id=} not found")
if notif.inbox_object is None:
raise ValueError("Should never happen")
if ap_type := notif.inbox_object.ap_type != "Follow":
raise ValueError(f"Unexpected {ap_type=}")
return notif, notif.inbox_object
async def send_accept(
db_session: AsyncSession,
notification_id: int,
) -> None:
notif, incoming_follow_request = await _get_incoming_follow_from_notification_id(
db_session, notification_id
)
await _send_accept(
db_session, incoming_follow_request.actor, incoming_follow_request
)
notif.is_accepted = True
await db_session.commit()
async def _send_accept(
db_session: AsyncSession,
from_actor: models.Actor,
inbox_object: models.InboxObject,
) -> None:
2022-06-22 20:11:22 +02:00
follower = models.Follower(
actor_id=from_actor.id,
inbox_object_id=inbox_object.id,
ap_actor_id=from_actor.ap_id,
)
try:
2022-06-29 20:43:17 +02:00
db_session.add(follower)
await db_session.flush()
2022-06-22 20:11:22 +02:00
except IntegrityError:
pass # TODO update the existing followe
# Reply with an Accept
reply_id = allocate_outbox_id()
reply = {
"@context": ap.AS_CTX,
"id": outbox_object_id(reply_id),
"type": "Accept",
"actor": ID,
"object": inbox_object.ap_id,
}
outbox_activity = await save_outbox_object(
db_session, reply_id, reply, relates_to_inbox_object_id=inbox_object.id
)
2022-06-22 20:11:22 +02:00
if not outbox_activity.id:
raise ValueError("Should never happen")
2022-06-29 20:43:17 +02:00
await new_outgoing_activity(db_session, from_actor.inbox_url, outbox_activity.id)
2022-06-22 20:11:22 +02:00
notif = models.Notification(
notification_type=models.NotificationType.NEW_FOLLOWER,
actor_id=from_actor.id,
)
2022-06-29 20:43:17 +02:00
db_session.add(notif)
2022-06-22 20:11:22 +02:00
async def send_reject(
db_session: AsyncSession,
notification_id: int,
) -> None:
notif, incoming_follow_request = await _get_incoming_follow_from_notification_id(
db_session, notification_id
)
await _send_reject(
db_session, incoming_follow_request.actor, incoming_follow_request
)
notif.is_rejected = True
await db_session.commit()
async def _send_reject(
db_session: AsyncSession,
from_actor: models.Actor,
inbox_object: models.InboxObject,
) -> None:
# Reply with an Accept
reply_id = allocate_outbox_id()
reply = {
"@context": ap.AS_CTX,
"id": outbox_object_id(reply_id),
"type": "Reject",
"actor": ID,
"object": inbox_object.ap_id,
}
outbox_activity = await save_outbox_object(
db_session, reply_id, reply, relates_to_inbox_object_id=inbox_object.id
)
if not outbox_activity.id:
raise ValueError("Should never happen")
await new_outgoing_activity(db_session, from_actor.inbox_url, outbox_activity.id)
notif = models.Notification(
notification_type=models.NotificationType.REJECTED_FOLLOWER,
actor_id=from_actor.id,
)
db_session.add(notif)
2022-06-29 20:43:17 +02:00
async def _handle_undo_activity(
db_session: AsyncSession,
2022-06-22 20:11:22 +02:00
from_actor: models.Actor,
undo_activity: models.InboxObject,
ap_activity_to_undo: models.InboxObject,
) -> None:
if from_actor.ap_id != ap_activity_to_undo.actor.ap_id:
logger.warning(
"Actor mismatch between the activity and the object: "
f"{from_actor.ap_id}/{ap_activity_to_undo.actor.ap_id}"
)
return
ap_activity_to_undo.undone_by_inbox_object_id = undo_activity.id
2022-07-07 20:37:16 +02:00
ap_activity_to_undo.is_deleted = True
2022-06-22 20:11:22 +02:00
if ap_activity_to_undo.ap_type == "Follow":
logger.info(f"Undo follow from {from_actor.ap_id}")
2022-06-29 20:43:17 +02:00
await db_session.execute(
2022-06-29 08:56:39 +02:00
delete(models.Follower).where(
models.Follower.inbox_object_id == ap_activity_to_undo.id
)
)
2022-06-22 20:11:22 +02:00
notif = models.Notification(
notification_type=models.NotificationType.UNFOLLOW,
actor_id=from_actor.id,
)
2022-06-29 20:43:17 +02:00
db_session.add(notif)
2022-06-22 20:11:22 +02:00
elif ap_activity_to_undo.ap_type == "Like":
if not ap_activity_to_undo.activity_object_ap_id:
raise ValueError("Like without object")
2022-06-29 20:43:17 +02:00
liked_obj = await get_outbox_object_by_ap_id(
db_session,
2022-06-22 20:11:22 +02:00
ap_activity_to_undo.activity_object_ap_id,
)
if not liked_obj:
logger.warning(
"Cannot find liked object: "
f"{ap_activity_to_undo.activity_object_ap_id}"
)
return
liked_obj.likes_count = models.OutboxObject.likes_count - 1
notif = models.Notification(
notification_type=models.NotificationType.UNDO_LIKE,
actor_id=from_actor.id,
outbox_object_id=liked_obj.id,
inbox_object_id=ap_activity_to_undo.id,
)
2022-06-29 20:43:17 +02:00
db_session.add(notif)
2022-06-22 20:11:22 +02:00
elif ap_activity_to_undo.ap_type == "Announce":
if not ap_activity_to_undo.activity_object_ap_id:
raise ValueError("Announce witout object")
announced_obj_ap_id = ap_activity_to_undo.activity_object_ap_id
logger.info(
f"Undo for announce {ap_activity_to_undo.ap_id}/{announced_obj_ap_id}"
)
if announced_obj_ap_id.startswith(BASE_URL):
2022-06-29 20:43:17 +02:00
announced_obj_from_outbox = await get_outbox_object_by_ap_id(
db_session, announced_obj_ap_id
2022-06-22 20:11:22 +02:00
)
if announced_obj_from_outbox:
logger.info("Found in the oubox")
announced_obj_from_outbox.announces_count = (
models.OutboxObject.announces_count - 1
)
notif = models.Notification(
notification_type=models.NotificationType.UNDO_ANNOUNCE,
actor_id=from_actor.id,
outbox_object_id=announced_obj_from_outbox.id,
inbox_object_id=ap_activity_to_undo.id,
)
2022-06-29 20:43:17 +02:00
db_session.add(notif)
2022-10-18 21:39:09 +02:00
elif ap_activity_to_undo.ap_type == "Block":
notif = models.Notification(
notification_type=models.NotificationType.UNBLOCKED,
actor_id=from_actor.id,
inbox_object_id=ap_activity_to_undo.id,
)
db_session.add(notif)
2022-06-22 20:11:22 +02:00
else:
logger.warning(f"Don't know how to undo {ap_activity_to_undo.ap_type} activity")
# commit will be perfomed in save_to_inbox
2022-08-16 22:15:05 +02:00
async def _handle_move_activity(
db_session: AsyncSession,
from_actor: models.Actor,
move_activity: models.InboxObject,
) -> None:
logger.info("Processing Move activity")
# Ensure the object matches the actor
old_actor_id = ap.get_object_id(move_activity.ap_object)
if old_actor_id != from_actor.ap_id:
logger.warning(
f"Object does not match the actor: {old_actor_id}/{from_actor.ap_id}"
)
return None
# Fetch the target account
2022-09-05 21:41:22 +02:00
target = move_activity.ap_object.get("target")
if not target:
2022-08-16 22:15:05 +02:00
logger.warning("Missing target")
return None
2022-09-05 21:41:22 +02:00
new_actor_id = ap.get_id(target)
2022-08-16 22:15:05 +02:00
new_actor = await fetch_actor(db_session, new_actor_id)
2022-09-05 21:41:22 +02:00
logger.info(f"Moving {old_actor_id} to {new_actor_id}")
2022-08-16 22:15:05 +02:00
# Ensure the target account references the old account
if old_actor_id not in (aks := new_actor.ap_actor.get("alsoKnownAs", [])):
logger.warning(
f"New account does not have have an alias for the old account: {aks}"
)
return None
# Unfollow the old account
following = (
await db_session.execute(
select(models.Following)
.where(models.Following.ap_actor_id == old_actor_id)
.options(joinedload(models.Following.outbox_object))
)
).scalar_one_or_none()
if not following:
logger.warning("Not following the Move actor")
return
await _send_undo(db_session, following.outbox_object.ap_id)
# Follow the new one
2022-09-05 21:41:22 +02:00
if not (
await db_session.execute(
select(models.Following).where(models.Following.ap_actor_id == new_actor_id)
)
).scalar():
await _send_follow(db_session, new_actor_id)
else:
logger.info(f"Already following target {new_actor_id}")
2022-08-16 22:15:05 +02:00
notif = models.Notification(
notification_type=models.NotificationType.MOVE,
actor_id=new_actor.id,
inbox_object_id=move_activity.id,
)
db_session.add(notif)
2022-08-16 22:15:05 +02:00
2022-07-05 21:09:49 +02:00
async def _handle_update_activity(
db_session: AsyncSession,
from_actor: models.Actor,
update_activity: models.InboxObject,
) -> None:
logger.info("Processing Update activity")
wrapped_object = await ap.get_object(update_activity.ap_object)
if wrapped_object["type"] in ap.ACTOR_TYPES:
logger.info("Updating actor")
updated_actor = RemoteActor(wrapped_object)
if (
from_actor.ap_id != updated_actor.ap_id
2022-09-15 22:19:01 +02:00
or ap.as_list(from_actor.ap_type)[0] not in ap.ACTOR_TYPES
or ap.as_list(updated_actor.ap_type)[0] not in ap.ACTOR_TYPES
2022-07-05 21:09:49 +02:00
or from_actor.handle != updated_actor.handle
):
raise ValueError(
f"Invalid Update activity {from_actor.ap_actor}/"
f"{updated_actor.ap_actor}"
)
# Update the actor
2022-10-09 11:36:00 +02:00
await update_actor_if_needed(db_session, from_actor, updated_actor)
elif (ap_type := wrapped_object["type"]) in [
"Question",
"Note",
"Article",
"Page",
"Video",
]:
logger.info(f"Updating {ap_type}")
existing_object = await get_inbox_object_by_ap_id(
db_session, wrapped_object["id"]
)
if not existing_object:
logger.info(f"{ap_type} not found in the inbox")
elif existing_object.actor.ap_id != from_actor.ap_id:
logger.warning(
f"Update actor does not match the {ap_type} actor {from_actor.ap_id}"
f"/{existing_object.actor.ap_id}"
)
else:
# Everything looks correct, update the object in the inbox
logger.info(f"Updating {existing_object.ap_id}")
existing_object.ap_object = wrapped_object
2022-10-07 08:55:05 +02:00
existing_object.updated_at = now()
2022-07-05 21:09:49 +02:00
else:
# TODO(ts): support updating objects
logger.info(f'Cannot update {wrapped_object["type"]}')
2022-06-29 20:43:17 +02:00
async def _handle_create_activity(
db_session: AsyncSession,
2022-06-22 20:11:22 +02:00
from_actor: models.Actor,
2022-07-05 20:47:00 +02:00
create_activity: models.InboxObject,
2022-07-30 09:14:54 +02:00
forwarded_by_actor: models.Actor | None = None,
2022-09-23 09:13:59 +02:00
relates_to_inbox_object: models.InboxObject | None = None,
2022-06-22 20:11:22 +02:00
) -> None:
logger.info("Processing Create activity")
2022-09-23 09:01:50 +02:00
# Some PeerTube activities make no sense to process
2022-09-26 21:41:34 +02:00
if (
ap_object_type := ap.as_list(
(await ap.get_object(create_activity.ap_object))["type"]
)[0]
) in ["CacheFile"]:
2022-09-23 09:01:50 +02:00
logger.info(f"Dropping Create activity for {ap_object_type} object")
await db_session.delete(create_activity)
return None
2022-09-23 09:13:59 +02:00
if relates_to_inbox_object:
logger.warning(f"{relates_to_inbox_object.ap_id} is already in the inbox")
return None
2022-07-05 20:47:00 +02:00
wrapped_object = ap.unwrap_activity(create_activity.ap_object)
if create_activity.actor.ap_id != ap.get_actor_id(wrapped_object):
raise ValueError("Object actor does not match activity")
ro = RemoteObject(wrapped_object, actor=from_actor)
2022-07-26 21:10:59 +02:00
# Check if we already received a delete for this object (happens often
# with forwarded replies)
delete_object = await get_inbox_delete_for_activity_object_ap_id(
db_session,
ro.ap_id,
)
if delete_object:
if delete_object.actor.ap_id != from_actor.ap_id:
logger.warning(
f"Got a Delete for {ro.ap_id} from {delete_object.actor.ap_id}??"
)
2022-09-19 20:31:54 +02:00
return None
2022-07-26 21:10:59 +02:00
else:
2022-09-19 20:31:54 +02:00
logger.info("Already received a Delete for this object, deleting activity")
2022-07-26 21:10:59 +02:00
create_activity.is_deleted = True
await db_session.flush()
return None
2022-07-30 09:14:54 +02:00
await _process_note_object(
db_session,
create_activity,
from_actor,
ro,
forwarded_by_actor=forwarded_by_actor,
)
async def _handle_read_activity(
db_session: AsyncSession,
from_actor: models.Actor,
read_activity: models.InboxObject,
) -> None:
logger.info("Processing Read activity")
# Honk uses Read activity to propagate replies, fetch the read object
# from the remote server
wrapped_object = await ap.fetch(ap.get_id(read_activity.ap_object["object"]))
wrapped_object_actor = await fetch_actor(
db_session, ap.get_actor_id(wrapped_object)
)
2022-08-15 10:50:13 +02:00
if not wrapped_object_actor.is_blocked:
ro = RemoteObject(wrapped_object, actor=wrapped_object_actor)
2022-09-23 09:13:59 +02:00
# Check if we already know about this object
if await get_inbox_object_by_ap_id(
db_session,
ro.ap_id,
):
logger.info(f"{ro.ap_id} is already in the inbox, skipping processing")
return None
2022-08-15 10:50:13 +02:00
# Then process it likes it's coming from a forwarded activity
await _process_note_object(db_session, read_activity, wrapped_object_actor, ro)
async def _process_note_object(
db_session: AsyncSession,
parent_activity: models.InboxObject,
from_actor: models.Actor,
ro: RemoteObject,
2022-07-30 09:14:54 +02:00
forwarded_by_actor: models.Actor | None = None,
) -> None:
if parent_activity.ap_type not in ["Create", "Read"]:
raise ValueError(f"Unexpected parent activity {parent_activity.ap_id}")
2022-07-05 20:47:00 +02:00
ap_published_at = now()
if "published" in ro.ap_object:
2022-07-11 12:48:38 +02:00
ap_published_at = parse_isoformat(ro.ap_object["published"])
2022-07-05 20:47:00 +02:00
2022-07-17 11:40:03 +02:00
following = await _get_following(db_session)
2022-07-17 09:32:04 +02:00
2022-07-17 11:40:03 +02:00
is_from_following = ro.actor.ap_id in {f.ap_actor_id for f in following}
2022-07-07 20:37:16 +02:00
is_reply = bool(ro.in_reply_to)
2022-07-24 12:36:59 +02:00
is_local_reply = (
ro.in_reply_to
and ro.in_reply_to.startswith(BASE_URL)
and ro.content # Hide votes from Question
)
2022-07-07 20:37:16 +02:00
is_mention = False
tags = ro.ap_object.get("tag", [])
2022-07-20 19:58:08 +02:00
for tag in ap.as_list(tags):
2022-07-07 20:37:16 +02:00
if tag.get("name") == LOCAL_ACTOR.handle or tag.get("href") == LOCAL_ACTOR.url:
is_mention = True
2022-07-05 20:47:00 +02:00
inbox_object = models.InboxObject(
2022-08-15 10:27:58 +02:00
server=urlparse(ro.ap_id).hostname,
2022-07-05 20:47:00 +02:00
actor_id=from_actor.id,
ap_actor_id=from_actor.ap_id,
ap_type=ro.ap_type,
ap_id=ro.ap_id,
ap_context=ro.ap_context,
2022-08-14 18:58:47 +02:00
conversation=await fetch_conversation_root(db_session, ro),
2022-07-05 20:47:00 +02:00
ap_published_at=ap_published_at,
ap_object=ro.ap_object,
visibility=ro.visibility,
relates_to_inbox_object_id=parent_activity.id,
2022-07-05 20:47:00 +02:00
relates_to_outbox_object_id=None,
activity_object_ap_id=ro.activity_object_ap_id,
2022-08-04 17:36:21 +02:00
og_meta=await opengraph.og_meta_from_note(db_session, ro),
2022-07-05 20:47:00 +02:00
# Hide replies from the stream
2022-07-17 09:32:04 +02:00
is_hidden_from_stream=not (
2022-07-17 11:40:03 +02:00
(not is_reply and is_from_following) or is_mention or is_local_reply
2022-07-17 09:32:04 +02:00
),
# We may already have some replies in DB
replies_count=await _get_replies_count(db_session, ro.ap_id),
2022-07-05 20:47:00 +02:00
)
db_session.add(inbox_object)
await db_session.flush()
await db_session.refresh(inbox_object)
parent_activity.relates_to_inbox_object_id = inbox_object.id
2022-07-05 20:47:00 +02:00
2022-07-07 20:37:16 +02:00
if inbox_object.in_reply_to:
replied_object = await get_anybox_object_by_ap_id(
db_session, inbox_object.in_reply_to
2022-06-29 08:56:39 +02:00
)
2022-07-07 20:37:16 +02:00
if replied_object:
if replied_object.is_from_outbox:
if replied_object.ap_type == "Question" and inbox_object.ap_object.get(
"name"
):
await _handle_vote_answer(
db_session,
inbox_object,
replied_object, # type: ignore # outbox check below
)
else:
new_replies_count = await _get_outbox_replies_count(
db_session, replied_object # type: ignore
2022-09-19 20:31:54 +02:00
)
await db_session.execute(
update(models.OutboxObject)
.where(
models.OutboxObject.id == replied_object.id,
)
2022-09-19 20:31:54 +02:00
.values(replies_count=new_replies_count)
2022-07-07 20:37:16 +02:00
)
else:
2022-09-19 20:31:54 +02:00
new_replies_count = await _get_replies_count(
db_session, replied_object.ap_id
)
2022-07-07 20:37:16 +02:00
await db_session.execute(
update(models.InboxObject)
.where(
models.InboxObject.id == replied_object.id,
)
2022-09-19 20:31:54 +02:00
.values(replies_count=new_replies_count)
2022-07-07 20:37:16 +02:00
)
2022-06-25 10:20:07 +02:00
2022-07-06 19:04:38 +02:00
# This object is a reply of a local object, we may need to forward it
# to our followers (we can only forward JSON-LD signed activities)
2022-07-07 20:37:16 +02:00
if (
parent_activity.ap_type == "Create"
and replied_object
2022-07-07 20:37:16 +02:00
and replied_object.is_from_outbox
and replied_object.ap_type != "Question"
and parent_activity.has_ld_signature
2022-07-07 20:37:16 +02:00
):
2022-07-06 19:04:38 +02:00
logger.info("Forwarding Create activity as it's a local reply")
2022-07-30 09:14:54 +02:00
skip_actors = [parent_activity.actor]
if forwarded_by_actor:
skip_actors.append(forwarded_by_actor)
recipients = await _get_followers_recipients(
db_session,
skip_actors=skip_actors,
)
2022-07-06 19:04:38 +02:00
for rcp in recipients:
await new_outgoing_activity(
db_session,
rcp,
outbox_object_id=None,
inbox_object_id=parent_activity.id,
2022-07-06 19:04:38 +02:00
)
2022-07-07 20:37:16 +02:00
if is_mention:
notif = models.Notification(
notification_type=models.NotificationType.MENTION,
actor_id=from_actor.id,
inbox_object_id=inbox_object.id,
)
db_session.add(notif)
2022-06-22 20:11:22 +02:00
async def _handle_vote_answer(
db_session: AsyncSession,
answer: models.InboxObject,
question: models.OutboxObject,
) -> None:
logger.info(f"Processing poll answer for {question.ap_id}: {answer.ap_id}")
if question.is_poll_ended:
logger.warning("Poll is ended, discarding answer")
return
if not question.poll_items:
raise ValueError("Should never happen")
answer_name = answer.ap_object["name"]
if answer_name not in {pi["name"] for pi in question.poll_items}:
logger.warning(f"Invalid answer {answer_name=}")
return
2022-07-24 12:36:59 +02:00
answer.is_transient = True
poll_answer = models.PollAnswer(
outbox_object_id=question.id,
poll_type="oneOf" if question.is_one_of_poll else "anyOf",
inbox_object_id=answer.id,
actor_id=answer.actor.id,
name=answer_name,
)
db_session.add(poll_answer)
await db_session.flush()
voters_count = await db_session.scalar(
select(func.count(func.distinct(models.PollAnswer.actor_id))).where(
models.PollAnswer.outbox_object_id == question.id
)
)
all_answers = await db_session.execute(
select(
func.count(models.PollAnswer.name).label("answer_count"),
models.PollAnswer.name,
)
.where(models.PollAnswer.outbox_object_id == question.id)
.group_by(models.PollAnswer.name)
)
all_answers_count = {a["name"]: a["answer_count"] for a in all_answers}
logger.info(f"{voters_count=}")
logger.info(f"{all_answers_count=}")
question_ap_object = dict(question.ap_object)
question_ap_object["votersCount"] = voters_count
items_key = "oneOf" if question.is_one_of_poll else "anyOf"
question_ap_object[items_key] = [
{
"type": "Note",
"name": item["name"],
"replies": {
"type": "Collection",
"totalItems": all_answers_count.get(item["name"], 0),
},
}
for item in question.poll_items
]
updated = now().replace(microsecond=0).isoformat().replace("+00:00", "Z")
question_ap_object["updated"] = updated
question.ap_object = question_ap_object
logger.info(f"Updated question: {question.ap_object}")
await db_session.flush()
# Finally send an update
recipients = await _compute_recipients(db_session, question.ap_object)
for rcp in recipients:
await new_outgoing_activity(db_session, rcp, question.id)
2022-08-18 20:21:28 +02:00
async def _handle_announce_activity(
db_session: AsyncSession,
actor: models.Actor,
announce_activity: models.InboxObject,
relates_to_outbox_object: models.OutboxObject | None,
relates_to_inbox_object: models.InboxObject | None,
):
if relates_to_outbox_object:
# This is an announce for a local object
relates_to_outbox_object.announces_count = (
models.OutboxObject.announces_count + 1
)
notif = models.Notification(
notification_type=models.NotificationType.ANNOUNCE,
actor_id=actor.id,
outbox_object_id=relates_to_outbox_object.id,
inbox_object_id=announce_activity.id,
)
db_session.add(notif)
else:
# Only show the announce in the stream if it comes from an actor
# in the following collection
followings = await _get_following(db_session)
is_from_following = announce_activity.actor.ap_id in {
f.ap_actor_id for f in followings
}
# This is announce for a maybe unknown object
if relates_to_inbox_object:
# We already know about this object, show the announce in the
# stream if it's not already there, from an followed actor
# and if we haven't seen it recently
2022-08-26 19:09:40 +02:00
skip_delta = timedelta(hours=1)
2022-08-27 11:21:42 +02:00
delta_from_original = now() - as_utc(
relates_to_inbox_object.ap_published_at # type: ignore
)
2022-08-27 17:28:53 +02:00
dup_count = 0
2022-08-28 11:39:44 +02:00
if (
not relates_to_inbox_object.is_hidden_from_stream
and delta_from_original < skip_delta
) or (
2022-08-27 11:21:42 +02:00
dup_count := (
await db_session.scalar(
select(func.count(models.InboxObject.id)).where(
models.InboxObject.ap_type == "Announce",
models.InboxObject.ap_published_at > now() - skip_delta,
models.InboxObject.relates_to_inbox_object_id
== relates_to_inbox_object.id,
models.InboxObject.is_hidden_from_stream.is_(False),
)
2022-08-26 19:09:40 +02:00
)
)
) > 0:
2022-08-27 11:21:42 +02:00
logger.info(f"Deduping Announce {delta_from_original=}/{dup_count=}")
2022-08-26 21:23:16 +02:00
announce_activity.is_hidden_from_stream = True
else:
2022-08-18 20:21:28 +02:00
announce_activity.is_hidden_from_stream = not is_from_following
2022-08-26 19:09:40 +02:00
2022-08-18 20:21:28 +02:00
else:
# Save it as an inbox object
if not announce_activity.activity_object_ap_id:
raise ValueError("Should never happen")
announced_raw_object = await ap.fetch(
announce_activity.activity_object_ap_id
)
2022-09-13 07:59:35 +02:00
# Some software return objects wrapped in a Create activity (like
# python-federation)
if ap.as_list(announced_raw_object["type"])[0] == "Create":
announced_raw_object = await ap.get_object(announced_raw_object)
2022-08-18 20:21:28 +02:00
announced_actor = await fetch_actor(
db_session, ap.get_actor_id(announced_raw_object)
)
if not announced_actor.is_blocked:
announced_object = RemoteObject(announced_raw_object, announced_actor)
announced_inbox_object = models.InboxObject(
server=urlparse(announced_object.ap_id).hostname,
actor_id=announced_actor.id,
ap_actor_id=announced_actor.ap_id,
ap_type=announced_object.ap_type,
ap_id=announced_object.ap_id,
ap_context=announced_object.ap_context,
ap_published_at=announced_object.ap_published_at,
ap_object=announced_object.ap_object,
visibility=announced_object.visibility,
og_meta=await opengraph.og_meta_from_note(
db_session, announced_object
),
is_hidden_from_stream=True,
)
db_session.add(announced_inbox_object)
await db_session.flush()
announce_activity.relates_to_inbox_object_id = announced_inbox_object.id
announce_activity.is_hidden_from_stream = not is_from_following
async def _handle_like_activity(
db_session: AsyncSession,
actor: models.Actor,
like_activity: models.InboxObject,
relates_to_outbox_object: models.OutboxObject | None,
relates_to_inbox_object: models.InboxObject | None,
):
if not relates_to_outbox_object:
logger.info(
"Received a like for an unknown activity: "
f"{like_activity.activity_object_ap_id}, deleting the activity"
)
await db_session.delete(like_activity)
else:
relates_to_outbox_object.likes_count = await _get_outbox_likes_count(
db_session,
relates_to_outbox_object,
)
2022-08-18 20:21:28 +02:00
notif = models.Notification(
notification_type=models.NotificationType.LIKE,
actor_id=actor.id,
outbox_object_id=relates_to_outbox_object.id,
inbox_object_id=like_activity.id,
)
db_session.add(notif)
2022-10-18 21:39:09 +02:00
async def _handle_block_activity(
db_session: AsyncSession,
actor: models.Actor,
block_activity: models.InboxObject,
):
if block_activity.activity_object_ap_id != LOCAL_ACTOR.ap_id:
logger.warning(
"Received invalid Block activity "
f"{block_activity.activity_object_ap_id=}"
)
await db_session.delete(block_activity)
return
# Create a notification
notif = models.Notification(
notification_type=models.NotificationType.BLOCKED,
actor_id=actor.id,
inbox_object_id=block_activity.id,
)
db_session.add(notif)
async def _process_transient_object(
db_session: AsyncSession,
raw_object: ap.RawObject,
from_actor: models.Actor,
) -> None:
2022-08-26 07:43:39 +02:00
# TODO: track featured/pinned objects for actors
ap_type = raw_object["type"]
if ap_type in ["Add", "Remove"]:
logger.info(f"Dropping unsupported {ap_type} object")
else:
2022-09-13 07:59:35 +02:00
# FIXME(ts): handle transient create
logger.warning(f"Received unknown {ap_type} object")
return None
2022-07-05 20:47:00 +02:00
async def save_to_inbox(
db_session: AsyncSession,
raw_object: ap.RawObject,
2022-07-14 08:44:04 +02:00
sent_by_ap_actor_id: str,
2022-07-05 20:47:00 +02:00
) -> None:
2022-09-13 21:03:11 +02:00
# Special case for server sending the actor as a payload (like python-federation)
if ap.as_list(raw_object["type"])[0] in ap.ACTOR_TYPES:
if ap.get_id(raw_object) == sent_by_ap_actor_id:
updated_actor = RemoteActor(raw_object)
try:
actor = await fetch_actor(db_session, sent_by_ap_actor_id)
except ap.ObjectNotFoundError:
logger.warning("Actor not found")
return
# Update the actor
actor.ap_actor = updated_actor.ap_actor
await db_session.commit()
return
else:
logger.warning(
f"Reveived an actor payload {raw_object} from " f"{sent_by_ap_actor_id}"
)
return
2022-06-22 20:11:22 +02:00
try:
2022-06-29 20:43:17 +02:00
actor = await fetch_actor(db_session, ap.get_id(raw_object["actor"]))
2022-08-19 09:41:15 +02:00
except ap.ObjectNotFoundError:
logger.warning("Actor not found")
return
2022-09-26 21:41:34 +02:00
except ap.FetchError:
2022-06-22 20:11:22 +02:00
logger.exception("Failed to fetch actor")
return
2022-08-15 10:15:00 +02:00
if actor.server in BLOCKED_SERVERS:
logger.warning(f"Server {actor.server} is blocked")
return
2022-09-13 07:59:35 +02:00
if "id" not in raw_object or not raw_object["id"]:
await _process_transient_object(db_session, raw_object, actor)
return None
2022-10-23 16:37:24 +02:00
# If we just blocked an actor, we want to process any undo sent as side
# effects
if actor.is_blocked and ap.as_list(raw_object["type"])[0] != "Undo":
logger.warning(f"Actor {actor.ap_id} is blocked, ignoring object")
2022-07-31 10:35:11 +02:00
return None
2022-07-05 20:47:00 +02:00
raw_object_id = ap.get_id(raw_object)
2022-07-29 09:24:36 +02:00
forwarded_by_actor = None
2022-06-22 20:11:22 +02:00
2022-07-05 20:47:00 +02:00
# Ensure forwarded activities have a valid LD sig
2022-07-14 08:44:04 +02:00
if sent_by_ap_actor_id != actor.ap_id:
logger.info(
f"Processing a forwarded activity {sent_by_ap_actor_id=}/{actor.ap_id}"
)
2022-07-29 09:24:36 +02:00
forwarded_by_actor = await fetch_actor(db_session, sent_by_ap_actor_id)
2022-08-21 21:06:33 +02:00
is_sig_verified = False
try:
is_sig_verified = await ldsig.verify_signature(db_session, raw_object)
except Exception:
logger.exception("Failed to verify LD sig")
if not is_sig_verified:
2022-07-10 12:53:45 +02:00
logger.warning(
f"Failed to verify LD sig, fetching remote object {raw_object_id}"
)
# Try to fetch the remote object since we failed to verify the LD sig
try:
raw_object = await ap.fetch(raw_object_id)
except Exception:
raise fastapi.HTTPException(status_code=401, detail="Invalid LD sig")
2022-06-28 21:10:22 +02:00
# Transient activities from Mastodon like Like are not fetchable and
# will return the actor instead
if raw_object["id"] != raw_object_id:
logger.info(f"Unable to fetch {raw_object_id}")
return None
2022-06-28 21:10:22 +02:00
if (
2022-06-29 20:43:17 +02:00
await db_session.scalar(
2022-06-29 08:56:39 +02:00
select(func.count(models.InboxObject.id)).where(
2022-07-05 20:47:00 +02:00
models.InboxObject.ap_id == raw_object_id
2022-06-29 08:56:39 +02:00
)
)
2022-06-28 21:10:22 +02:00
> 0
):
2022-07-05 20:47:00 +02:00
logger.info(
f'Received duplicate {raw_object["type"]} activity: {raw_object_id}'
)
2022-06-28 21:10:22 +02:00
return
2022-07-05 20:47:00 +02:00
ap_published_at = now()
if "published" in raw_object:
2022-07-11 12:48:38 +02:00
ap_published_at = parse_isoformat(raw_object["published"])
2022-07-05 20:47:00 +02:00
activity_ro = RemoteObject(raw_object, actor=actor)
2022-06-22 20:11:22 +02:00
relates_to_inbox_object: models.InboxObject | None = None
relates_to_outbox_object: models.OutboxObject | None = None
2022-07-05 20:47:00 +02:00
if activity_ro.activity_object_ap_id:
if activity_ro.activity_object_ap_id.startswith(BASE_URL):
2022-06-29 20:43:17 +02:00
relates_to_outbox_object = await get_outbox_object_by_ap_id(
db_session,
2022-07-05 20:47:00 +02:00
activity_ro.activity_object_ap_id,
2022-06-22 20:11:22 +02:00
)
else:
2022-06-29 20:43:17 +02:00
relates_to_inbox_object = await get_inbox_object_by_ap_id(
db_session,
2022-07-05 20:47:00 +02:00
activity_ro.activity_object_ap_id,
2022-06-22 20:11:22 +02:00
)
inbox_object = models.InboxObject(
2022-08-15 10:27:58 +02:00
server=urlparse(activity_ro.ap_id).hostname,
2022-06-22 20:11:22 +02:00
actor_id=actor.id,
ap_actor_id=actor.ap_id,
2022-07-05 20:47:00 +02:00
ap_type=activity_ro.ap_type,
ap_id=activity_ro.ap_id,
ap_context=activity_ro.ap_context,
2022-06-22 20:11:22 +02:00
ap_published_at=ap_published_at,
2022-07-05 20:47:00 +02:00
ap_object=activity_ro.ap_object,
visibility=activity_ro.visibility,
2022-06-22 20:11:22 +02:00
relates_to_inbox_object_id=relates_to_inbox_object.id
if relates_to_inbox_object
else None,
relates_to_outbox_object_id=relates_to_outbox_object.id
if relates_to_outbox_object
else None,
2022-07-05 20:47:00 +02:00
activity_object_ap_id=activity_ro.activity_object_ap_id,
is_hidden_from_stream=True,
2022-06-22 20:11:22 +02:00
)
2022-06-29 20:43:17 +02:00
db_session.add(inbox_object)
await db_session.flush()
await db_session.refresh(inbox_object)
2022-06-22 20:11:22 +02:00
2022-07-05 20:47:00 +02:00
if activity_ro.ap_type == "Create":
2022-07-30 09:14:54 +02:00
await _handle_create_activity(
2022-09-23 09:13:59 +02:00
db_session,
actor,
inbox_object,
forwarded_by_actor=forwarded_by_actor,
relates_to_inbox_object=relates_to_inbox_object,
2022-07-30 09:14:54 +02:00
)
elif activity_ro.ap_type == "Read":
await _handle_read_activity(db_session, actor, inbox_object)
2022-07-05 20:47:00 +02:00
elif activity_ro.ap_type == "Update":
2022-07-05 21:09:49 +02:00
await _handle_update_activity(db_session, actor, inbox_object)
2022-08-16 22:15:05 +02:00
elif activity_ro.ap_type == "Move":
await _handle_move_activity(db_session, actor, inbox_object)
2022-07-05 20:47:00 +02:00
elif activity_ro.ap_type == "Delete":
2022-07-26 21:10:59 +02:00
await _handle_delete_activity(
db_session,
actor,
inbox_object,
2022-08-18 20:21:28 +02:00
relates_to_inbox_object,
2022-07-29 09:24:36 +02:00
forwarded_by_actor=forwarded_by_actor,
2022-07-26 21:10:59 +02:00
)
2022-07-05 20:47:00 +02:00
elif activity_ro.ap_type == "Follow":
2022-06-29 20:43:17 +02:00
await _handle_follow_follow_activity(db_session, actor, inbox_object)
2022-07-05 20:47:00 +02:00
elif activity_ro.ap_type == "Undo":
2022-06-22 20:11:22 +02:00
if relates_to_inbox_object:
2022-06-29 20:43:17 +02:00
await _handle_undo_activity(
db_session, actor, inbox_object, relates_to_inbox_object
)
2022-06-22 20:11:22 +02:00
else:
logger.info("Received Undo for an unknown activity")
2022-07-05 20:47:00 +02:00
elif activity_ro.ap_type in ["Accept", "Reject"]:
2022-06-22 20:11:22 +02:00
if not relates_to_outbox_object:
logger.info(
f"Received {raw_object['type']} for an unknown activity: "
2022-07-05 20:47:00 +02:00
f"{activity_ro.activity_object_ap_id}"
2022-06-22 20:11:22 +02:00
)
else:
if relates_to_outbox_object.ap_type == "Follow":
notif_type = (
models.NotificationType.FOLLOW_REQUEST_ACCEPTED
if activity_ro.ap_type == "Accept"
else models.NotificationType.FOLLOW_REQUEST_REJECTED
)
notif = models.Notification(
notification_type=notif_type,
actor_id=actor.id,
inbox_object_id=inbox_object.id,
)
db_session.add(notif)
2022-08-17 21:34:04 +02:00
if activity_ro.ap_type == "Accept":
2022-08-17 21:34:04 +02:00
following = models.Following(
actor_id=actor.id,
outbox_object_id=relates_to_outbox_object.id,
ap_actor_id=actor.ap_id,
)
db_session.add(following)
# Pre-fetch the latest activities
try:
await _prefetch_actor_outbox(db_session, actor)
except Exception:
logger.exception(f"Failed to prefetch outbox for {actor.ap_id}")
2022-08-17 21:34:04 +02:00
elif activity_ro.ap_type == "Reject":
maybe_following = (
await db_session.scalars(
select(models.Following).where(
models.Following.ap_actor_id == actor.ap_id,
)
)
).one_or_none()
if maybe_following:
logger.info("Removing actor from following")
await db_session.delete(maybe_following)
2022-06-22 20:11:22 +02:00
else:
logger.info(
"Received an Accept for an unsupported activity: "
f"{relates_to_outbox_object.ap_type}"
)
2022-07-05 20:47:00 +02:00
elif activity_ro.ap_type == "EmojiReact":
2022-06-26 10:55:53 +02:00
if not relates_to_outbox_object:
logger.info(
2022-07-05 20:47:00 +02:00
"Received a reaction for an unknown activity: "
f"{activity_ro.activity_object_ap_id}"
2022-06-26 10:55:53 +02:00
)
2022-08-18 20:21:28 +02:00
await db_session.delete(inbox_object)
2022-06-26 10:55:53 +02:00
else:
# TODO(ts): support reactions
pass
2022-07-05 20:47:00 +02:00
elif activity_ro.ap_type == "Like":
2022-08-18 20:21:28 +02:00
await _handle_like_activity(
db_session,
actor,
inbox_object,
relates_to_outbox_object,
relates_to_inbox_object,
)
2022-07-05 20:47:00 +02:00
elif activity_ro.ap_type == "Announce":
2022-08-18 20:21:28 +02:00
await _handle_announce_activity(
db_session,
actor,
inbox_object,
relates_to_outbox_object,
relates_to_inbox_object,
)
2022-09-20 12:22:00 +02:00
elif activity_ro.ap_type == "View":
# View is used by Peertube, there's nothing useful we can do with it
await db_session.delete(inbox_object)
2022-10-11 20:49:06 +02:00
elif activity_ro.ap_type == "Block":
2022-10-18 21:39:09 +02:00
await _handle_block_activity(
db_session,
actor,
inbox_object,
)
2022-06-22 20:11:22 +02:00
else:
logger.warning(f"Received an unknown {inbox_object.ap_type} object")
2022-06-29 20:43:17 +02:00
await db_session.commit()
2022-06-22 20:11:22 +02:00
async def _prefetch_actor_outbox(
db_session: AsyncSession,
actor: models.Actor,
) -> None:
"""Try to fetch some notes to fill the stream"""
saved = 0
outbox = await ap.parse_collection(actor.outbox_url, limit=20)
2022-09-05 21:41:22 +02:00
for activity in outbox[:20]:
activity_id = ap.get_id(activity)
raw_activity = await ap.fetch(activity_id)
if ap.as_list(raw_activity["type"])[0] == "Create":
obj = await ap.get_object(raw_activity)
saved_inbox_object = await get_inbox_object_by_ap_id(
db_session, ap.get_id(obj)
)
if not saved_inbox_object:
saved_inbox_object = await save_object_to_inbox(db_session, obj)
if not saved_inbox_object.in_reply_to:
saved_inbox_object.is_hidden_from_stream = False
2022-09-05 21:41:22 +02:00
saved += 1
if saved >= 5:
break
# commit is performed by the called
async def save_object_to_inbox(
db_session: AsyncSession,
raw_object: ap.RawObject,
) -> models.InboxObject:
"""Used to save unknown object before intetacting with them, i.e. to like
an object that was looked up, or prefill the inbox when an actor accepted
a follow request."""
obj_actor = await fetch_actor(db_session, ap.get_actor_id(raw_object))
ro = RemoteObject(raw_object, actor=obj_actor)
ap_published_at = now()
if "published" in ro.ap_object:
ap_published_at = parse_isoformat(ro.ap_object["published"])
inbox_object = models.InboxObject(
server=urlparse(ro.ap_id).hostname,
actor_id=obj_actor.id,
ap_actor_id=obj_actor.ap_id,
ap_type=ro.ap_type,
ap_id=ro.ap_id,
ap_context=ro.ap_context,
conversation=await fetch_conversation_root(db_session, ro),
ap_published_at=ap_published_at,
ap_object=ro.ap_object,
visibility=ro.visibility,
relates_to_inbox_object_id=None,
relates_to_outbox_object_id=None,
activity_object_ap_id=ro.activity_object_ap_id,
og_meta=await opengraph.og_meta_from_note(db_session, ro),
is_hidden_from_stream=True,
)
db_session.add(inbox_object)
await db_session.flush()
await db_session.refresh(inbox_object)
return inbox_object
2022-06-29 20:43:17 +02:00
async def public_outbox_objects_count(db_session: AsyncSession) -> int:
return await db_session.scalar(
2022-06-29 08:56:39 +02:00
select(func.count(models.OutboxObject.id)).where(
2022-06-22 20:11:22 +02:00
models.OutboxObject.visibility == ap.VisibilityEnum.PUBLIC,
models.OutboxObject.is_deleted.is_(False),
)
)
2022-06-29 20:43:17 +02:00
async def fetch_actor_collection(db_session: AsyncSession, url: str) -> list[Actor]:
2022-06-22 20:11:22 +02:00
if url.startswith(config.BASE_URL):
if url == config.BASE_URL + "/followers":
2022-06-29 08:56:39 +02:00
followers = (
2022-06-29 20:43:17 +02:00
(
await db_session.scalars(
select(models.Follower).options(
joinedload(models.Follower.actor)
)
)
2022-06-29 08:56:39 +02:00
)
.unique()
.all()
)
return [follower.actor for follower in followers]
2022-06-22 20:11:22 +02:00
else:
raise ValueError(f"internal collection for {url}) not supported")
2022-06-30 00:28:07 +02:00
return [RemoteActor(actor) for actor in await ap.parse_collection(url)]
2022-06-25 12:29:35 +02:00
@dataclass
class ReplyTreeNode:
ap_object: AnyboxObject
children: list["ReplyTreeNode"]
is_requested: bool = False
is_root: bool = False
2022-06-29 20:43:17 +02:00
async def get_replies_tree(
db_session: AsyncSession,
2022-06-25 12:29:35 +02:00
requested_object: AnyboxObject,
is_current_user_admin: bool,
2022-06-25 12:29:35 +02:00
) -> ReplyTreeNode:
2022-07-07 20:37:16 +02:00
# XXX: PeerTube video don't use context
2022-06-25 12:29:35 +02:00
tree_nodes: list[AnyboxObject] = []
2022-08-14 18:58:47 +02:00
if requested_object.conversation is None:
2022-07-07 20:37:16 +02:00
tree_nodes = [requested_object]
else:
allowed_visibility = [ap.VisibilityEnum.PUBLIC, ap.VisibilityEnum.UNLISTED]
if is_current_user_admin:
allowed_visibility = list(ap.VisibilityEnum)
2022-07-07 20:37:16 +02:00
tree_nodes.extend(
(
await db_session.scalars(
select(models.InboxObject)
.where(
2022-08-14 18:58:47 +02:00
models.InboxObject.conversation
== requested_object.conversation,
2022-11-03 22:38:29 +01:00
models.InboxObject.ap_type.in_(
["Note", "Page", "Article", "Question"]
),
2022-07-10 12:45:08 +02:00
models.InboxObject.is_deleted.is_(False),
models.InboxObject.visibility.in_(allowed_visibility),
2022-07-07 20:37:16 +02:00
)
.options(joinedload(models.InboxObject.actor))
2022-06-29 20:43:17 +02:00
)
2022-06-29 08:56:39 +02:00
)
2022-07-07 20:37:16 +02:00
.unique()
.all()
2022-07-05 08:14:50 +02:00
)
2022-07-07 20:37:16 +02:00
tree_nodes.extend(
(
await db_session.scalars(
select(models.OutboxObject)
.where(
2022-08-14 18:58:47 +02:00
models.OutboxObject.conversation
== requested_object.conversation,
2022-07-07 20:37:16 +02:00
models.OutboxObject.is_deleted.is_(False),
2022-11-03 22:38:29 +01:00
models.OutboxObject.ap_type.in_(
["Note", "Page", "Article", "Question"]
),
models.OutboxObject.visibility.in_(allowed_visibility),
2022-07-07 20:37:16 +02:00
)
.options(
joinedload(
models.OutboxObject.outbox_object_attachments
).options(joinedload(models.OutboxObjectAttachment.upload))
2022-07-05 08:14:50 +02:00
)
)
2022-06-29 08:56:39 +02:00
)
2022-07-07 20:37:16 +02:00
.unique()
.all()
2022-07-05 08:14:50 +02:00
)
2022-06-25 12:29:35 +02:00
nodes_by_in_reply_to = defaultdict(list)
for node in tree_nodes:
nodes_by_in_reply_to[node.in_reply_to].append(node)
logger.info(nodes_by_in_reply_to)
2022-07-05 08:14:50 +02:00
if len(nodes_by_in_reply_to.get(None, [])) > 1:
2022-07-05 08:33:39 +02:00
raise ValueError(f"Invalid replies tree: {[n.ap_object for n in tree_nodes]}")
2022-06-25 12:29:35 +02:00
def _get_reply_node_children(
node: ReplyTreeNode,
index: defaultdict[str | None, list[AnyboxObject]],
) -> list[ReplyTreeNode]:
children = []
for child in index.get(node.ap_object.ap_id, []): # type: ignore
child_node = ReplyTreeNode(
ap_object=child,
is_requested=child.ap_id == requested_object.ap_id, # type: ignore
children=[],
)
child_node.children = _get_reply_node_children(child_node, index)
children.append(child_node)
return sorted(
children,
key=lambda node: node.ap_object.ap_published_at, # type: ignore
)
if None in nodes_by_in_reply_to:
root_ap_object = nodes_by_in_reply_to[None][0]
else:
root_ap_object = sorted(
tree_nodes,
2022-07-05 08:14:50 +02:00
key=lambda ap_obj: ap_obj.ap_published_at, # type: ignore
2022-06-25 12:29:35 +02:00
)[0]
root_node = ReplyTreeNode(
ap_object=root_ap_object,
is_root=True,
is_requested=root_ap_object.ap_id == requested_object.ap_id,
children=[],
)
root_node.children = _get_reply_node_children(root_node, nodes_by_in_reply_to)
return root_node