mirror of
https://github.com/mountain-loop/yaak.git
synced 2026-04-23 09:18:30 +02:00
Client streaming working
This commit is contained in:
@@ -1,12 +1,10 @@
|
|||||||
use prost_reflect::{DynamicMessage, SerializeOptions};
|
use prost_reflect::SerializeOptions;
|
||||||
use serde::{Deserialize, Serialize};
|
use serde::{Deserialize, Serialize};
|
||||||
use serde_json::Deserializer;
|
|
||||||
use tokio_stream::Stream;
|
use tokio_stream::Stream;
|
||||||
use tonic::transport::Uri;
|
use tonic::transport::Uri;
|
||||||
use tonic::{IntoRequest, Response, Streaming};
|
use tonic::IntoRequest;
|
||||||
|
|
||||||
use crate::codec::DynamicCodec;
|
use crate::proto::fill_pool;
|
||||||
use crate::proto::{fill_pool, method_desc_to_path};
|
|
||||||
|
|
||||||
mod codec;
|
mod codec;
|
||||||
mod json_schema;
|
mod json_schema;
|
||||||
@@ -33,57 +31,6 @@ pub struct MethodDefinition {
|
|||||||
pub server_streaming: bool,
|
pub server_streaming: bool,
|
||||||
}
|
}
|
||||||
|
|
||||||
struct ClientStream {}
|
|
||||||
|
|
||||||
impl Stream for ClientStream {
|
|
||||||
type Item = DynamicMessage;
|
|
||||||
|
|
||||||
fn poll_next(
|
|
||||||
self: std::pin::Pin<&mut Self>,
|
|
||||||
_cx: &mut std::task::Context<'_>,
|
|
||||||
) -> std::task::Poll<Option<Self::Item>> {
|
|
||||||
println!("poll_next");
|
|
||||||
todo!()
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
pub async fn client_streaming(
|
|
||||||
uri: &Uri,
|
|
||||||
service: &str,
|
|
||||||
method: &str,
|
|
||||||
message_json: &str,
|
|
||||||
) -> Result<String, String> {
|
|
||||||
let (pool, conn) = fill_pool(uri).await;
|
|
||||||
|
|
||||||
let service = pool.get_service_by_name(service).unwrap();
|
|
||||||
let method = &service.methods().find(|m| m.name() == method).unwrap();
|
|
||||||
let input_message = method.input();
|
|
||||||
|
|
||||||
let mut deserializer = Deserializer::from_str(message_json);
|
|
||||||
let req_message =
|
|
||||||
DynamicMessage::deserialize(input_message, &mut deserializer).map_err(|e| e.to_string())?;
|
|
||||||
deserializer.end().unwrap();
|
|
||||||
|
|
||||||
let mut client = tonic::client::Grpc::with_origin(conn, uri.clone());
|
|
||||||
|
|
||||||
println!(
|
|
||||||
"\n---------- SENDING -----------------\n{}",
|
|
||||||
serde_json::to_string_pretty(&req_message).expect("json")
|
|
||||||
);
|
|
||||||
|
|
||||||
let req = tonic::Request::new(ClientStream {});
|
|
||||||
|
|
||||||
let path = method_desc_to_path(method);
|
|
||||||
let codec = DynamicCodec::new(method.clone());
|
|
||||||
client.ready().await.unwrap();
|
|
||||||
|
|
||||||
let resp = client.client_streaming(req, path, codec).await.unwrap();
|
|
||||||
let response_json = serde_json::to_string_pretty(&resp.into_inner()).expect("json to string");
|
|
||||||
println!("\n---------- RECEIVING ---------------\n{}", response_json,);
|
|
||||||
|
|
||||||
Ok(response_json)
|
|
||||||
}
|
|
||||||
|
|
||||||
pub async fn callable(uri: &Uri) -> Vec<ServiceDefinition> {
|
pub async fn callable(uri: &Uri) -> Vec<ServiceDefinition> {
|
||||||
let (pool, _) = fill_pool(uri).await;
|
let (pool, _) = fill_pool(uri).await;
|
||||||
|
|
||||||
|
|||||||
@@ -1,5 +1,6 @@
|
|||||||
use std::collections::HashMap;
|
use std::collections::HashMap;
|
||||||
|
|
||||||
|
use hyper::client::connect::Connect;
|
||||||
use hyper::client::HttpConnector;
|
use hyper::client::HttpConnector;
|
||||||
use hyper::Client;
|
use hyper::Client;
|
||||||
use hyper_rustls::HttpsConnector;
|
use hyper_rustls::HttpsConnector;
|
||||||
@@ -8,7 +9,7 @@ pub use prost_reflect::DynamicMessage;
|
|||||||
use serde_json::Deserializer;
|
use serde_json::Deserializer;
|
||||||
use tokio::sync::mpsc;
|
use tokio::sync::mpsc;
|
||||||
use tokio_stream::wrappers::ReceiverStream;
|
use tokio_stream::wrappers::ReceiverStream;
|
||||||
use tokio_stream::{Stream, StreamExt};
|
use tokio_stream::StreamExt;
|
||||||
use tonic::body::BoxBody;
|
use tonic::body::BoxBody;
|
||||||
use tonic::transport::Uri;
|
use tonic::transport::Uri;
|
||||||
use tonic::{IntoRequest, IntoStreamingRequest, Streaming};
|
use tonic::{IntoRequest, IntoStreamingRequest, Streaming};
|
||||||
@@ -88,6 +89,40 @@ impl GrpcConnection {
|
|||||||
.into_inner())
|
.into_inner())
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub async fn client_streaming(
|
||||||
|
&self,
|
||||||
|
service: &str,
|
||||||
|
method: &str,
|
||||||
|
stream: ReceiverStream<String>,
|
||||||
|
) -> Result<DynamicMessage> {
|
||||||
|
let service = self.pool.get_service_by_name(service).unwrap();
|
||||||
|
let method = &service.methods().find(|m| m.name() == method).unwrap();
|
||||||
|
let mut client = tonic::client::Grpc::with_origin(self.conn.clone(), self.uri.clone());
|
||||||
|
|
||||||
|
let req = {
|
||||||
|
let method = method.clone();
|
||||||
|
stream
|
||||||
|
.map(move |s| {
|
||||||
|
let mut deserializer = Deserializer::from_str(&s);
|
||||||
|
let req_message =
|
||||||
|
DynamicMessage::deserialize(method.input(), &mut deserializer)
|
||||||
|
.map_err(|e| e.to_string())
|
||||||
|
.unwrap();
|
||||||
|
deserializer.end().unwrap();
|
||||||
|
req_message
|
||||||
|
})
|
||||||
|
.into_streaming_request()
|
||||||
|
};
|
||||||
|
let path = method_desc_to_path(method);
|
||||||
|
let codec = DynamicCodec::new(method.clone());
|
||||||
|
client.ready().await.unwrap();
|
||||||
|
Ok(client
|
||||||
|
.client_streaming(req, path, codec)
|
||||||
|
.await
|
||||||
|
.map_err(|s| s.to_string())?
|
||||||
|
.into_inner())
|
||||||
|
}
|
||||||
|
|
||||||
pub async fn server_streaming(
|
pub async fn server_streaming(
|
||||||
&self,
|
&self,
|
||||||
service: &str,
|
service: &str,
|
||||||
@@ -156,6 +191,20 @@ impl GrpcManager {
|
|||||||
.await
|
.await
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub async fn client_streaming(
|
||||||
|
&mut self,
|
||||||
|
id: &str,
|
||||||
|
uri: Uri,
|
||||||
|
service: &str,
|
||||||
|
method: &str,
|
||||||
|
stream: ReceiverStream<String>,
|
||||||
|
) -> Result<DynamicMessage> {
|
||||||
|
self.connect(id, uri)
|
||||||
|
.await
|
||||||
|
.client_streaming(service, method, stream)
|
||||||
|
.await
|
||||||
|
}
|
||||||
|
|
||||||
pub async fn streaming(
|
pub async fn streaming(
|
||||||
&mut self,
|
&mut self,
|
||||||
id: &str,
|
id: &str,
|
||||||
@@ -169,6 +218,7 @@ impl GrpcManager {
|
|||||||
.streaming(service, method, stream)
|
.streaming(service, method, stream)
|
||||||
.await
|
.await
|
||||||
}
|
}
|
||||||
|
|
||||||
pub async fn connect(&mut self, id: &str, uri: Uri) -> GrpcConnection {
|
pub async fn connect(&mut self, id: &str, uri: Uri) -> GrpcConnection {
|
||||||
let (pool, conn) = fill_pool(&uri).await;
|
let (pool, conn) = fill_pool(&uri).await;
|
||||||
let connection = GrpcConnection { pool, conn, uri };
|
let connection = GrpcConnection { pool, conn, uri };
|
||||||
|
|||||||
@@ -177,19 +177,217 @@ async fn cmd_grpc_call_unary(
|
|||||||
|
|
||||||
#[tauri::command]
|
#[tauri::command]
|
||||||
async fn cmd_grpc_client_streaming(
|
async fn cmd_grpc_client_streaming(
|
||||||
endpoint: &str,
|
request_id: &str,
|
||||||
service: &str,
|
grpc_handle: State<'_, Mutex<GrpcManager>>,
|
||||||
method: &str,
|
app_handle: AppHandle<Wry>,
|
||||||
message: &str,
|
db_state: State<'_, Mutex<Pool<Sqlite>>>,
|
||||||
// app_handle: AppHandle<Wry>,
|
) -> Result<GrpcConnection, String> {
|
||||||
// db_state: State<'_, Mutex<Pool<Sqlite>>>,
|
println!("CLIENT STREAMING");
|
||||||
) -> Result<(), String> {
|
let db = &*db_state.lock().await;
|
||||||
let service = service.to_string();
|
let req = get_grpc_request(db, request_id)
|
||||||
let method = method.to_string();
|
.await
|
||||||
let message = message.to_string();
|
.map_err(|e| e.to_string())?;
|
||||||
let uri = safe_uri(endpoint).map_err(|e| e.to_string())?;
|
let conn = {
|
||||||
tokio::spawn(async move { grpc::client_streaming(&uri, &service, &method, &message).await });
|
let req = req.clone();
|
||||||
Ok(())
|
upsert_grpc_connection(
|
||||||
|
db,
|
||||||
|
&GrpcConnection {
|
||||||
|
workspace_id: req.workspace_id,
|
||||||
|
request_id: req.id,
|
||||||
|
..Default::default()
|
||||||
|
},
|
||||||
|
)
|
||||||
|
.await
|
||||||
|
.map_err(|e| e.to_string())?
|
||||||
|
};
|
||||||
|
println!("CREATED CONN: {}", conn.clone().id);
|
||||||
|
emit_side_effect(app_handle.clone(), "created_model", conn.clone());
|
||||||
|
|
||||||
|
{
|
||||||
|
let conn = conn.clone();
|
||||||
|
let req = req.clone();
|
||||||
|
let db = db.clone();
|
||||||
|
emit_side_effect(
|
||||||
|
app_handle.clone(),
|
||||||
|
"created_model",
|
||||||
|
upsert_grpc_message(
|
||||||
|
&db,
|
||||||
|
&GrpcMessage {
|
||||||
|
message: "Initiating connection".to_string(),
|
||||||
|
workspace_id: req.workspace_id,
|
||||||
|
request_id: req.id,
|
||||||
|
connection_id: conn.id,
|
||||||
|
is_info: true,
|
||||||
|
..Default::default()
|
||||||
|
},
|
||||||
|
)
|
||||||
|
.await
|
||||||
|
.expect("Failed to upsert message"),
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
let (in_msg_tx, in_msg_rx) = tauri::async_runtime::channel::<String>(16);
|
||||||
|
let maybe_in_msg_tx = std::sync::Mutex::new(Some(in_msg_tx.clone()));
|
||||||
|
let (cancelled_tx, mut cancelled_rx) = tokio::sync::watch::channel(false);
|
||||||
|
|
||||||
|
let uri = safe_uri(&req.url).map_err(|e| e.to_string())?;
|
||||||
|
|
||||||
|
let in_msg_stream = tokio_stream::wrappers::ReceiverStream::new(in_msg_rx);
|
||||||
|
|
||||||
|
let (service, method) = {
|
||||||
|
let req = req.clone();
|
||||||
|
match (req.service, req.method) {
|
||||||
|
(Some(service), Some(method)) => (service, method),
|
||||||
|
_ => return Err("Service and method are required".to_string()),
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
#[derive(serde::Deserialize)]
|
||||||
|
enum IncomingMsg {
|
||||||
|
Message(String),
|
||||||
|
Commit,
|
||||||
|
Cancel,
|
||||||
|
}
|
||||||
|
|
||||||
|
let cb = {
|
||||||
|
let cancelled_rx = cancelled_rx.clone();
|
||||||
|
let app_handle = app_handle.clone();
|
||||||
|
let conn = conn.clone();
|
||||||
|
let req = req.clone();
|
||||||
|
|
||||||
|
move |ev: tauri::Event| {
|
||||||
|
if *cancelled_rx.borrow() {
|
||||||
|
// Stream is cancelled
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
let mut maybe_in_msg_tx = maybe_in_msg_tx
|
||||||
|
.lock()
|
||||||
|
.expect("previous holder not to panic");
|
||||||
|
let in_msg_tx = if let Some(in_msg_tx) = maybe_in_msg_tx.as_ref() {
|
||||||
|
in_msg_tx
|
||||||
|
} else {
|
||||||
|
// This would mean that the stream is already committed because
|
||||||
|
// we have already dropped the sending half
|
||||||
|
return;
|
||||||
|
};
|
||||||
|
|
||||||
|
match serde_json::from_str::<IncomingMsg>(ev.payload().unwrap()) {
|
||||||
|
Ok(IncomingMsg::Message(msg)) => {
|
||||||
|
in_msg_tx.try_send(msg.clone()).unwrap();
|
||||||
|
let app_handle = app_handle.clone();
|
||||||
|
let req = req.clone();
|
||||||
|
let conn = conn.clone();
|
||||||
|
tauri::async_runtime::spawn(async move {
|
||||||
|
let db_state = app_handle.state::<Mutex<Pool<Sqlite>>>();
|
||||||
|
let db = &*db_state.lock().await;
|
||||||
|
emit_side_effect(
|
||||||
|
app_handle.clone(),
|
||||||
|
"created_model",
|
||||||
|
upsert_grpc_message(
|
||||||
|
&db,
|
||||||
|
&GrpcMessage {
|
||||||
|
message: msg,
|
||||||
|
workspace_id: req.workspace_id,
|
||||||
|
request_id: req.id,
|
||||||
|
connection_id: conn.id,
|
||||||
|
..Default::default()
|
||||||
|
},
|
||||||
|
)
|
||||||
|
.await
|
||||||
|
.expect("Failed to upsert message"),
|
||||||
|
);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
Ok(IncomingMsg::Commit) => {
|
||||||
|
println!("Received commit");
|
||||||
|
maybe_in_msg_tx.take();
|
||||||
|
// in_msg_stream.close();
|
||||||
|
}
|
||||||
|
Ok(IncomingMsg::Cancel) => {
|
||||||
|
println!("Received cancel");
|
||||||
|
cancelled_tx.send_replace(true);
|
||||||
|
}
|
||||||
|
Err(e) => {
|
||||||
|
error!("Failed to parse gRPC message: {:?}", e);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};
|
||||||
|
let event_handler =
|
||||||
|
app_handle.listen_global(format!("grpc_client_msg_{}", conn.id).as_str(), cb);
|
||||||
|
|
||||||
|
let grpc_listen = {
|
||||||
|
let app_handle = app_handle.clone();
|
||||||
|
let conn = conn.clone();
|
||||||
|
let req = req.clone();
|
||||||
|
async move {
|
||||||
|
let grpc_handle = app_handle.state::<Mutex<GrpcManager>>();
|
||||||
|
let db_state = app_handle.state::<Mutex<Pool<Sqlite>>>();
|
||||||
|
println!("STARTING CLIENT STREAM");
|
||||||
|
let msg = grpc_handle
|
||||||
|
.lock()
|
||||||
|
.await
|
||||||
|
.client_streaming(&conn.id, uri, &service, &method, in_msg_stream)
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
let db = &*db_state.lock().await;
|
||||||
|
emit_side_effect(
|
||||||
|
app_handle.clone(),
|
||||||
|
"created_model",
|
||||||
|
upsert_grpc_message(
|
||||||
|
db,
|
||||||
|
&GrpcMessage {
|
||||||
|
message: msg.to_string(),
|
||||||
|
workspace_id: req.workspace_id,
|
||||||
|
request_id: req.id,
|
||||||
|
connection_id: conn.id,
|
||||||
|
is_server: true,
|
||||||
|
..Default::default()
|
||||||
|
},
|
||||||
|
)
|
||||||
|
.await
|
||||||
|
.expect("Failed to upsert message"),
|
||||||
|
);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
println!("ENDED CLIENT STREAM");
|
||||||
|
{
|
||||||
|
let conn = conn.clone();
|
||||||
|
tauri::async_runtime::spawn(async move {
|
||||||
|
tokio::select! {
|
||||||
|
_ = grpc_listen => {
|
||||||
|
debug!("gRPC listen finished");
|
||||||
|
},
|
||||||
|
_ = cancelled_rx.changed() => {
|
||||||
|
debug!("gRPC connection cancelled");
|
||||||
|
let db_state = app_handle.state::<Mutex<Pool<Sqlite>>>();
|
||||||
|
let db = &*db_state.lock().await;
|
||||||
|
emit_side_effect(
|
||||||
|
app_handle.clone(),
|
||||||
|
"created_model",
|
||||||
|
upsert_grpc_message(
|
||||||
|
&db,
|
||||||
|
&GrpcMessage {
|
||||||
|
message: "Connection cancelled".to_string(),
|
||||||
|
workspace_id: req.workspace_id,
|
||||||
|
request_id: req.id,
|
||||||
|
connection_id: conn.id,
|
||||||
|
is_info: true,
|
||||||
|
..Default::default()
|
||||||
|
},
|
||||||
|
)
|
||||||
|
.await
|
||||||
|
.expect("Failed to upsert message"),
|
||||||
|
);
|
||||||
|
},
|
||||||
|
}
|
||||||
|
app_handle.unlisten(event_handler);
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
Ok(conn)
|
||||||
}
|
}
|
||||||
|
|
||||||
#[tauri::command]
|
#[tauri::command]
|
||||||
@@ -371,17 +569,39 @@ async fn cmd_grpc_streaming(
|
|||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
tauri::async_runtime::spawn(async move {
|
{
|
||||||
tokio::select! {
|
let conn = conn.clone();
|
||||||
_ = grpc_listen => {
|
tauri::async_runtime::spawn(async move {
|
||||||
debug!("gRPC listen finished");
|
tokio::select! {
|
||||||
},
|
_ = grpc_listen => {
|
||||||
_ = cancelled_rx.changed() => {
|
debug!("gRPC listen finished");
|
||||||
debug!("gRPC connection cancelled");
|
},
|
||||||
},
|
_ = cancelled_rx.changed() => {
|
||||||
}
|
debug!("gRPC connection cancelled");
|
||||||
app_handle.unlisten(event_handler);
|
let db_state = app_handle.state::<Mutex<Pool<Sqlite>>>();
|
||||||
});
|
let db = &*db_state.lock().await;
|
||||||
|
emit_side_effect(
|
||||||
|
app_handle.clone(),
|
||||||
|
"created_model",
|
||||||
|
upsert_grpc_message(
|
||||||
|
&db,
|
||||||
|
&GrpcMessage {
|
||||||
|
message: "Connection cancelled".to_string(),
|
||||||
|
workspace_id: req.workspace_id,
|
||||||
|
request_id: req.id,
|
||||||
|
connection_id: conn.id,
|
||||||
|
is_info: true,
|
||||||
|
..Default::default()
|
||||||
|
},
|
||||||
|
)
|
||||||
|
.await
|
||||||
|
.expect("Failed to upsert message"),
|
||||||
|
);
|
||||||
|
},
|
||||||
|
}
|
||||||
|
app_handle.unlisten(event_handler);
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
Ok(conn.id)
|
Ok(conn.id)
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -48,6 +48,10 @@ export function GrpcConnectionLayout({ style }: Props) {
|
|||||||
grpc.cancel.mutateAsync().catch(console.error);
|
grpc.cancel.mutateAsync().catch(console.error);
|
||||||
}, [grpc.cancel]);
|
}, [grpc.cancel]);
|
||||||
|
|
||||||
|
const handleCommit = useCallback(() => {
|
||||||
|
grpc.commit.mutateAsync().catch(console.error);
|
||||||
|
}, [grpc.commit]);
|
||||||
|
|
||||||
const handleConnect = useCallback(
|
const handleConnect = useCallback(
|
||||||
async (e: FormEvent) => {
|
async (e: FormEvent) => {
|
||||||
e.preventDefault();
|
e.preventDefault();
|
||||||
@@ -62,13 +66,23 @@ export function GrpcConnectionLayout({ style }: Props) {
|
|||||||
}
|
}
|
||||||
if (activeMethod.clientStreaming && activeMethod.serverStreaming) {
|
if (activeMethod.clientStreaming && activeMethod.serverStreaming) {
|
||||||
await grpc.streaming.mutateAsync(activeRequest.id);
|
await grpc.streaming.mutateAsync(activeRequest.id);
|
||||||
} else if (activeMethod.serverStreaming && !activeMethod.clientStreaming) {
|
} else if (!activeMethod.clientStreaming && activeMethod.serverStreaming) {
|
||||||
await grpc.serverStreaming.mutateAsync(activeRequest.id);
|
await grpc.serverStreaming.mutateAsync(activeRequest.id);
|
||||||
|
} else if (activeMethod.clientStreaming && !activeMethod.serverStreaming) {
|
||||||
|
await grpc.clientStreaming.mutateAsync(activeRequest.id);
|
||||||
} else {
|
} else {
|
||||||
await grpc.unary.mutateAsync(activeRequest.id);
|
await grpc.unary.mutateAsync(activeRequest.id);
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
[activeMethod, activeRequest, alert, grpc.streaming, grpc.serverStreaming, grpc.unary],
|
[
|
||||||
|
activeMethod,
|
||||||
|
activeRequest,
|
||||||
|
alert,
|
||||||
|
grpc.streaming,
|
||||||
|
grpc.serverStreaming,
|
||||||
|
grpc.clientStreaming,
|
||||||
|
grpc.unary,
|
||||||
|
],
|
||||||
);
|
);
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
@@ -212,6 +226,17 @@ export function GrpcConnectionLayout({ style }: Props) {
|
|||||||
icon="sendHorizontal"
|
icon="sendHorizontal"
|
||||||
/>
|
/>
|
||||||
)}
|
)}
|
||||||
|
{activeMethod?.clientStreaming &&
|
||||||
|
!activeMethod.serverStreaming &&
|
||||||
|
grpc.isStreaming && (
|
||||||
|
<IconButton
|
||||||
|
className="border border-highlight"
|
||||||
|
size="sm"
|
||||||
|
title="to-do"
|
||||||
|
onClick={handleCommit}
|
||||||
|
icon="check"
|
||||||
|
/>
|
||||||
|
)}
|
||||||
</HStack>
|
</HStack>
|
||||||
</div>
|
</div>
|
||||||
<GrpcEditor
|
<GrpcEditor
|
||||||
@@ -288,9 +313,13 @@ export function GrpcConnectionLayout({ style }: Props) {
|
|||||||
<Separator />
|
<Separator />
|
||||||
</div>
|
</div>
|
||||||
<div className="pl-2 overflow-y-auto">
|
<div className="pl-2 overflow-y-auto">
|
||||||
<JsonAttributeTree
|
{activeMessage.isInfo ? (
|
||||||
attrValue={JSON.parse(activeMessage?.message ?? '{}')}
|
<span>{activeMessage.message}</span>
|
||||||
/>
|
) : (
|
||||||
|
<JsonAttributeTree
|
||||||
|
attrValue={JSON.parse(activeMessage?.message ?? '{}')}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
)
|
)
|
||||||
|
|||||||
@@ -34,6 +34,17 @@ export function useGrpc(url: string | null, requestId: string | null) {
|
|||||||
},
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
|
const clientStreaming = useMutation<void, string, string>({
|
||||||
|
mutationKey: ['grpc_client_streaming', url],
|
||||||
|
mutationFn: async (requestId) => {
|
||||||
|
if (url === null) throw new Error('No URL provided');
|
||||||
|
await messages.set([]);
|
||||||
|
const c = (await invoke('cmd_grpc_client_streaming', { requestId })) as GrpcConnection;
|
||||||
|
console.log('GOT CONNECTION', c);
|
||||||
|
setActiveConnectionId(c.id);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
const serverStreaming = useMutation<void, string, string>({
|
const serverStreaming = useMutation<void, string, string>({
|
||||||
mutationKey: ['grpc_server_streaming', url],
|
mutationKey: ['grpc_server_streaming', url],
|
||||||
mutationFn: async (requestId) => {
|
mutationFn: async (requestId) => {
|
||||||
@@ -77,6 +88,14 @@ export function useGrpc(url: string | null, requestId: string | null) {
|
|||||||
},
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
|
const commit = useMutation({
|
||||||
|
mutationKey: ['grpc_commit', url],
|
||||||
|
mutationFn: async () => {
|
||||||
|
setActiveConnectionId(null);
|
||||||
|
await emit(`grpc_client_msg_${activeConnectionId}`, 'Commit');
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
const reflect = useQuery<ReflectResponseService[]>({
|
const reflect = useQuery<ReflectResponseService[]>({
|
||||||
queryKey: ['grpc_reflect', url ?? ''],
|
queryKey: ['grpc_reflect', url ?? ''],
|
||||||
queryFn: async () => {
|
queryFn: async () => {
|
||||||
@@ -87,10 +106,12 @@ export function useGrpc(url: string | null, requestId: string | null) {
|
|||||||
|
|
||||||
return {
|
return {
|
||||||
unary,
|
unary,
|
||||||
|
clientStreaming,
|
||||||
serverStreaming,
|
serverStreaming,
|
||||||
streaming,
|
streaming,
|
||||||
services: reflect.data,
|
services: reflect.data,
|
||||||
cancel,
|
cancel,
|
||||||
|
commit,
|
||||||
isStreaming: activeConnectionId !== null,
|
isStreaming: activeConnectionId !== null,
|
||||||
send,
|
send,
|
||||||
};
|
};
|
||||||
|
|||||||
Reference in New Issue
Block a user