Skip to content

Dan rag page components #1543

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 12 commits into from
Jun 28, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
12 changes: 11 additions & 1 deletion pgml-dashboard/Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

1 change: 1 addition & 0 deletions pgml-dashboard/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -43,6 +43,7 @@ sentry = "0.31"
sentry-log = "0.31"
sentry-anyhow = "0.31"
serde_json = "1"
sqlparser = "0.38"
sqlx = { version = "0.7.3", features = [ "runtime-tokio-rustls", "postgres", "json", "migrate", "time", "uuid", "bigdecimal"] }
tantivy = "0.19"
time = "0.3"
Expand Down
285 changes: 285 additions & 0 deletions pgml-dashboard/src/api/code_editor.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,285 @@
use crate::components::code_editor::Editor;
use crate::components::turbo::TurboFrame;
use anyhow::Context;
use once_cell::sync::OnceCell;
use sailfish::TemplateOnce;
use serde::Serialize;
use sqlparser::dialect::PostgreSqlDialect;
use sqlx::{postgres::PgPoolOptions, Executor, PgPool, Row};

use crate::responses::ResponseOk;

use rocket::route::Route;

static READONLY_POOL: OnceCell<PgPool> = OnceCell::new();
static ERROR: &str =
"Thanks for trying PostgresML! If you would like to run more queries, sign up for an account and create a database.";

fn get_readonly_pool() -> PgPool {
READONLY_POOL
.get_or_init(|| {
PgPoolOptions::new()
.max_connections(1)
.idle_timeout(std::time::Duration::from_millis(60_000))
.max_lifetime(std::time::Duration::from_millis(60_000))
.connect_lazy(&std::env::var("CHATBOT_DATABASE_URL").expect("CHATBOT_DATABASE_URL not set"))
.expect("could not build lazy database connection")
})
.clone()
}

fn check_query(query: &str) -> anyhow::Result<()> {
let ast = sqlparser::parser::Parser::parse_sql(&PostgreSqlDialect {}, query)?;

if ast.len() != 1 {
anyhow::bail!(ERROR);
}

let query = ast
.into_iter()
.next()
.with_context(|| "impossible, ast is empty, even though we checked")?;

match query {
sqlparser::ast::Statement::Query(query) => match *query.body {
sqlparser::ast::SetExpr::Select(_) => (),
_ => anyhow::bail!(ERROR),
},
_ => anyhow::bail!(ERROR),
};

Ok(())
}

#[derive(FromForm, Debug)]
pub struct PlayForm {
pub query: String,
}

pub async fn play(sql: &str) -> anyhow::Result<String> {
check_query(sql)?;
let pool = get_readonly_pool();
let row = sqlx::query(sql).fetch_one(&pool).await?;
let transform: serde_json::Value = row.try_get(0)?;
Ok(serde_json::to_string_pretty(&transform)?)
}

/// Response expected by the frontend.
#[derive(Serialize)]
struct StreamResponse {
error: Option<String>,
result: Option<String>,
}

impl StreamResponse {
fn from_error(error: &str) -> Self {
StreamResponse {
error: Some(error.to_string()),
result: None,
}
}

fn from_result(result: &str) -> Self {
StreamResponse {
error: None,
result: Some(result.to_string()),
}
}
}

impl ToString for StreamResponse {
fn to_string(&self) -> String {
serde_json::to_string(self).unwrap()
}
}

/// An async iterator over a PostgreSQL cursor.
#[derive(Debug)]
struct AsyncResult<'a> {
/// Open transaction.
transaction: sqlx::Transaction<'a, sqlx::Postgres>,
cursor_name: String,
}

