feat: sql migrations and daemon state endpoint
This commit is contained in:
5
crates/daemon/migrations/20260214_1_init.sql
Normal file
5
crates/daemon/migrations/20260214_1_init.sql
Normal file
@@ -0,0 +1,5 @@
|
|||||||
|
CREATE TABLE IF NOT EXISTS messages (
|
||||||
|
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
||||||
|
text TEXT NOT NULL,
|
||||||
|
is_user BOOL NOT NULL
|
||||||
|
);
|
||||||
@@ -1,6 +1,5 @@
|
|||||||
use anyhow::Result;
|
use anyhow::Result;
|
||||||
use directories::ProjectDirs;
|
use directories::ProjectDirs;
|
||||||
use shared::ai::ChatMessage as CMessage;
|
|
||||||
use sqlx::sqlite::SqliteConnectOptions;
|
use sqlx::sqlite::SqliteConnectOptions;
|
||||||
use sqlx::Row;
|
use sqlx::Row;
|
||||||
use sqlx::SqlitePool;
|
use sqlx::SqlitePool;
|
||||||
@@ -20,14 +19,6 @@ pub trait ChatRepository {
|
|||||||
async fn get_latest_messages(&self) -> Result<Vec<ChatMessage>>;
|
async fn get_latest_messages(&self) -> Result<Vec<ChatMessage>>;
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn message_to_dto(msg: &ChatMessage) -> CMessage {
|
|
||||||
CMessage {
|
|
||||||
id: msg.id,
|
|
||||||
text: msg.text.clone(),
|
|
||||||
is_user: msg.is_user,
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
pub struct SqliteChatRepository {
|
pub struct SqliteChatRepository {
|
||||||
pool: SqlitePool,
|
pool: SqlitePool,
|
||||||
}
|
}
|
||||||
@@ -49,16 +40,10 @@ impl SqliteChatRepository {
|
|||||||
)
|
)
|
||||||
.await?;
|
.await?;
|
||||||
|
|
||||||
sqlx::query(
|
sqlx::migrate!("./migrations")
|
||||||
"CREATE TABLE IF NOT EXISTS messages (
|
.run(&pool)
|
||||||
id INTEGER PRIMARY KEY AUTOINCREMENT,
|
|
||||||
text TEXT NOT NULL,
|
|
||||||
is_user BOOL NOT NULL
|
|
||||||
)",
|
|
||||||
)
|
|
||||||
.execute(&pool)
|
|
||||||
.await
|
.await
|
||||||
.inspect_err(|e| println!("sql error: {}", e))?;
|
.inspect_err(|e| eprintln!("Migration failed! {}", e))?;
|
||||||
|
|
||||||
Ok(Self { pool })
|
Ok(Self { pool })
|
||||||
}
|
}
|
||||||
|
|||||||
82
crates/daemon/src/daemongrpc.rs
Normal file
82
crates/daemon/src/daemongrpc.rs
Normal file
@@ -0,0 +1,82 @@
|
|||||||
|
use crate::chatpersistence::{ChatMessage, ChatRepository};
|
||||||
|
use shared::ai::ai_daemon_server::AiDaemon;
|
||||||
|
use shared::ai::{
|
||||||
|
ChatHistoryRequest, ChatHistoryResponse, ChatMessage as CMessage, ChatRequest as CRequest,
|
||||||
|
ChatResponse as CResponse, DaemonStatusRequest, DaemonStatusResponse,
|
||||||
|
};
|
||||||
|
use std::sync::Arc;
|
||||||
|
use tonic::{Code, Request, Response, Status};
|
||||||
|
|
||||||
|
pub struct DaemonServer {
|
||||||
|
repo: Arc<dyn ChatRepository + Send + Sync>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl DaemonServer {
|
||||||
|
pub fn new(repo: Arc<dyn ChatRepository + Send + Sync>) -> Self {
|
||||||
|
Self { repo }
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tonic::async_trait]
|
||||||
|
impl AiDaemon for DaemonServer {
|
||||||
|
async fn chat(&self, request: Request<CRequest>) -> Result<Response<CResponse>, Status> {
|
||||||
|
let r = request.into_inner();
|
||||||
|
let user_message = message_to_dto(
|
||||||
|
&self
|
||||||
|
.repo
|
||||||
|
.save_message(r.text(), &true)
|
||||||
|
.await
|
||||||
|
.map_err(|e| Status::new(Code::Internal, e.to_string()))?,
|
||||||
|
);
|
||||||
|
let response_text = format!("Pong: {}", r.text());
|
||||||
|
let ai_message = message_to_dto(
|
||||||
|
&self
|
||||||
|
.repo
|
||||||
|
.save_message(response_text.as_str(), &false)
|
||||||
|
.await
|
||||||
|
.map_err(|e| Status::new(Code::Internal, e.to_string()))?,
|
||||||
|
);
|
||||||
|
let response = CResponse {
|
||||||
|
chat_id: 1,
|
||||||
|
messages: vec![user_message, ai_message],
|
||||||
|
};
|
||||||
|
return Ok(Response::new(response));
|
||||||
|
}
|
||||||
|
|
||||||
|
async fn chat_history(
|
||||||
|
&self,
|
||||||
|
_: Request<ChatHistoryRequest>,
|
||||||
|
) -> Result<Response<ChatHistoryResponse>, Status> {
|
||||||
|
let messages = self
|
||||||
|
.repo
|
||||||
|
.get_latest_messages()
|
||||||
|
.await
|
||||||
|
.map_err(|e| Status::new(Code::Internal, e.to_string()))?;
|
||||||
|
|
||||||
|
let response = ChatHistoryResponse {
|
||||||
|
chat_id: 1,
|
||||||
|
history: messages.iter().map(|m| message_to_dto(m)).collect(),
|
||||||
|
};
|
||||||
|
Ok(Response::new(response))
|
||||||
|
}
|
||||||
|
|
||||||
|
async fn daemon_status(
|
||||||
|
&self,
|
||||||
|
_: Request<DaemonStatusRequest>,
|
||||||
|
) -> Result<Response<DaemonStatusResponse>, Status> {
|
||||||
|
let status = DaemonStatusResponse {
|
||||||
|
is_ok: true,
|
||||||
|
message: None,
|
||||||
|
error: None,
|
||||||
|
};
|
||||||
|
Ok(Response::new(status))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn message_to_dto(msg: &ChatMessage) -> CMessage {
|
||||||
|
CMessage {
|
||||||
|
id: msg.id,
|
||||||
|
text: msg.text.clone(),
|
||||||
|
is_user: msg.is_user,
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -1,94 +1,15 @@
|
|||||||
mod chatpersistence;
|
mod chatpersistence;
|
||||||
|
mod daemongrpc;
|
||||||
|
|
||||||
use std::sync::atomic::AtomicI64;
|
|
||||||
use std::sync::Arc;
|
use std::sync::Arc;
|
||||||
|
|
||||||
use genai::chat::{ChatMessage, ChatRequest};
|
use genai::chat::{ChatMessage, ChatRequest};
|
||||||
use genai::Client;
|
use genai::Client;
|
||||||
use shared::ai::ai_daemon_server::{AiDaemon, AiDaemonServer};
|
use shared::ai::ai_daemon_server::AiDaemonServer;
|
||||||
use shared::ai::{
|
use tonic::transport::Server;
|
||||||
ChatHistoryRequest, ChatHistoryResponse, ChatMessage as CMessage, ChatRequest as CRequest,
|
|
||||||
ChatResponse as CResponse, PromptRequest, PromptResponse,
|
|
||||||
};
|
|
||||||
use tonic::{transport::Server, Code, Request, Response, Status};
|
|
||||||
|
|
||||||
use chatpersistence::SqliteChatRepository;
|
use chatpersistence::SqliteChatRepository;
|
||||||
|
use daemongrpc::DaemonServer;
|
||||||
use crate::chatpersistence::{message_to_dto, ChatRepository};
|
|
||||||
|
|
||||||
pub struct DaemonServer {
|
|
||||||
message_counter: AtomicI64,
|
|
||||||
repo: Arc<dyn ChatRepository + Send + Sync>,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl DaemonServer {
|
|
||||||
pub fn new(repo: Arc<dyn ChatRepository + Send + Sync>) -> Self {
|
|
||||||
Self {
|
|
||||||
message_counter: AtomicI64::new(0),
|
|
||||||
repo,
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[tonic::async_trait]
|
|
||||||
impl AiDaemon for DaemonServer {
|
|
||||||
async fn prompt(
|
|
||||||
&self,
|
|
||||||
request: Request<PromptRequest>,
|
|
||||||
) -> Result<Response<PromptResponse>, Status> {
|
|
||||||
let remote_a = request.remote_addr();
|
|
||||||
let prompt_value = request.into_inner().prompt;
|
|
||||||
println!("Request from {:?}: {:?}", remote_a, prompt_value);
|
|
||||||
let client = Client::default();
|
|
||||||
let response = prompt_ollama(&client, "llama3.2", prompt_value.as_str())
|
|
||||||
.await
|
|
||||||
.unwrap_or_else(|err| format!("Prompt error: {}", err));
|
|
||||||
println!("Respone: {}", response);
|
|
||||||
let reply = PromptResponse { response: response };
|
|
||||||
Ok(Response::new(reply))
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn chat(&self, request: Request<CRequest>) -> Result<Response<CResponse>, Status> {
|
|
||||||
let r = request.into_inner();
|
|
||||||
let user_message = message_to_dto(
|
|
||||||
&self
|
|
||||||
.repo
|
|
||||||
.save_message(r.text(), &true)
|
|
||||||
.await
|
|
||||||
.map_err(|e| Status::new(Code::Internal, e.to_string()))?,
|
|
||||||
);
|
|
||||||
let response_text = format!("Pong: {}", r.text());
|
|
||||||
let ai_message = message_to_dto(
|
|
||||||
&self
|
|
||||||
.repo
|
|
||||||
.save_message(response_text.as_str(), &false)
|
|
||||||
.await
|
|
||||||
.map_err(|e| Status::new(Code::Internal, e.to_string()))?,
|
|
||||||
);
|
|
||||||
let response = CResponse {
|
|
||||||
chat_id: 1,
|
|
||||||
messages: vec![user_message, ai_message],
|
|
||||||
};
|
|
||||||
return Ok(Response::new(response));
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn chat_history(
|
|
||||||
&self,
|
|
||||||
_: Request<ChatHistoryRequest>,
|
|
||||||
) -> Result<Response<ChatHistoryResponse>, Status> {
|
|
||||||
let messages = self
|
|
||||||
.repo
|
|
||||||
.get_latest_messages()
|
|
||||||
.await
|
|
||||||
.map_err(|e| Status::new(Code::Internal, e.to_string()))?;
|
|
||||||
|
|
||||||
let response = ChatHistoryResponse {
|
|
||||||
chat_id: 1,
|
|
||||||
history: messages.iter().map(|m| message_to_dto(m)).collect(),
|
|
||||||
};
|
|
||||||
Ok(Response::new(response))
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn prompt_ollama(
|
async fn prompt_ollama(
|
||||||
client: &Client,
|
client: &Client,
|
||||||
|
|||||||
@@ -4,4 +4,4 @@ version = "0.1.0"
|
|||||||
edition = "2021"
|
edition = "2021"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
serde = "1.0.228"
|
serde = { version = "1.0.228", features = ["derive"] }
|
||||||
|
|||||||
@@ -14,3 +14,14 @@ pub mod chatmessage {
|
|||||||
pub history: Vec<Message>,
|
pub history: Vec<Message>,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub mod daemon {
|
||||||
|
use serde::{Deserialize, Serialize};
|
||||||
|
|
||||||
|
#[derive(Clone, Debug, Deserialize, Serialize)]
|
||||||
|
pub struct DaemonState {
|
||||||
|
pub is_ok: bool,
|
||||||
|
pub message: Option<String>,
|
||||||
|
pub error: Option<String>,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|||||||
@@ -2,9 +2,9 @@ syntax = "proto3";
|
|||||||
package ai_daemon;
|
package ai_daemon;
|
||||||
|
|
||||||
service AiDaemon {
|
service AiDaemon {
|
||||||
rpc Prompt(PromptRequest) returns (PromptResponse);
|
|
||||||
rpc Chat(ChatRequest) returns (ChatResponse);
|
rpc Chat(ChatRequest) returns (ChatResponse);
|
||||||
rpc ChatHistory(ChatHistoryRequest) returns (ChatHistoryResponse);
|
rpc ChatHistory(ChatHistoryRequest) returns (ChatHistoryResponse);
|
||||||
|
rpc DaemonStatus(DaemonStatusRequest) returns (DaemonStatusResponse);
|
||||||
}
|
}
|
||||||
|
|
||||||
message ChatMessage {
|
message ChatMessage {
|
||||||
@@ -33,10 +33,10 @@ message ChatHistoryResponse {
|
|||||||
repeated ChatMessage history = 10;
|
repeated ChatMessage history = 10;
|
||||||
}
|
}
|
||||||
|
|
||||||
message PromptRequest {
|
message DaemonStatusRequest {}
|
||||||
string prompt = 1;
|
|
||||||
}
|
|
||||||
|
|
||||||
message PromptResponse {
|
message DaemonStatusResponse {
|
||||||
string response = 1;
|
bool is_ok = 1;
|
||||||
|
optional string message = 10;
|
||||||
|
optional string error = 20;
|
||||||
}
|
}
|
||||||
|
|||||||
115
frontend/src-tauri/src/commands.rs
Normal file
115
frontend/src-tauri/src/commands.rs
Normal file
@@ -0,0 +1,115 @@
|
|||||||
|
use tauri::{Emitter, Manager, State};
|
||||||
|
|
||||||
|
use feshared::{
|
||||||
|
chatmessage::{Message, MessageHistory},
|
||||||
|
daemon::DaemonState,
|
||||||
|
};
|
||||||
|
use shared::ai::{ChatHistoryRequest, ChatRequest, DaemonStatusRequest};
|
||||||
|
|
||||||
|
use crate::AppState;
|
||||||
|
|
||||||
|
#[tauri::command]
|
||||||
|
pub fn toggle_popup(app_handle: tauri::AppHandle) {
|
||||||
|
match app_handle.get_webview_window("popup") {
|
||||||
|
Some(window) => {
|
||||||
|
let is_visible = window.is_visible().unwrap_or(false);
|
||||||
|
if is_visible {
|
||||||
|
window.hide().unwrap();
|
||||||
|
} else {
|
||||||
|
window.show().unwrap();
|
||||||
|
window.set_focus().unwrap();
|
||||||
|
let _ = window.emit("window-focused", ());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
None => {
|
||||||
|
println!("ERROR: Window with label 'popup' not found!");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tauri::command]
|
||||||
|
pub async fn chat(
|
||||||
|
state: State<'_, AppState>,
|
||||||
|
prompt: String,
|
||||||
|
chat_id: Option<i64>,
|
||||||
|
) -> Result<Vec<Message>, String> {
|
||||||
|
let mut client = state.grpc_client.lock().await;
|
||||||
|
let request = tonic::Request::new(ChatRequest {
|
||||||
|
chat_id: chat_id,
|
||||||
|
text: Some(prompt),
|
||||||
|
});
|
||||||
|
match client.chat(request).await {
|
||||||
|
Ok(response) => {
|
||||||
|
let r = response.into_inner();
|
||||||
|
r.messages.iter().for_each(|m| {
|
||||||
|
if m.is_user {
|
||||||
|
println!(">>> {}", m.text)
|
||||||
|
} else {
|
||||||
|
println!("<<< {}", m.text)
|
||||||
|
}
|
||||||
|
});
|
||||||
|
Ok(r.messages
|
||||||
|
.iter()
|
||||||
|
.map(|msg| Message {
|
||||||
|
id: msg.id,
|
||||||
|
text: msg.text.clone(),
|
||||||
|
is_user: msg.is_user,
|
||||||
|
})
|
||||||
|
.collect())
|
||||||
|
}
|
||||||
|
Err(e) => {
|
||||||
|
println!("gRPC error: {}", e);
|
||||||
|
Err(format!("gRPC error: {}", e))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tauri::command]
|
||||||
|
pub async fn chat_history(
|
||||||
|
state: State<'_, AppState>,
|
||||||
|
chat_id: Option<i64>,
|
||||||
|
) -> Result<MessageHistory, String> {
|
||||||
|
let mut client = state.grpc_client.lock().await;
|
||||||
|
let result = client
|
||||||
|
.chat_history(ChatHistoryRequest { chat_id: None })
|
||||||
|
.await;
|
||||||
|
match result {
|
||||||
|
Ok(response) => {
|
||||||
|
let r = response.into_inner();
|
||||||
|
Ok(MessageHistory {
|
||||||
|
chat_id: None,
|
||||||
|
history: r
|
||||||
|
.history
|
||||||
|
.iter()
|
||||||
|
.map(|m| Message {
|
||||||
|
id: m.id,
|
||||||
|
is_user: m.is_user,
|
||||||
|
text: m.text.clone(),
|
||||||
|
})
|
||||||
|
.collect(),
|
||||||
|
})
|
||||||
|
}
|
||||||
|
Err(e) => Err(format!("gRPC error: {e}")),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tauri::command]
|
||||||
|
pub async fn daemon_state(state: State<'_, AppState>) -> Result<DaemonState, String> {
|
||||||
|
let mut client = state.grpc_client.lock().await;
|
||||||
|
let result = client.daemon_status(DaemonStatusRequest {}).await;
|
||||||
|
match result {
|
||||||
|
Ok(status) => {
|
||||||
|
let status_inner = status.into_inner();
|
||||||
|
Ok(DaemonState {
|
||||||
|
is_ok: status_inner.is_ok,
|
||||||
|
message: status_inner.message,
|
||||||
|
error: status_inner.error,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
Err(e) => Ok(DaemonState {
|
||||||
|
is_ok: false,
|
||||||
|
message: None,
|
||||||
|
error: Some(e.message().to_string()),
|
||||||
|
}),
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -1,112 +1,22 @@
|
|||||||
// Prevents additional console window on Windows in release, DO NOT REMOVE!!
|
// Prevents additional console window on Windows in release, DO NOT REMOVE!!
|
||||||
#![cfg_attr(not(debug_assertions), windows_subsystem = "windows")]
|
#![cfg_attr(not(debug_assertions), windows_subsystem = "windows")]
|
||||||
|
|
||||||
use feshared::chatmessage::{Message, MessageHistory};
|
mod commands;
|
||||||
use shared::ai::{
|
|
||||||
ai_daemon_client::AiDaemonClient, ChatHistoryRequest, ChatRequest, PromptRequest,
|
|
||||||
};
|
|
||||||
use tauri::{Emitter, Manager, State};
|
|
||||||
use tauri_plugin_global_shortcut::{Code, GlobalShortcutExt, Modifiers, Shortcut, ShortcutState};
|
use tauri_plugin_global_shortcut::{Code, GlobalShortcutExt, Modifiers, Shortcut, ShortcutState};
|
||||||
use tokio::sync::Mutex;
|
use tokio::sync::Mutex;
|
||||||
use tonic::{client, Response};
|
|
||||||
|
|
||||||
struct AppState {
|
use commands::{chat, chat_history, daemon_state, toggle_popup};
|
||||||
|
use shared::ai::ai_daemon_client::AiDaemonClient;
|
||||||
|
|
||||||
|
pub struct AppState {
|
||||||
grpc_client: Mutex<AiDaemonClient<tonic::transport::Channel>>,
|
grpc_client: Mutex<AiDaemonClient<tonic::transport::Channel>>,
|
||||||
current_chat: Mutex<Option<i64>>,
|
current_chat: Mutex<Option<i64>>,
|
||||||
}
|
}
|
||||||
|
|
||||||
#[tauri::command]
|
|
||||||
fn toggle_popup(app_handle: tauri::AppHandle) {
|
|
||||||
match app_handle.get_webview_window("popup") {
|
|
||||||
Some(window) => {
|
|
||||||
let is_visible = window.is_visible().unwrap_or(false);
|
|
||||||
if is_visible {
|
|
||||||
window.hide().unwrap();
|
|
||||||
} else {
|
|
||||||
window.show().unwrap();
|
|
||||||
window.set_focus().unwrap();
|
|
||||||
let _ = window.emit("window-focused", ());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
None => {
|
|
||||||
println!("ERROR: Window with label 'popup' not found!");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[tauri::command]
|
|
||||||
async fn chat(
|
|
||||||
state: State<'_, AppState>,
|
|
||||||
prompt: String,
|
|
||||||
chat_id: Option<i64>,
|
|
||||||
) -> Result<Vec<Message>, String> {
|
|
||||||
let mut client = state.grpc_client.lock().await;
|
|
||||||
let request = tonic::Request::new(ChatRequest {
|
|
||||||
chat_id: chat_id,
|
|
||||||
text: Some(prompt),
|
|
||||||
});
|
|
||||||
match client.chat(request).await {
|
|
||||||
Ok(response) => {
|
|
||||||
let r = response.into_inner();
|
|
||||||
r.messages.iter().for_each(|m| {
|
|
||||||
if m.is_user {
|
|
||||||
println!(">>> {}", m.text)
|
|
||||||
} else {
|
|
||||||
println!("<<< {}", m.text)
|
|
||||||
}
|
|
||||||
});
|
|
||||||
Ok(r.messages
|
|
||||||
.iter()
|
|
||||||
.map(|msg| Message {
|
|
||||||
id: msg.id,
|
|
||||||
text: msg.text.clone(),
|
|
||||||
is_user: msg.is_user,
|
|
||||||
})
|
|
||||||
.collect())
|
|
||||||
}
|
|
||||||
Err(e) => {
|
|
||||||
println!("gRPC error: {}", e);
|
|
||||||
Err(format!("gRPC error: {}", e))
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[tauri::command]
|
|
||||||
async fn chat_history(
|
|
||||||
state: State<'_, AppState>,
|
|
||||||
chat_id: Option<i64>,
|
|
||||||
) -> Result<MessageHistory, String> {
|
|
||||||
let mut client = state.grpc_client.lock().await;
|
|
||||||
let result = client
|
|
||||||
.chat_history(ChatHistoryRequest { chat_id: None })
|
|
||||||
.await;
|
|
||||||
match result {
|
|
||||||
Ok(response) => {
|
|
||||||
let r = response.into_inner();
|
|
||||||
Ok(MessageHistory {
|
|
||||||
chat_id: None,
|
|
||||||
history: r
|
|
||||||
.history
|
|
||||||
.iter()
|
|
||||||
.map(|m| Message {
|
|
||||||
id: m.id,
|
|
||||||
is_user: m.is_user,
|
|
||||||
text: m.text.clone(),
|
|
||||||
})
|
|
||||||
.collect(),
|
|
||||||
})
|
|
||||||
}
|
|
||||||
Err(e) => Err(format!("gRPC error: {e}")),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[tokio::main]
|
#[tokio::main]
|
||||||
async fn main() {
|
async fn main() {
|
||||||
let channel = tonic::transport::Channel::from_static("http://[::1]:50051")
|
let channel = tonic::transport::Channel::from_static("http://[::1]:50051").connect_lazy();
|
||||||
.connect()
|
|
||||||
.await
|
|
||||||
.expect("Could not connect to daemon!");
|
|
||||||
|
|
||||||
let client = AiDaemonClient::new(channel);
|
let client = AiDaemonClient::new(channel);
|
||||||
|
|
||||||
tauri::Builder::default()
|
tauri::Builder::default()
|
||||||
@@ -115,7 +25,12 @@ async fn main() {
|
|||||||
current_chat: Mutex::new(None),
|
current_chat: Mutex::new(None),
|
||||||
})
|
})
|
||||||
.plugin(tauri_plugin_global_shortcut::Builder::new().build())
|
.plugin(tauri_plugin_global_shortcut::Builder::new().build())
|
||||||
.invoke_handler(tauri::generate_handler![toggle_popup, chat_history, chat,])
|
.invoke_handler(tauri::generate_handler![
|
||||||
|
toggle_popup,
|
||||||
|
chat_history,
|
||||||
|
chat,
|
||||||
|
daemon_state
|
||||||
|
])
|
||||||
.setup(|app| {
|
.setup(|app| {
|
||||||
/* Auto-hide popup when focus is lost
|
/* Auto-hide popup when focus is lost
|
||||||
if let Some(window) = app.get_webview_window("popup") {
|
if let Some(window) = app.get_webview_window("popup") {
|
||||||
|
|||||||
@@ -1,10 +1,15 @@
|
|||||||
use crate::bridge::invoke;
|
use std::time::Duration;
|
||||||
use crate::popup::Popup;
|
|
||||||
|
use feshared::daemon::DaemonState;
|
||||||
use leptos::{prelude::*, reactive::spawn_local};
|
use leptos::{prelude::*, reactive::spawn_local};
|
||||||
use leptos_router::{
|
use leptos_router::{
|
||||||
components::{Route, Router, Routes},
|
components::{Route, Router, Routes},
|
||||||
path,
|
path,
|
||||||
};
|
};
|
||||||
|
use wasm_bindgen::JsValue;
|
||||||
|
|
||||||
|
use crate::bridge::invoke;
|
||||||
|
use crate::popup::Popup;
|
||||||
|
|
||||||
#[component]
|
#[component]
|
||||||
pub fn App() -> impl IntoView {
|
pub fn App() -> impl IntoView {
|
||||||
@@ -26,19 +31,37 @@ fn Dashboard() -> impl IntoView {
|
|||||||
invoke("toggle_popup", empty_args).await;
|
invoke("toggle_popup", empty_args).await;
|
||||||
});
|
});
|
||||||
};
|
};
|
||||||
let prompt = |_ev: leptos::ev::MouseEvent| {
|
|
||||||
spawn_local(async {
|
|
||||||
let prompt =
|
|
||||||
serde_wasm_bindgen::to_value(&serde_json::json!({"prompt": "jee juu juu"}))
|
|
||||||
.unwrap();
|
|
||||||
invoke("prompt_llm", prompt).await;
|
|
||||||
});
|
|
||||||
};
|
|
||||||
view! {
|
view! {
|
||||||
<main class="window-shell opaque-bg">
|
<main class="window-shell opaque-bg">
|
||||||
<h1>"AI Dashboard"</h1>
|
<h1>"AI Dashboard"</h1>
|
||||||
<button on:click=on_click>Test popup</button>
|
<button on:click=on_click>Open chat</button>
|
||||||
<button on:click=prompt>Prompt!</button>
|
<DaemonStatusIndicator />
|
||||||
</main>
|
</main>
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[component]
|
||||||
|
fn DaemonStatusIndicator() -> impl IntoView {
|
||||||
|
let (poll_count, set_pool_count) = signal(0);
|
||||||
|
set_interval(
|
||||||
|
move || set_pool_count.update(|v| *v += 1),
|
||||||
|
Duration::from_secs(1),
|
||||||
|
);
|
||||||
|
let status = LocalResource::new(move || async move {
|
||||||
|
poll_count.get();
|
||||||
|
let val = invoke("daemon_state", JsValue::NULL).await;
|
||||||
|
let s: DaemonState = serde_wasm_bindgen::from_value(val).unwrap();
|
||||||
|
s
|
||||||
|
});
|
||||||
|
view! {
|
||||||
|
<div>
|
||||||
|
{move || match status.get() {
|
||||||
|
Some(state) => match state.is_ok {
|
||||||
|
true => view! { <span>{"OK"}</span>},
|
||||||
|
false => view! { <span>{"DOWN"}</span>},
|
||||||
|
},
|
||||||
|
None => view! { <span>{ "Loading status" }</span> },
|
||||||
|
}}
|
||||||
|
</div>
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|||||||
Reference in New Issue
Block a user