freqtrade_origin/freqtrade/rpc/api_server/api_ws.py

125 lines
4.4 KiB
Python
Raw Normal View History

import logging
import time
from typing import Any, Dict
2022-11-15 03:27:45 +00:00
from fastapi import APIRouter, Depends
from fastapi.websockets import WebSocket
2022-09-08 19:58:28 +00:00
from pydantic import ValidationError
from freqtrade.enums import RPCMessageType, RPCRequestType
from freqtrade.exceptions import FreqtradeException
2022-09-10 12:19:11 +00:00
from freqtrade.rpc.api_server.api_auth import validate_ws_token
2022-11-15 03:27:45 +00:00
from freqtrade.rpc.api_server.deps import get_message_stream, get_rpc
from freqtrade.rpc.api_server.ws.channel import WebSocketChannel, create_channel
2022-11-15 03:27:45 +00:00
from freqtrade.rpc.api_server.ws.message_stream import MessageStream
from freqtrade.rpc.api_server.ws_schemas import (
WSAnalyzedDFMessage,
WSErrorMessage,
WSMessageSchema,
WSRequestSchema,
WSWhitelistMessage,
)
from freqtrade.rpc.rpc import RPC
logger = logging.getLogger(__name__)
# Private router, protected by API Key authentication
router = APIRouter()
2022-11-15 03:27:45 +00:00
async def channel_reader(channel: WebSocketChannel, rpc: RPC):
"""
Iterate over the messages from the channel and process the request
"""
async for message in channel:
try:
await _process_consumer_request(message, channel, rpc)
except FreqtradeException:
logger.exception(f"Error processing request from {channel}")
2024-05-12 14:51:11 +00:00
response = WSErrorMessage(data="Error processing request")
await channel.send(response.dict(exclude_none=True))
2022-11-15 03:27:45 +00:00
async def channel_broadcaster(channel: WebSocketChannel, message_stream: MessageStream):
2022-09-07 21:08:01 +00:00
"""
2022-11-15 03:27:45 +00:00
Iterate over messages in the message stream and send them
2022-09-07 21:08:01 +00:00
"""
async for message, ts in message_stream:
2024-05-12 14:51:11 +00:00
if channel.subscribed_to(message.get("type")):
# Log a warning if this channel is behind
# on the message stream by a lot
if (time.time() - ts) > 60:
2024-05-12 14:51:11 +00:00
logger.warning(
f"Channel {channel} is behind MessageStream by 1 minute,"
" this can cause a memory leak if you see this message"
" often, consider reducing pair list size or amount of"
" consumers."
)
await channel.send(message, use_timeout=True)
2024-05-12 14:51:11 +00:00
async def _process_consumer_request(request: Dict[str, Any], channel: WebSocketChannel, rpc: RPC):
2022-09-07 21:08:01 +00:00
"""
Validate and handle a request from a websocket consumer
"""
# Validate the request, makes sure it matches the schema
try:
2023-07-18 16:22:36 +00:00
websocket_request = WSRequestSchema.model_validate(request)
2022-09-07 21:08:01 +00:00
except ValidationError as e:
logger.error(f"Invalid request from {channel}: {e}")
return
2023-06-24 18:18:24 +00:00
type_, data = websocket_request.type, websocket_request.data
2022-09-08 16:34:37 +00:00
response: WSMessageSchema
2023-06-24 18:18:24 +00:00
logger.debug(f"Request of type {type_} from {channel}")
# If we have a request of type SUBSCRIBE, set the topics in this channel
2023-06-24 18:18:24 +00:00
if type_ == RPCRequestType.SUBSCRIBE:
# If the request is empty, do nothing
if not data:
return
# If all topics passed are a valid RPCMessageType, set subscriptions on channel
if all([any(x.value == topic for x in RPCMessageType) for topic in data]):
channel.set_subscriptions(data)
2022-09-07 21:08:01 +00:00
# We don't send a response for subscriptions
2022-09-08 16:34:37 +00:00
return
2022-09-07 21:08:01 +00:00
2023-06-24 18:18:24 +00:00
elif type_ == RPCRequestType.WHITELIST:
2022-09-07 21:08:01 +00:00
# Get whitelist
whitelist = rpc._ws_request_whitelist()
2022-09-07 21:08:01 +00:00
# Format response
response = WSWhitelistMessage(data=whitelist)
2023-07-18 16:22:36 +00:00
await channel.send(response.model_dump(exclude_none=True))
2023-06-24 18:18:24 +00:00
elif type_ == RPCRequestType.ANALYZED_DF:
# Limit the amount of candles per dataframe to 'limit' or 1500
2024-05-12 14:51:11 +00:00
limit = int(min(data.get("limit", 1500), 1500)) if data else None
pair = data.get("pair", None) if data else None
# For every pair in the generator, send a separate message
for message in rpc._ws_request_analyzed_df(limit, pair):
2022-11-15 03:27:45 +00:00
# Format response
response = WSAnalyzedDFMessage(data=message)
2023-07-18 16:22:36 +00:00
await channel.send(response.model_dump(exclude_none=True))
@router.websocket("/message/ws")
async def message_endpoint(
2022-11-15 03:27:45 +00:00
websocket: WebSocket,
token: str = Depends(validate_ws_token),
rpc: RPC = Depends(get_rpc),
2024-05-12 14:51:11 +00:00
message_stream: MessageStream = Depends(get_message_stream),
):
if token:
async with create_channel(websocket) as channel:
await channel.run_channel_tasks(
2024-05-12 14:51:11 +00:00
channel_reader(channel, rpc), channel_broadcaster(channel, message_stream)
)