79 lines
2.6 KiB
Python
79 lines
2.6 KiB
Python
import json
|
|
|
|
from httpx import AsyncClient
|
|
|
|
from settings import API_BASE
|
|
|
|
headers = {"Content-Type": "application/json"}
|
|
|
|
|
|
async def get_author(author_id):
|
|
gql = {
|
|
"query": "query GetAuthorById($author_id: Int!) { getAuthorById(author_id: $author_id) { id slug userpic name lastSeen } }",
|
|
"operation": "GetAuthorById",
|
|
"variables": {"author_id": author_id}
|
|
}
|
|
async with AsyncClient() as client:
|
|
try:
|
|
response = await client.post(API_BASE, headers=headers, data=json.dumps(gql))
|
|
print(f"[services.core] get_author response: {response.status_code} {response.text}")
|
|
if response.status_code != 200:
|
|
return None
|
|
r = response.json()
|
|
author = r.get("data", {}).get("getAuthorById")
|
|
return author
|
|
|
|
except Exception:
|
|
return None
|
|
|
|
|
|
async def get_network(author_id:int, limit:int = 50, offset:int = 0) -> list:
|
|
gql = {
|
|
"query": "query LoadAuthors($author_id: Int!, $limit: Int, $offset: Int) { authorFollowings(author_id: $author_id, limit: $limit, offset: $offset) { id slug userpic name } }",
|
|
"operation": "LoadAuthors",
|
|
"variables": {
|
|
"author_id": author_id,
|
|
"limit": limit,
|
|
"offset": offset
|
|
}
|
|
}
|
|
|
|
followings = []
|
|
try:
|
|
async with AsyncClient() as client:
|
|
response = await client.post(API_BASE, headers=headers, data=json.dumps(gql))
|
|
if response.status_code != 200:
|
|
return []
|
|
r = response.json()
|
|
followings = r.get("data", {}).get("authorFollowings", [])
|
|
more_amount = limit - len(followings)
|
|
if more_amount > 0:
|
|
followers = await get_followers(author_id, more_amount)
|
|
followings.extend(followers)
|
|
except Exception as e:
|
|
print(e)
|
|
|
|
return followings
|
|
|
|
|
|
async def get_followers(author_id, amount):
|
|
gql = {
|
|
"query": "query LoadAuthors($author_id: Int!, $limit: Int, $offset: Int) { authorFollowers(author_id: $author_id, limit: $limit) { id slug userpic name } }",
|
|
"operation": "LoadAuthors",
|
|
"variables": {
|
|
"author_id": author_id,
|
|
"limit": amount
|
|
}
|
|
}
|
|
followers = []
|
|
try:
|
|
async with AsyncClient() as client:
|
|
response = await client.post(API_BASE, headers=headers, data=json.dumps(gql))
|
|
if response.status_code != 200:
|
|
return []
|
|
r = response.json()
|
|
followers = r.get("data", {}).get("authorFollowers", [])
|
|
except Exception as e:
|
|
followers = []
|
|
return followers
|