isolated
This commit is contained in:
45
resolvers/__init__.py
Normal file
45
resolvers/__init__.py
Normal file
@@ -0,0 +1,45 @@
|
||||
from .chats import chats_resolvers
|
||||
from .load import load_resolvers
|
||||
from .messages import messages_resolvers
|
||||
from .search import search_resolvers
|
||||
from .unread import unread_resolvers
|
||||
import json
|
||||
from ariadne import MutationType, QueryType, SubscriptionType
|
||||
from ariadne import ScalarType
|
||||
|
||||
|
||||
datetime_scalar = ScalarType("DateTime")
|
||||
|
||||
|
||||
@datetime_scalar.serializer
|
||||
def serialize_datetime(value):
|
||||
return value.isoformat()
|
||||
|
||||
|
||||
query = QueryType()
|
||||
mutation = MutationType()
|
||||
subscription = SubscriptionType()
|
||||
|
||||
|
||||
dict_scalar = ScalarType("Dict")
|
||||
|
||||
|
||||
@dict_scalar.serializer
|
||||
def serialize_dict(value):
|
||||
return json.dumps(value)
|
||||
|
||||
|
||||
@dict_scalar.value_parser
|
||||
def parse_dict_value(value):
|
||||
return json.loads(value)
|
||||
|
||||
|
||||
resolvers = {
|
||||
**chats_resolvers,
|
||||
**load_resolvers,
|
||||
**messages_resolvers,
|
||||
**search_resolvers,
|
||||
**unread_resolvers,
|
||||
"DateTime": datetime_scalar,
|
||||
"Dict": dict_scalar,
|
||||
}
|
114
resolvers/chats.py
Normal file
114
resolvers/chats.py
Normal file
@@ -0,0 +1,114 @@
|
||||
import json
|
||||
import uuid
|
||||
from datetime import datetime, timezone
|
||||
|
||||
from services.auth import login_required
|
||||
from services.redis import redis
|
||||
from resolvers import mutation
|
||||
|
||||
|
||||
@mutation.field("updateChat")
|
||||
@login_required
|
||||
async def update_chat(_, info, chat_new):
|
||||
"""
|
||||
updating chat
|
||||
requires info["request"].user.slug to be in chat["admins"]
|
||||
|
||||
:param info: GraphQLInfo with request
|
||||
:param chat_new: dict with chat data
|
||||
:return: Result { error chat }
|
||||
"""
|
||||
author_id = info.context["author_id"]
|
||||
chat_id = chat_new["id"]
|
||||
chat = await redis.execute("GET", f"chats/{chat_id}")
|
||||
if not chat:
|
||||
return {"error": "chat not exist"}
|
||||
chat = dict(json.loads(chat))
|
||||
|
||||
# TODO
|
||||
if author_id in chat["admins"]:
|
||||
chat.update(
|
||||
{
|
||||
"title": chat_new.get("title", chat["title"]),
|
||||
"description": chat_new.get("description", chat["description"]),
|
||||
"updatedAt": int(datetime.now(tz=timezone.utc).timestamp()),
|
||||
"admins": chat_new.get("admins", chat.get("admins") or []),
|
||||
"users": chat_new.get("users", chat["users"]),
|
||||
}
|
||||
)
|
||||
await redis.execute("SET", f"chats/{chat['id']}", json.dumps(chat))
|
||||
await redis.execute("COMMIT")
|
||||
|
||||
return {"error": None, "chat": chat}
|
||||
|
||||
|
||||
@mutation.field("createChat")
|
||||
@login_required
|
||||
async def create_chat(_, info, title="", members=[]):
|
||||
chat = None
|
||||
author_id = info.context["author_id"]
|
||||
print("create_chat members: %r" % members)
|
||||
if author_id not in members:
|
||||
members.append(int(author_id))
|
||||
# NOTE: private chats has no title
|
||||
# reuse private chat created before if exists
|
||||
if len(members) == 2 and title == "":
|
||||
chatset1 = set(
|
||||
(await redis.execute("SMEMBERS", f"chats_by_author/{members[0]}")) or []
|
||||
)
|
||||
chatset2 = set(
|
||||
(await redis.execute("SMEMBERS", f"chats_by_author/{members[1]}")) or []
|
||||
)
|
||||
for c in chatset1.intersection(chatset2):
|
||||
chat = await redis.execute("GET", f"chats/{c.decode('utf-8')}")
|
||||
if chat:
|
||||
chat = json.loads(chat)
|
||||
if chat["title"] == "":
|
||||
print("[inbox] createChat found old chat")
|
||||
print(chat)
|
||||
break
|
||||
if chat:
|
||||
return {"chat": chat, "error": "existed"}
|
||||
|
||||
chat_id = str(uuid.uuid4())
|
||||
chat = {
|
||||
"id": chat_id,
|
||||
"members": members,
|
||||
"title": title,
|
||||
"createdBy": author_id,
|
||||
"createdAt": int(datetime.now(tz=timezone.utc).timestamp()),
|
||||
"updatedAt": int(datetime.now(tz=timezone.utc).timestamp()),
|
||||
"admins": members if (len(members) == 2 and title == "") else [],
|
||||
}
|
||||
|
||||
for m in members:
|
||||
await redis.execute("SADD", f"chats_by_author/{m}", chat_id)
|
||||
await redis.execute("SET", f"chats/{chat_id}", json.dumps(chat))
|
||||
await redis.execute("SET", f"chats/{chat_id}/next_message_id", str(0))
|
||||
await redis.execute("COMMIT")
|
||||
return {"error": None, "chat": chat}
|
||||
|
||||
|
||||
@mutation.field("deleteChat")
|
||||
@login_required
|
||||
async def delete_chat(_, info, chat_id: str):
|
||||
author_id = info.context["author_id"]
|
||||
|
||||
chat = await redis.execute("GET", f"/chats/{chat_id}")
|
||||
if chat:
|
||||
chat = dict(json.loads(chat))
|
||||
if author_id in chat["admins"]:
|
||||
await redis.execute("DEL", f"chats/{chat_id}")
|
||||
await redis.execute("SREM", f"chats_by_author/{author_id}", chat_id)
|
||||
await redis.execute("COMMIT")
|
||||
else:
|
||||
return {"error": "chat not exist"}
|
||||
|
||||
|
||||
chats_resolvers = {
|
||||
"Mutation": {
|
||||
"deleteChat": delete_chat,
|
||||
"createChat": create_chat,
|
||||
"updateChat": update_chat,
|
||||
},
|
||||
}
|
133
resolvers/load.py
Normal file
133
resolvers/load.py
Normal file
@@ -0,0 +1,133 @@
|
||||
import json
|
||||
|
||||
from services.db import local_session
|
||||
from services.redis import redis
|
||||
from resolvers import query
|
||||
from orm.author import Author
|
||||
from services.auth import login_required
|
||||
from .chats import create_chat
|
||||
from .unread import get_unread_counter
|
||||
|
||||
|
||||
# NOTE: not an API handler
|
||||
async def load_messages(chat_id: str, limit: int = 5, offset: int = 0, ids=[]):
|
||||
"""load :limit messages for :chat_id with :offset"""
|
||||
messages = []
|
||||
try:
|
||||
message_ids = [] + ids
|
||||
if limit:
|
||||
mids = await redis.lrange(
|
||||
f"chats/{chat_id}/message_ids", offset, offset + limit
|
||||
)
|
||||
mids = [mid.decode("utf-8") for mid in mids]
|
||||
message_ids += mids
|
||||
if message_ids:
|
||||
message_keys = [f"chats/{chat_id}/messages/{mid}" for mid in message_ids]
|
||||
messages = await redis.mget(*message_keys)
|
||||
messages = [json.loads(msg.decode("utf-8")) for msg in messages]
|
||||
replies = []
|
||||
for m in messages:
|
||||
rt = m.get("replyTo")
|
||||
if rt:
|
||||
rt = int(rt)
|
||||
if rt not in message_ids:
|
||||
replies.append(rt)
|
||||
if replies:
|
||||
messages += await load_messages(redis, chat_id, limit=0, ids=replies)
|
||||
except Exception as e:
|
||||
print(e)
|
||||
return messages
|
||||
|
||||
|
||||
@query.field("loadChats")
|
||||
@login_required
|
||||
async def load_chats(_, info, limit: int = 50, offset: int = 0):
|
||||
"""load :limit chats of current user with :offset"""
|
||||
author_id = info.context["author_id"]
|
||||
cids = list(
|
||||
(await redis.execute("SMEMBERS", f"chats_by_author/{author_id}")) or []
|
||||
)[offset : offset + limit]
|
||||
members_online = (await redis.execute("SMEMBERS", "authors-online")) or []
|
||||
chats = []
|
||||
if len(cids) == 0:
|
||||
r = await create_chat(None, info, members=[1, int(author_id)])
|
||||
cids.append(r["chat"]["id"])
|
||||
with local_session() as session:
|
||||
for cid in cids:
|
||||
cid = cid.decode("utf-8")
|
||||
c = await redis.execute("GET", "chats/" + cid)
|
||||
if c:
|
||||
c = dict(json.loads(c))
|
||||
c["messages"] = await load_messages(cid, 5, 0)
|
||||
c["unread"] = await get_unread_counter(cid, author_id)
|
||||
member_ids = c["members"].copy()
|
||||
c["members"] = []
|
||||
for member_id in member_ids:
|
||||
a = session.query(Author).where(Author.id == member_id).first()
|
||||
if a:
|
||||
c["members"].append(
|
||||
{
|
||||
"id": a.id,
|
||||
"slug": a.slug,
|
||||
"userpic": a.userpic,
|
||||
"name": a.name,
|
||||
"lastSeen": a.lastSeen,
|
||||
"online": a.id in members_online,
|
||||
}
|
||||
)
|
||||
chats.append(c)
|
||||
return {"chats": chats, "error": None}
|
||||
|
||||
|
||||
@query.field("loadMessagesBy")
|
||||
@login_required
|
||||
async def load_messages_by(_, info, by, limit: int = 10, offset: int = 0):
|
||||
"""load :limit messages of :chat_id with :offset"""
|
||||
author_id = info.context["author_id"]
|
||||
user_chats = await redis.execute("SMEMBERS", "chats_by_author/" + str(author_id))
|
||||
user_chats = [c.decode("utf-8") for c in user_chats]
|
||||
if user_chats:
|
||||
messages = []
|
||||
by_chat = by.get("chat")
|
||||
if by_chat in user_chats:
|
||||
chat = await redis.execute("GET", f"chats/{by_chat}")
|
||||
if not chat:
|
||||
return {"messages": [], "error": "chat not exist"}
|
||||
# everyone's messages in filtered chat
|
||||
messages = await load_messages(by_chat, limit, offset)
|
||||
return {
|
||||
"messages": sorted(list(messages), key=lambda m: m["createdAt"]),
|
||||
"error": None,
|
||||
}
|
||||
else:
|
||||
return {"error": "Cannot access messages of this chat"}
|
||||
|
||||
|
||||
@query.field("loadRecipients")
|
||||
async def load_recipients(_, _info, limit=50, offset=0):
|
||||
"""load possible chat participants"""
|
||||
onliners = (await redis.execute("SMEMBERS", "authors-online")) or []
|
||||
members = []
|
||||
with local_session() as session:
|
||||
all_authors = session.query(Author).limit(limit).offset(offset)
|
||||
for a in all_authors:
|
||||
members.append(
|
||||
{
|
||||
"id": a.id,
|
||||
"slug": a.slug,
|
||||
"userpic": a.userpic,
|
||||
"name": a.name,
|
||||
"lastSeen": a.lastSeen,
|
||||
"online": a.id in onliners,
|
||||
}
|
||||
)
|
||||
return {"members": members, "error": None}
|
||||
|
||||
|
||||
load_resolvers = {
|
||||
"Query": {
|
||||
"loadRecipients": load_recipients,
|
||||
"loadMessagesBy": load_messages_by,
|
||||
"loadChats": load_chats,
|
||||
}
|
||||
}
|
157
resolvers/messages.py
Normal file
157
resolvers/messages.py
Normal file
@@ -0,0 +1,157 @@
|
||||
import json
|
||||
from datetime import datetime, timezone
|
||||
from services.auth import login_required
|
||||
from services.redis import redis
|
||||
from resolvers import mutation
|
||||
|
||||
|
||||
@mutation.field("createMessage")
|
||||
@login_required
|
||||
async def create_message(_, info, chat: str, body: str, reply_to=None):
|
||||
"""
|
||||
create message with
|
||||
:body for
|
||||
:chat_id replying to
|
||||
:reply_to optionally
|
||||
"""
|
||||
author_id = info.context["author_id"]
|
||||
|
||||
chat = await redis.execute("GET", f"chats/{chat}")
|
||||
if not chat:
|
||||
return {"error": "chat is not exist"}
|
||||
else:
|
||||
chat = dict(json.loads(chat))
|
||||
message_id = await redis.execute("GET", f"chats/{chat['id']}/next_message_id")
|
||||
message_id = int(message_id)
|
||||
new_message = {
|
||||
"chat": chat["id"],
|
||||
"id": message_id,
|
||||
"author": author_id,
|
||||
"body": body,
|
||||
"createdAt": int(datetime.now(tz=timezone.utc).timestamp()),
|
||||
}
|
||||
if reply_to:
|
||||
new_message["replyTo"] = reply_to
|
||||
chat["updatedAt"] = new_message["createdAt"]
|
||||
await redis.execute("SET", f"chats/{chat['id']}", json.dumps(chat))
|
||||
print(f"[inbox] creating message {new_message}")
|
||||
await redis.execute(
|
||||
"SET", f"chats/{chat['id']}/messages/{message_id}", json.dumps(new_message)
|
||||
)
|
||||
await redis.execute("LPUSH", f"chats/{chat['id']}/message_ids", str(message_id))
|
||||
await redis.execute(
|
||||
"SET", f"chats/{chat['id']}/next_message_id", str(message_id + 1)
|
||||
)
|
||||
|
||||
members = chat["members"]
|
||||
for member_id in members:
|
||||
await redis.execute(
|
||||
"LPUSH", f"chats/{chat['id']}/unread/{member_id}", str(message_id)
|
||||
)
|
||||
|
||||
# result = FollowingResult("NEW", "chat", new_message)
|
||||
# await FollowingManager.push("chat", result)
|
||||
|
||||
# subscribe on updates
|
||||
channel_name = (
|
||||
f"private:{author_id}" if not chat["title"] else f"group:{chat['id']}"
|
||||
)
|
||||
redis.execute("PUBLISH", channel_name, json.dumps(new_message))
|
||||
|
||||
return {"message": new_message, "error": None}
|
||||
|
||||
|
||||
@mutation.field("updateMessage")
|
||||
@login_required
|
||||
async def update_message(_, info, chat_id: str, message_id: int, body: str):
|
||||
author_id = info.context["author_id"]
|
||||
|
||||
chat = await redis.execute("GET", f"chats/{chat_id}")
|
||||
if not chat:
|
||||
return {"error": "chat not exist"}
|
||||
|
||||
message = await redis.execute("GET", f"chats/{chat_id}/messages/{message_id}")
|
||||
if not message:
|
||||
return {"error": "message not exist"}
|
||||
|
||||
message = json.loads(message)
|
||||
if message["author"] != author_id:
|
||||
return {"error": "access denied"}
|
||||
|
||||
message["body"] = body
|
||||
message["updatedAt"] = int(datetime.now(tz=timezone.utc).timestamp())
|
||||
|
||||
await redis.execute(
|
||||
"SET", f"chats/{chat_id}/messages/{message_id}", json.dumps(message)
|
||||
)
|
||||
|
||||
# result = FollowingResult("UPDATE", "chat", new_message)
|
||||
# await FollowingManager.push("chat", result)
|
||||
# TODO: subscribe on updates
|
||||
|
||||
return {"message": message, "error": None}
|
||||
|
||||
|
||||
@mutation.field("deleteMessage")
|
||||
@login_required
|
||||
async def delete_message(_, info, chat_id: str, message_id: int):
|
||||
author_id = info.context["author_id"]
|
||||
|
||||
chat = await redis.execute("GET", f"chats/{chat_id}")
|
||||
if not chat:
|
||||
return {"error": "chat not exist"}
|
||||
chat = json.loads(chat)
|
||||
|
||||
message = await redis.execute("GET", f"chats/{chat_id}/messages/{str(message_id)}")
|
||||
if not message:
|
||||
return {"error": "message not exist"}
|
||||
message = json.loads(message)
|
||||
if message["author"] != author_id:
|
||||
return {"error": "access denied"}
|
||||
|
||||
await redis.execute("LREM", f"chats/{chat_id}/message_ids", 0, str(message_id))
|
||||
await redis.execute("DEL", f"chats/{chat_id}/messages/{str(message_id)}")
|
||||
|
||||
members = chat["members"]
|
||||
for member_id in members:
|
||||
await redis.execute(
|
||||
"LREM", f"chats/{chat_id}/unread/{member_id}", 0, str(message_id)
|
||||
)
|
||||
|
||||
# result = FollowingResult("DELETED", "chat", message)
|
||||
# await FollowingManager.push(result)
|
||||
# TODO ?
|
||||
|
||||
return {}
|
||||
|
||||
|
||||
@mutation.field("markAsRead")
|
||||
@login_required
|
||||
async def mark_as_read(_, info, chat_id: str, messages: [int]):
|
||||
author_id = info.context["author_id"]
|
||||
|
||||
chat = await redis.execute("GET", f"chats/{chat_id}")
|
||||
if not chat:
|
||||
return {"error": "chat not exist"}
|
||||
|
||||
chat = json.loads(chat)
|
||||
members = set(chat["members"])
|
||||
if author_id not in members:
|
||||
return {"error": "access denied"}
|
||||
|
||||
for message_id in messages:
|
||||
await redis.execute(
|
||||
"LREM", f"chats/{chat_id}/unread/{author_id}", 0, str(message_id)
|
||||
)
|
||||
|
||||
return {"error": None}
|
||||
|
||||
|
||||
messages_resolvers = {
|
||||
"Mutation": {
|
||||
"markAsRead": mark_as_read,
|
||||
"deleteMessage": delete_message,
|
||||
"updateMessage": update_message,
|
||||
"createMessage": create_message,
|
||||
}
|
||||
}
|
96
resolvers/search.py
Normal file
96
resolvers/search.py
Normal file
@@ -0,0 +1,96 @@
|
||||
import json
|
||||
from datetime import datetime, timezone, timedelta
|
||||
from services.auth import login_required
|
||||
from services.redis import redis
|
||||
from resolvers import query
|
||||
from services.db import local_session
|
||||
from orm.author import AuthorFollower, Author
|
||||
from resolvers.load import load_messages
|
||||
|
||||
|
||||
@query.field("searchRecipients")
|
||||
@login_required
|
||||
async def search_recipients(_, info, text: str, limit: int = 50, offset: int = 0):
|
||||
result = []
|
||||
# TODO: maybe redis scan?
|
||||
author = info.context["author"]
|
||||
talk_before = await redis.execute("GET", f"/chats_by_author/{author.id}")
|
||||
if talk_before:
|
||||
talk_before = list(json.loads(talk_before))[offset : (offset + limit)]
|
||||
for chat_id in talk_before:
|
||||
members = await redis.execute("GET", f"/chats/{chat_id}/members")
|
||||
if members:
|
||||
members = list(json.loads(members))
|
||||
for member in members:
|
||||
if member.startswith(text):
|
||||
if member not in result:
|
||||
result.append(member)
|
||||
|
||||
more_amount = limit - len(result)
|
||||
|
||||
with local_session() as session:
|
||||
# followings
|
||||
result += (
|
||||
session.query(AuthorFollower.author)
|
||||
.join(Author, Author.id == AuthorFollower.follower)
|
||||
.where(Author.slug.startswith(text))
|
||||
.offset(offset + len(result))
|
||||
.limit(more_amount)
|
||||
)
|
||||
|
||||
# followers
|
||||
result += (
|
||||
session.query(AuthorFollower.follower)
|
||||
.join(Author, Author.id == AuthorFollower.author)
|
||||
.where(Author.slug.startswith(text))
|
||||
.offset(offset + len(result))
|
||||
.limit(offset + len(result) + limit)
|
||||
)
|
||||
return {"members": list(result), "error": None}
|
||||
|
||||
|
||||
@query.field("searchMessages")
|
||||
@login_required
|
||||
async def search_in_chats(_, info, by, limit, offset):
|
||||
author_id = info.context["author_id"]
|
||||
lookup_chats = set(await redis.execute("SMEMBERS", f"chats_by_author/{author_id}"))
|
||||
messages_set = set([])
|
||||
|
||||
by_member = by.get("author")
|
||||
body_like = by.get("body")
|
||||
days_ago = by.get("days")
|
||||
|
||||
# pre-filter lookup chats
|
||||
if by_member:
|
||||
# all author's chats where reqeusting author is participating
|
||||
lookup_chats = filter(
|
||||
lambda ca: by_member in ca["members"],
|
||||
list(lookup_chats),
|
||||
)
|
||||
|
||||
# load the messages from lookup chats
|
||||
for c in lookup_chats:
|
||||
chat_id = c.decode("utf-8")
|
||||
mmm = await load_messages(chat_id, limit, offset)
|
||||
if by_member:
|
||||
mmm = filter(lambda mx: mx["author"] == by_member, mmm)
|
||||
if body_like:
|
||||
mmm = filter(lambda mx: body_like in mx["body"], mmm)
|
||||
if days_ago:
|
||||
mmm = filter(
|
||||
lambda msg: datetime.now(tz=timezone.utc) - int(msg["createdAt"])
|
||||
< timedelta(days=days_ago),
|
||||
mmm,
|
||||
)
|
||||
|
||||
messages_set.union(set(mmm))
|
||||
|
||||
return {"messages": messages_sorted, "error": None}
|
||||
|
||||
|
||||
search_resolvers = {
|
||||
"Query": {
|
||||
"searchMessages": search_in_chats,
|
||||
"searchRecipients": search_recipients,
|
||||
}
|
||||
}
|
36
resolvers/unread.py
Normal file
36
resolvers/unread.py
Normal file
@@ -0,0 +1,36 @@
|
||||
from services.redis import redis
|
||||
import json
|
||||
|
||||
from services.auth import login_required
|
||||
|
||||
|
||||
async def get_unread_counter(chat_id: str, author_id: int):
|
||||
try:
|
||||
unread = await redis.execute(
|
||||
"LLEN", f"chats/{chat_id.decode('utf-8')}/unread/{author_id}"
|
||||
)
|
||||
if unread:
|
||||
return unread
|
||||
except Exception:
|
||||
return 0
|
||||
|
||||
|
||||
async def get_total_unread_counter(author_id: int):
|
||||
chats = await redis.execute("GET", f"chats_by_author/{author_id}")
|
||||
unread = 0
|
||||
if chats:
|
||||
chats = json.loads(chats)
|
||||
for chat_id in chats:
|
||||
n = await get_unread_counter(chat_id.decode("utf-8"), author_id)
|
||||
unread += n
|
||||
return unread
|
||||
|
||||
|
||||
@login_required
|
||||
async def resolve_total_unread_counter(_, info):
|
||||
author_id = info.context["author_id"]
|
||||
|
||||
return get_total_unread_counter(author_id)
|
||||
|
||||
|
||||
unread_resolvers = {"Query": {"totalUnreadCounter": resolve_total_unread_counter}}
|
Reference in New Issue
Block a user