async-graphql/integrations/actix-web/src/subscription.rs

215 lines
7.1 KiB
Rust
Raw Normal View History

use std::future::Future;
use std::str::FromStr;
use std::time::{Duration, Instant};
2020-03-17 09:26:59 +00:00
use actix::{
2021-10-22 14:01:14 +00:00
Actor, ActorContext, AsyncContext, ContextFutureSpawner, StreamHandler, WrapFuture, WrapStream,
2020-03-17 09:26:59 +00:00
};
2021-10-22 14:01:14 +00:00
use actix::{ActorFutureExt, ActorStreamExt};
use actix_http::error::PayloadError;
2021-10-22 14:01:14 +00:00
use actix_http::ws;
use actix_web::web::Bytes;
use actix_web::{HttpRequest, HttpResponse};
use actix_web_actors::ws::{CloseReason, Message, ProtocolError, WebsocketContext};
use futures_util::future::Ready;
use futures_util::stream::Stream;
2020-03-17 09:26:59 +00:00
2021-10-22 14:01:14 +00:00
use async_graphql::http::{WebSocket, WebSocketProtocols, WsMessage, ALL_WEBSOCKET_PROTOCOLS};
use async_graphql::{Data, ObjectType, Result, Schema, SubscriptionType};
2020-04-07 06:30:46 +00:00
const HEARTBEAT_INTERVAL: Duration = Duration::from_secs(5);
const CLIENT_TIMEOUT: Duration = Duration::from_secs(10);
2020-04-14 01:53:17 +00:00
/// Actor for subscription via websocket
pub struct WSSubscription<Query, Mutation, Subscription, F> {
schema: Schema<Query, Mutation, Subscription>,
protocol: WebSocketProtocols,
2020-09-17 18:22:54 +00:00
last_heartbeat: Instant,
messages: Option<async_channel::Sender<Vec<u8>>>,
initializer: Option<F>,
2020-09-17 18:22:54 +00:00
continuation: Vec<u8>,
2020-03-17 09:26:59 +00:00
}
impl<Query, Mutation, Subscription>
WSSubscription<Query, Mutation, Subscription, fn(serde_json::Value) -> Ready<Result<Data>>>
2020-03-17 09:26:59 +00:00
where
Query: ObjectType + 'static,
Mutation: ObjectType + 'static,
Subscription: SubscriptionType + 'static,
2020-03-17 09:26:59 +00:00
{
/// Start an actor for subscription connection via websocket.
pub fn start<T>(
schema: Schema<Query, Mutation, Subscription>,
request: &HttpRequest,
stream: T,
2021-10-22 14:01:14 +00:00
) -> Result<HttpResponse, actix_web::error::Error>
where
T: Stream<Item = Result<Bytes, PayloadError>> + 'static,
{
Self::start_with_initializer(schema, request, stream, |_| {
futures_util::future::ready(Ok(Default::default()))
})
}
}
impl<Query, Mutation, Subscription, F, R> WSSubscription<Query, Mutation, Subscription, F>
where
Query: ObjectType + 'static,
Mutation: ObjectType + 'static,
Subscription: SubscriptionType + 'static,
F: FnOnce(serde_json::Value) -> R + Unpin + Send + 'static,
R: Future<Output = Result<Data>> + Send + 'static,
{
/// Start an actor for subscription connection via websocket with an initialization function.
pub fn start_with_initializer<T>(
schema: Schema<Query, Mutation, Subscription>,
request: &HttpRequest,
stream: T,
initializer: F,
2021-10-22 14:01:14 +00:00
) -> Result<HttpResponse, actix_web::error::Error>
where
T: Stream<Item = Result<Bytes, PayloadError>> + 'static,
F: FnOnce(serde_json::Value) -> R + Unpin + Send + 'static,
R: Future<Output = Result<Data>> + Send + 'static,
{
let protocol = match request
.headers()
.get("sec-websocket-protocol")
.and_then(|value| value.to_str().ok())
.and_then(|protocols| {
protocols
.split(',')
.find_map(|p| WebSocketProtocols::from_str(p.trim()).ok())
}) {
Some(protocol) => protocol,
None => {
// default to the prior standard
WebSocketProtocols::SubscriptionsTransportWS
}
};
actix_web_actors::ws::start_with_protocols(
Self {
schema,
protocol,
last_heartbeat: Instant::now(),
messages: None,
initializer: Some(initializer),
continuation: Vec::new(),
},
2021-08-01 09:44:28 +00:00
&ALL_WEBSOCKET_PROTOCOLS,
request,
stream,
)
2020-04-23 07:30:12 +00:00
}
2020-09-17 18:22:54 +00:00
fn send_heartbeats(&self, ctx: &mut WebsocketContext<Self>) {
2020-04-07 06:30:46 +00:00
ctx.run_interval(HEARTBEAT_INTERVAL, |act, ctx| {
2020-09-17 18:22:54 +00:00
if Instant::now().duration_since(act.last_heartbeat) > CLIENT_TIMEOUT {
2020-03-19 09:20:12 +00:00
ctx.stop();
}
2020-04-07 06:30:46 +00:00
ctx.ping(b"");
2020-03-19 09:20:12 +00:00
});
}
2020-03-17 09:26:59 +00:00
}
impl<Query, Mutation, Subscription, F, R> Actor for WSSubscription<Query, Mutation, Subscription, F>
2020-03-17 09:26:59 +00:00
where
Query: ObjectType + 'static,
Mutation: ObjectType + 'static,
Subscription: SubscriptionType + 'static,
F: FnOnce(serde_json::Value) -> R + Unpin + Send + 'static,
R: Future<Output = Result<Data>> + Send + 'static,
2020-03-17 09:26:59 +00:00
{
type Context = WebsocketContext<Self>;
fn started(&mut self, ctx: &mut Self::Context) {
2020-09-17 18:22:54 +00:00
self.send_heartbeats(ctx);
let (tx, rx) = async_channel::unbounded();
2020-09-17 18:22:54 +00:00
WebSocket::with_data(
self.schema.clone(),
rx,
self.initializer.take().unwrap(),
self.protocol,
)
.into_actor(self)
.map(|response, _act, ctx| match response {
WsMessage::Text(text) => ctx.text(text),
WsMessage::Close(code, msg) => ctx.close(Some(CloseReason {
code: code.into(),
description: Some(msg),
})),
})
.finish()
.spawn(ctx);
2020-09-17 18:22:54 +00:00
self.messages = Some(tx);
2020-03-17 09:26:59 +00:00
}
}
impl<Query, Mutation, Subscription, F, R> StreamHandler<Result<Message, ProtocolError>>
for WSSubscription<Query, Mutation, Subscription, F>
2020-03-17 09:26:59 +00:00
where
Query: ObjectType + 'static,
Mutation: ObjectType + 'static,
Subscription: SubscriptionType + 'static,
F: FnOnce(serde_json::Value) -> R + Unpin + Send + 'static,
R: Future<Output = Result<Data>> + Send + 'static,
2020-03-17 09:26:59 +00:00
{
fn handle(&mut self, msg: Result<Message, ProtocolError>, ctx: &mut Self::Context) {
let msg = match msg {
Err(_) => {
ctx.stop();
return;
}
Ok(msg) => msg,
};
2020-09-17 18:22:54 +00:00
let message = match msg {
2020-03-17 09:26:59 +00:00
Message::Ping(msg) => {
2020-09-17 18:22:54 +00:00
self.last_heartbeat = Instant::now();
2020-03-17 09:26:59 +00:00
ctx.pong(&msg);
2020-09-17 18:22:54 +00:00
None
2020-03-17 09:26:59 +00:00
}
Message::Pong(_) => {
2020-09-17 18:22:54 +00:00
self.last_heartbeat = Instant::now();
None
2020-03-17 09:26:59 +00:00
}
2020-09-17 18:22:54 +00:00
Message::Continuation(item) => match item {
ws::Item::FirstText(bytes) | ws::Item::FirstBinary(bytes) => {
self.continuation = bytes.to_vec();
None
2020-03-17 09:26:59 +00:00
}
2020-09-17 18:22:54 +00:00
ws::Item::Continue(bytes) => {
self.continuation.extend_from_slice(&bytes);
None
}
ws::Item::Last(bytes) => {
self.continuation.extend_from_slice(&bytes);
Some(std::mem::take(&mut self.continuation))
}
},
2021-10-22 14:01:14 +00:00
Message::Text(s) => Some(s.into_bytes().to_vec()),
2020-09-17 18:22:54 +00:00
Message::Binary(bytes) => Some(bytes.to_vec()),
Message::Close(_) => {
2020-03-17 09:26:59 +00:00
ctx.stop();
2020-09-17 18:22:54 +00:00
None
2020-03-17 09:26:59 +00:00
}
2020-09-17 18:22:54 +00:00
Message::Nop => None,
};
2020-03-17 09:26:59 +00:00
2020-09-17 18:22:54 +00:00
if let Some(message) = message {
let sender = self.messages.as_ref().unwrap().clone();
2020-09-17 18:22:54 +00:00
async move { sender.send(message).await }
.into_actor(self)
.map(|res, _actor, ctx| match res {
Ok(()) => {}
Err(_) => ctx.stop(),
})
.spawn(ctx)
}
2020-03-17 09:26:59 +00:00
}
}