impl<'a> AsyncResult<'a> {
async fn from_message(message: ws::Message) -> anyhow::Result<Self> {
if let ws::Message::Text(query) = message {
let request = serde_json::from_str::<serde_json::Value>(&query)?;
let query = request["sql"]
.as_str()
.context("Error sql key is required in websocket")?;
Self::new(&query).await
} else {
anyhow::bail!(ERROR)
}
}

/// Create new AsyncResult given a query.
async fn new(query: &str) -> anyhow::Result<Self> {
let cursor_name = format!(r#""{}""#, crate::utils::random_string(12));

// Make sure it's a SELECT. Can't do too much damage there.
check_query(query)?;

let pool = get_readonly_pool();
let mut transaction = pool.begin().await?;

let query = format!("DECLARE {} CURSOR FOR {}", cursor_name, query);

info!(
"[stream] query: {}",
query.trim().split("\n").collect::<Vec<&str>>().join(" ")
);

match transaction.execute(query.as_str()).await {
Ok(_) => (),
Err(err) => {
info!("[stream] query error: {:?}", err);
anyhow::bail!(err);
}
}

Ok(AsyncResult {
transaction,
cursor_name,
})
}

/// Fetch a row from the cursor, get the first column,
/// decode the value and return it as a String.
async fn next(&mut self) -> anyhow::Result<Option<String>> {
use serde_json::Value;

let result = sqlx::query(format!("FETCH 1 FROM {}", self.cursor_name).as_str())
.fetch_optional(&mut *self.transaction)
.await?;

if let Some(row) = result {
let _column = row.columns().get(0).with_context(|| "no columns")?;

// Handle pgml.embed() which returns an array of floating points.
if let Ok(value) = row.try_get::<Vec<f32>, _>(0) {
return Ok(Some(serde_json::to_string(&value)?));
}

// Anything that just returns a String, e.g. pgml.version().
if let Ok(value) = row.try_get::<String, _>(0) {
return Ok(Some(value));
}

// Array of strings.
if let Ok(value) = row.try_get::<Vec<String>, _>(0) {
return Ok(Some(value.join("")));
}

// Integers.
if let Ok(value) = row.try_get::<i64, _>(0) {
return Ok(Some(value.to_string()));
}

if let Ok(value) = row.try_get::<i32, _>(0) {
return Ok(Some(value.to_string()));
}

if let Ok(value) = row.try_get::<f64, _>(0) {
return Ok(Some(value.to_string()));
}

if let Ok(value) = row.try_get::<f32, _>(0) {
return Ok(Some(value.to_string()));
}

// Handle functions that return JSONB,
// e.g. pgml.transform()
if let Ok(value) = row.try_get::<Value, _>(0) {
return Ok(Some(match value {
Value::Array(ref values) => {
let first_value = values.first();
match first_value {
Some(Value::Object(_)) => serde_json::to_string(&value)?,
_ => values
.into_iter()
.map(|v| v.as_str().unwrap_or("").to_string())
.collect::<Vec<String>>()
.join(""),
}
}

value => serde_json::to_string(&value)?,
}));
}
}

Ok(None)
}

async fn close(mut self) -> anyhow::Result<()> {
self.transaction
.execute(format!("CLOSE {}", self.cursor_name).as_str())
.await?;
self.transaction.rollback().await?;
Ok(())
}
}

#[get("/code_editor/play/stream")]
pub async fn play_stream(ws: ws::WebSocket) -> ws::Stream!['static] {
ws::Stream! { ws =>
for await message in ws {
let message = match message {
Ok(message) => message,
Err(_err) => continue,
};

let mut got_something = false;
match AsyncResult::from_message(message).await {
Ok(mut result) => {
loop {
match result.next().await {
Ok(Some(result)) => {
got_something = true;
yield ws::Message::from(StreamResponse::from_result(&result).to_string());
}

Err(err) => {
yield ws::Message::from(StreamResponse::from_error(&err.to_string()).to_string());
break;
}

Ok(None) => {
if !got_something {
yield ws::Message::from(StreamResponse::from_error(ERROR).to_string());
}
break;
}
}
};

match result.close().await {
Ok(_) => (),
Err(err) => {
info!("[stream] error closing: {:?}", err);
}
};
}

Err(err) => {
yield ws::Message::from(StreamResponse::from_error(&err.to_string()).to_string());
}
}
};
}
}

#[get("/code_editor/embed?<id>")]
pub fn embed_editor(id: String) -> ResponseOk {
let comp = Editor::new();

let rsp = TurboFrame::new().set_target_id(&id).set_content(comp.into());

return ResponseOk(rsp.render_once().unwrap());
}

pub fn routes() -> Vec<Route> {
routes![play_stream, embed_editor,]
}
2 changes: 2 additions & 0 deletions pgml-dashboard/src/api/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -2,11 +2,13 @@ use rocket::route::Route;

pub mod chatbot;
pub mod cms;
pub mod code_editor;
pub mod deployment;

pub fn routes() -> Vec<Route> {
let mut routes = Vec::new();
routes.extend(cms::routes());
routes.extend(chatbot::routes());
routes.extend(code_editor::routes());
routes
}
4 changes: 4 additions & 0 deletions pgml-dashboard/src/components/cards/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -15,6 +15,10 @@ pub use newsletter_subscribe::NewsletterSubscribe;
pub mod primary;
pub use primary::Primary;

// src/components/cards/psychedelic
pub mod psychedelic;
pub use psychedelic::Psychedelic;

// src/components/cards/rgb
pub mod rgb;
pub use rgb::Rgb;
Expand Down
Loading
pFad - Phonifier reborn

Pfad - The Proxy pFad of © 2024 Garber Painting. All rights reserved.

Note: This service is not intended for secure transactions such as banking, social media, email, or purchasing. Use at your own risk. We assume no liability whatsoever for broken pages.


Alternative Proxies:

Alternative Proxy

pFad Proxy

pFad v3 Proxy

pFad v4 Proxy