diff --git a/dbif/Cargo.toml b/dbif/Cargo.toml index c4fbffb..bbe7432 100644 --- a/dbif/Cargo.toml +++ b/dbif/Cargo.toml @@ -6,6 +6,7 @@ edition = "2018" # See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html [dependencies] +chrono = "0.4.35" rusqlite = "0.26.1" serde = {version = "1.0", features = ["derive"] } serde_json = "1.0" \ No newline at end of file diff --git a/dbif/src/lib.rs b/dbif/src/lib.rs index 988cf95..ea30d6b 100644 --- a/dbif/src/lib.rs +++ b/dbif/src/lib.rs @@ -4,6 +4,7 @@ use std::fmt; use serde::{Deserialize, Serialize}; use serde_json::Value; use std::os::unix::fs::PermissionsExt; +use chrono::DateTime; #[derive(Serialize, Deserialize, Debug)] pub struct NodeInfoRecord { @@ -58,6 +59,26 @@ pub struct PaymentRecord { pub reply_to_idx: Option, } +#[derive(Serialize, Deserialize, Debug, Clone)] +pub struct WebhookRecord { + pub index: u64, + pub url: String, + pub token: String, + pub enabled: bool, + pub request_successful: Option, + pub request_timestamp: Option, + pub request_datetime: Option, +} + +impl WebhookRecord { + pub fn get_request_timestamp_string(&self) -> Option { + match self.request_timestamp { + Some(timestamp) => Some(DateTime::from_timestamp(timestamp, 0).unwrap().to_rfc3339()), + None => None, + } + } +} + #[derive(Debug)] struct HydraError(String); impl fmt::Display for HydraError { @@ -250,6 +271,28 @@ pub fn create_database(filepath: &String) -> Result> { } } + + //Create the sent boosts table + match conn.execute( + "CREATE TABLE IF NOT EXISTS webhooks ( + idx integer primary key autoincrement, + url text, + token text, + enabled integer, + request_successful integer, + request_timestamp integer + )", + [], + ) { + Ok(_) => { + println!("Webhooks table is ready."); + } + Err(e) => { + eprintln!("{}", e); + return Err(Box::new(HydraError(format!("Failed to create database webhooks table: [{}].", filepath).into()))) + } + } + Ok(true) } @@ -320,7 +363,7 @@ pub fn add_node_info_to_db(filepath: &String, info: NodeInfoRecord) -> Result Result> { +pub fn add_invoice_to_db(filepath: &String, boost: &BoostRecord) -> Result> { let conn = connect_to_database(false, filepath)?; match conn.execute("INSERT INTO boosts (idx, time, value_msat, value_msat_total, action, sender, app, message, podcast, episode, tlv, remote_podcast, remote_episode, reply_sent) \ @@ -805,5 +848,161 @@ pub fn add_payment_to_db(filepath: &String, boost: &BoostRecord) -> Result) -> Result, Box> { + let conn = connect_to_database(false, filepath)?; + let mut webhooks: Vec = Vec::new(); + + let where_enabled = match enabled { + Some(true) => "WHERE enabled = 1", + Some(false) => "WHERE enabled = 0", + None => "", + }; + + let sqltxt = format!( + r#"SELECT + idx, + url, + token, + enabled, + request_successful, + request_timestamp + FROM + webhooks + {}"#, + where_enabled, + ); + + let mut stmt = conn.prepare(sqltxt.as_str())?; + let rows = stmt.query_map([], |row| { + let datetime = match row.get(5).ok() { + Some(ts) => match DateTime::from_timestamp(ts, 0) { + Some(ts) => Some(ts.to_rfc3339()), + None => None, + }, + None => None, + }; + + Ok(WebhookRecord { + index: row.get(0)?, + url: row.get(1)?, + token: row.get(2)?, + enabled: row.get(3)?, + request_successful: row.get(4).ok(), + request_timestamp: row.get(5).ok(), + request_datetime: datetime, + }) + }).unwrap(); + + for row in rows { + webhooks.push(row.unwrap()); + } + + Ok(webhooks) +} + +pub fn load_webhook_from_db(filepath: &String, index: u64) -> Result> { + let conn = connect_to_database(false, filepath)?; + + let mut stmt = conn.prepare( + r#"SELECT + idx, + url, + token, + enabled, + request_successful, + request_timestamp + FROM + webhooks + WHERE + idx = :idx + "# + )?; + + let webhook = stmt.query_row(&[(":idx", index.to_string().as_str())], |row| { + let timestamp: i64 = row.get(5)?; + let datetime = match DateTime::from_timestamp(timestamp, 0) { + Some(ts) => Some(ts.to_rfc3339()), + None => None + }; + + Ok(WebhookRecord { + index: row.get(0)?, + url: row.get(1)?, + token: row.get(2)?, + enabled: row.get(3)?, + request_successful: row.get(4).ok(), + request_timestamp: row.get(5).ok(), + request_datetime: datetime, + }) + })?; + + Ok(webhook) +} + +pub fn save_webhook_to_db(filepath: &String, webhook: &WebhookRecord) -> Result> { + let conn = connect_to_database(false, filepath)?; + + let index = if webhook.index > 0 { + Some(webhook.index) + } else { + None + }; + + let mut stmt = conn.prepare( + r#"INSERT INTO webhooks ( + idx, + url, + token, + enabled, + request_successful, + request_timestamp + ) + VALUES + (?1, ?2, ?3, ?4, ?5, ?6) + ON CONFLICT(idx) DO UPDATE SET + url = excluded.url, + token = excluded.token, + enabled = excluded.enabled + RETURNING idx + "#, + )?; + + let params = params![ + index, + webhook.url, + webhook.token, + webhook.enabled, + webhook.request_successful, + webhook.request_timestamp, + ]; + + let idx = stmt.query_row(params, |row| { + let idx: u64 = row.get(0)?; + Ok(idx) + })?; + + Ok(idx) +} + +pub fn set_webhook_last_request(filepath: &String, index: u64, successful: bool, timestamp: i64) -> Result> { + let conn = connect_to_database(false, filepath)?; + + conn.execute( + r#"UPDATE webhooks SET request_successful = ?2, request_timestamp = ?3 WHERE idx = ?1"#, + params![index, successful, timestamp] + )?; + + Ok(true) + +} + +pub fn delete_webhook_from_db(filepath: &String, index: u64) -> Result> { + let conn = connect_to_database(false, filepath)?; + + conn.execute(r#"DELETE FROM webhooks WHERE idx = ?1"#, params![index])?; + Ok(true) } \ No newline at end of file diff --git a/src/handler.rs b/src/handler.rs index 8119369..1d40965 100644 --- a/src/handler.rs +++ b/src/handler.rs @@ -14,10 +14,11 @@ use voca_rs::*; use handlebars::Handlebars; use serde_json::json; use chrono::{DateTime, TimeDelta, Utc}; -use dbif::BoostRecord; +use dbif::{BoostRecord, WebhookRecord}; use serde::{Deserialize, Serialize}; use jsonwebtoken::{decode, encode, Algorithm, Header, DecodingKey, EncodingKey, Validation}; +use url::Url; //Constants -------------------------------------------------------------------------------------------------- const WEBROOT_PATH_HTML: &str = "webroot/html"; @@ -217,6 +218,7 @@ pub async fn login(ctx: Context) -> Response { return hyper::Response::builder() .status(StatusCode::OK) + .header("Content-type", "text/html; charset=utf-8") .body(format!("{}", doc_rendered).into()) .unwrap(); } @@ -233,6 +235,7 @@ pub async fn home(ctx: Context) -> Response { let doc_rendered = reg.render_template(&doc, &json!({"version": ctx.state.version})).expect("Something went wrong rendering the file"); return hyper::Response::builder() .status(StatusCode::OK) + .header("Content-type", "text/html; charset=utf-8") .body(format!("{}", doc_rendered).into()) .unwrap(); } @@ -250,6 +253,7 @@ pub async fn streams(ctx: Context) -> Response { let doc_rendered = reg.render_template(&doc, &json!({"version": ctx.state.version})).expect("Something went wrong rendering the file"); return hyper::Response::builder() .status(StatusCode::OK) + .header("Content-type", "text/html; charset=utf-8") .body(format!("{}", doc_rendered).into()) .unwrap(); } @@ -261,6 +265,19 @@ pub async fn sent(ctx: Context) -> Response { let doc_rendered = reg.render_template(&doc, &json!({"version": ctx.state.version})).expect("Something went wrong rendering the file"); return hyper::Response::builder() .status(StatusCode::OK) + .header("Content-type", "text/html; charset=utf-8") + .body(format!("{}", doc_rendered).into()) + .unwrap(); +} + +//Streams html +pub async fn settings(ctx: Context) -> Response { + let reg = Handlebars::new(); + let doc = fs::read_to_string("webroot/html/settings.html").expect("Something went wrong reading the file."); + let doc_rendered = reg.render_template(&doc, &json!({"version": ctx.state.version})).expect("Something went wrong rendering the file"); + return hyper::Response::builder() + .status(StatusCode::OK) + .header("Content-type", "text/html; charset=utf-8") .body(format!("{}", doc_rendered).into()) .unwrap(); } @@ -911,6 +928,165 @@ pub async fn api_v1_mark_replied(_ctx: Context) -> Response { })) } +async fn webhook_list_response(db_filepath: &String) -> Response { + let webhooks = match dbif::get_webhooks_from_db(&db_filepath, None) { + Ok(wh) => wh, + Err(e) => { + eprintln!("** Error getting webhooks: {}.\n", e); + return hyper::Response::builder() + .status(StatusCode::from_u16(500).unwrap()) + .body(format!("** Error getting webhooks.").into()) + .unwrap(); + } + }; + + println!("** get_webhooks_from_db()"); + + let reg = Handlebars::new(); + let doc = fs::read_to_string("webroot/template/webhook-list.hbs").expect("Something went wrong reading the file."); + let doc_rendered = reg.render_template(&doc, &json!({"webhooks": webhooks})).expect("Something went wrong rendering the file"); + + return hyper::Response::builder() + .status(StatusCode::OK) + .header("Access-Control-Allow-Origin", "*") + .header("Content-Type", "text/html; charset=utf-8") + .body(doc_rendered.into()) + .unwrap(); +} + +pub async fn api_v1_webhooks(ctx: Context) -> Response { + webhook_list_response(&ctx.helipad_config.database_file_path).await +} + +pub async fn api_v1_webhook_edit(ctx: Context) -> Response { + let index = match ctx.params.find("idx") { + Some("add") => 0, + Some(idx) => idx.parse().unwrap(), + None => { + return client_error_response("** 'index' is a required parameter and must be an unsigned integer.".into()); + } + }; + + let mut json = json!({ + "webhook": {}, + }); + + if index > 0 { + let webhook = match dbif::load_webhook_from_db(&ctx.helipad_config.database_file_path, index) { + Ok(wh) => wh, + Err(e) => { + eprintln!("** Error getting webhooks: {}.\n", e); + return hyper::Response::builder() + .status(StatusCode::from_u16(500).unwrap()) + .body(format!("** Error getting webhooks.").into()) + .unwrap(); + } + }; + + json = json!({ + "webhook": webhook, + }); + } + + println!("** load_webhook_from_db({})", index); + + let reg = Handlebars::new(); + let doc = fs::read_to_string("webroot/template/webhook-edit.hbs").expect("Something went wrong reading the file."); + let doc_rendered = reg.render_template(&doc, &json).expect("Something went wrong rendering the file"); + + return hyper::Response::builder() + .status(StatusCode::OK) + .header("Access-Control-Allow-Origin", "*") + .header("Content-Type", "text/html; charset=utf-8") + .body(doc_rendered.into()) + .unwrap(); +} + +pub async fn api_v1_webhook_save(ctx: Context) -> Response { + let db_filepath = ctx.helipad_config.database_file_path; + + let index = match ctx.params.find("idx") { + Some("add") => 0, + Some(idx) => idx.parse().unwrap(), + None => { + return client_error_response("** 'index' is a required parameter and must be an unsigned integer.".into()); + } + }; + + let post_vars = get_post_params(ctx.req).await; + let url = post_vars.get("url"); + + if url.is_none() { + return client_error_response("** url missing.".into()); + } + + if let Err(e) = Url::parse(url.unwrap()) { + return client_error_response(format!("** bad value for url: {}", e).into()); + } + + let token = post_vars.get("token"); + + if token.is_none() { + return client_error_response("** bad value for token.".into()); + } + + let enabled = post_vars.get("enabled"); + + let enabled = match enabled { + None => false, + Some(enable) => match enable.parse() { + Ok(parsed) => parsed, + Err(e) => { + return client_error_response(format!("** bad value for enabled: {}", e).into()); + } + } + }; + + let webhook = WebhookRecord { + index: index, + url: url.unwrap().to_string(), + token: token.unwrap().to_string(), + enabled: enabled, + request_successful: None, + request_timestamp: None, + request_datetime: None, + }; + + let idx = match dbif::save_webhook_to_db(&db_filepath, &webhook) { + Ok(idx) => idx, + Err(e) => { + eprintln!("** Error saving webhook: {}.\n", e); + return server_error_response("** Error saving webhook.".into()); + } + }; + + println!("** save_webhook_from_db({})", idx); + + webhook_list_response(&db_filepath).await +} + +pub async fn api_v1_webhook_delete(ctx: Context) -> Response { + let index = match ctx.params.find("idx") { + Some(idx) => idx.parse().unwrap(), + None => { + return client_error_response("** 'index' is a required parameter and must be an unsigned integer.".into()); + } + }; + + if let Err(e) = dbif::delete_webhook_from_db(&ctx.helipad_config.database_file_path, index) { + eprintln!("** Error deleting webhook: {}.\n", e); + return server_error_response("** Error deleting webhook.".into()); + } + + println!("** delete_webhook_from_db({})", index); + + return hyper::Response::builder() + .status(StatusCode::OK) + .header("Access-Control-Allow-Origin", "*") + .body("".into()) + .unwrap(); +} + //CSV export - max is 200 for now so the csv content can be built in memory pub async fn csv_export_boosts(_ctx: Context) -> Response { //Get query parameters diff --git a/src/main.rs b/src/main.rs index d73ab7d..f050935 100644 --- a/src/main.rs +++ b/src/main.rs @@ -15,6 +15,11 @@ use drop_root::set_user_group; use std::path::Path; use rand::{distributions::Alphanumeric, Rng}; // 0.8 +use reqwest::header::{AUTHORIZATION, CONTENT_TYPE, USER_AGENT, HeaderMap, HeaderValue}; +use reqwest::redirect::Policy; + +use chrono::Utc; + #[macro_use] extern crate configure_me; @@ -238,6 +243,7 @@ async fn main() { router.post("/login", Box::new(handler::login)); router.get("/streams", Box::new(handler::streams)); router.get("/sent", Box::new(handler::sent)); + router.get("/settings", Box::new(handler::settings)); router.get("/pew.mp3", Box::new(handler::pewmp3)); router.get("/favicon.ico", Box::new(handler::favicon)); router.get("/apps.json", Box::new(handler::apps_json)); @@ -266,6 +272,10 @@ async fn main() { router.options("/api/v1/reply", Box::new(handler::api_v1_reply_options)); router.post("/api/v1/reply", Box::new(handler::api_v1_reply)); router.post("/api/v1/mark_replied", Box::new(handler::api_v1_mark_replied)); + router.get("/api/v1/webhooks", Box::new(handler::api_v1_webhooks)); + router.get("/api/v1/webhooks/:idx", Box::new(handler::api_v1_webhook_edit)); + router.post("/api/v1/webhooks/:idx", Box::new(handler::api_v1_webhook_save)); + router.delete("/api/v1/webhooks/:idx", Box::new(handler::api_v1_webhook_delete)); router.get("/csv", Box::new(handler::csv_export_boosts)); @@ -439,13 +449,16 @@ async fn lnd_poller(helipad_config: HelipadConfig) { if let Some(boost) = parsed { //Give some output - println!("Boost: {:#?}", boost); + println!("Boost: {:#?}", &boost); //Store in the database - match dbif::add_invoice_to_db(&db_filepath, boost) { + match dbif::add_invoice_to_db(&db_filepath, &boost) { Ok(_) => println!("New invoice added."), Err(e) => eprintln!("Error adding invoice: {:#?}", e) } + + //Send out webhooks (if any) + send_webhooks(&db_filepath, &boost).await; } current_index = invoice.add_index; @@ -493,4 +506,55 @@ async fn lnd_poller(helipad_config: HelipadConfig) { tokio::time::sleep(tokio::time::Duration::from_millis(9000)).await; } } +} + +async fn send_webhooks(db_filepath: &String, boost: &dbif::BoostRecord) { + let webhooks = match dbif::get_webhooks_from_db(&db_filepath, Some(true)) { + Ok(wh) => wh, + Err(_) => { + return; + } + }; + + for webhook in webhooks { + let mut headers = HeaderMap::new(); + + headers.insert(CONTENT_TYPE, HeaderValue::from_str("application/json").unwrap()); + + let user_agent = format!("Helipad/{}", env!("CARGO_PKG_VERSION")); + headers.insert(USER_AGENT, HeaderValue::from_str(user_agent.as_str()).unwrap()); + + if webhook.token != "" { + let token = format!("Bearer {}", webhook.token); + headers.insert(AUTHORIZATION, HeaderValue::from_str(&token).unwrap()); + } + + let client = reqwest::Client::builder() + .redirect(Policy::limited(5)) + .build() + .unwrap(); + + let json = serde_json::to_string_pretty(&boost).unwrap(); + let response = client + .post(&webhook.url) + .body(json) + .headers(headers) + .send() + .await + .unwrap() + .text() + .await; + + let timestamp = Utc::now().timestamp(); + let successful = response.is_ok(); + + match response { + Ok(resp) => println!("Webhook sent to {}: {}", webhook.url, resp), + Err(e) => eprintln!("Webhook Error: {}", e), + }; + + if let Err(e) = dbif::set_webhook_last_request(&db_filepath, webhook.index, successful, timestamp) { + eprintln!("Error setting webhook last request status: {}", e); + } + } } \ No newline at end of file diff --git a/src/router.rs b/src/router.rs index eb0f2f7..67aaf9a 100644 --- a/src/router.rs +++ b/src/router.rs @@ -61,6 +61,13 @@ impl Router { .add(path, handler) } + pub fn delete(&mut self, path: &str, handler: Box) { + self.method_map + .entry(Method::DELETE) + .or_insert_with(InternalRouter::new) + .add(path, handler) + } + pub fn route(&self, path: &str, method: &Method) -> RouterMatch<'_> { if let Some(Match { handler, params }) = self .method_map diff --git a/webroot/html/home.html b/webroot/html/home.html index e16d566..9ad8f61 100644 --- a/webroot/html/home.html +++ b/webroot/html/home.html @@ -10,6 +10,7 @@ + @@ -21,26 +22,9 @@
-
-
- Helipad: Boost Tracker -
- -
-
-
- - - - - - - - +
+
+ @@ -56,6 +40,34 @@
+ +
+ Helipad: Boost Tracker +
+
+ +
+
+
+ + + + + + + + + + + + + + +
diff --git a/webroot/html/sent.html b/webroot/html/sent.html index 89db55a..93a9967 100644 --- a/webroot/html/sent.html +++ b/webroot/html/sent.html @@ -10,6 +10,7 @@ + @@ -21,26 +22,9 @@
-
-
- Helipad: Boost Tracker -
- -
-
-
- - - - - - - - +
+
+ @@ -56,6 +40,34 @@
+ +
+ Helipad: Boost Tracker +
+
+ +
+
+
+ + + + + + + + + + + + + + +
@@ -68,4 +80,4 @@
- + \ No newline at end of file diff --git a/webroot/html/settings.html b/webroot/html/settings.html new file mode 100644 index 0000000..8ca5ff2 --- /dev/null +++ b/webroot/html/settings.html @@ -0,0 +1,123 @@ + + + + Helipad + + + + + + + + + + + + + + + + + +
+
+
+ + + + + + + + + + + + + + +
+ Helipad: Boost Tracker +
+
+ +
+
+
+ + + + + + + + + + + + + + + +
+
+
+
+
+
+ +
+
+
+
+
+
+ Webhooks +
When a boost is received, send an HTTP POST request to the following URLs:
+ +
+ +
+
+
+
+
+ +
+
+ + + + + diff --git a/webroot/html/streams.html b/webroot/html/streams.html index dd02b19..458d639 100644 --- a/webroot/html/streams.html +++ b/webroot/html/streams.html @@ -10,6 +10,7 @@ + @@ -21,26 +22,9 @@
-
-
- Helipad: Boost Tracker -
- -
-
-
- - - - - - - - +
+
+ @@ -56,6 +40,34 @@
+ +
+ Helipad: Boost Tracker +
+
+ +
+
+
+ + + + + + + + + + + + + + +
diff --git a/webroot/script/balance.js b/webroot/script/balance.js new file mode 100644 index 0000000..b0dd884 --- /dev/null +++ b/webroot/script/balance.js @@ -0,0 +1,51 @@ +$(document).ready(function () { + let currentBalance = null; + + //Get the current channel balance from the node + function getBalance() { + //Get the current boost index number + $.ajax({ + url: "/api/v1/balance", + type: "GET", + contentType: "application/json; charset=utf-8", + dataType: "json", + error: function (xhr) { + if (xhr.status === 403) { + window.location.href = "/login"; + } + }, + success: function (balance) { + // If the data returned wasn't a number then give an error + if (typeof balance !== "number") { + $('div.balanceDisplay').html('Err'); + return; + } + + if (balance === currentBalance) { + return; // no change + } + + // Display the balance + $('div.balanceDisplay').text('Balance: ').append( + $('').text(numberFormat(balance)) + ); + + // If the balance went up, do some fun stuff + if (currentBalance && balance > currentBalance) { + $('div.balanceDisplay').addClass('bump').on('animationend', () => { + $('div.balanceDisplay').removeClass('bump'); + }); + } + + // This is now the current balance + currentBalance = balance; + } + }); + } + + getBalance(); + + setInterval(() => { + getBalance(); + }, 7000); +}); diff --git a/webroot/script/helipad.js b/webroot/script/helipad.js index 1d5e9db..8fb1ffa 100644 --- a/webroot/script/helipad.js +++ b/webroot/script/helipad.js @@ -359,44 +359,6 @@ $(document).ready(function () { }, time); } - //Get the current channel balance from the node - function getBalance(init) { - //Get the current boost index number - $.ajax({ - url: "/api/v1/balance", - type: "GET", - contentType: "application/json; charset=utf-8", - dataType: "json", - error: function (xhr) { - if (xhr.status === 403) { - window.location.href = "/login"; - } - }, - success: function (data) { - newBalance = data; - //If the data returned wasn't a number then give an error - if (typeof newBalance !== "number") { - $('div.balanceDisplay').html('Err'); - } else { - //Display the balance - $('div.balanceDisplay').html('Balance: ' + numberFormat(newBalance)); - - //If the balance went up, do some fun stuff - if (newBalance > currentBalanceAmount && !init) { - $('div.balanceDisplay').addClass('bump'); - setTimeout(function () { - $('div.balanceDisplay').removeClass('bump'); - }, 1200); - } - - //This is now the current balance - currentBalanceAmount = newBalance; - } - - } - }); - } - //Get the current node alias and pubkey async function getNodeInfo() { nodeInfo = await $.get(`/api/v1/node_info`); @@ -773,7 +735,6 @@ $(document).ready(function () { setConfig(); renderReplyModal(); //Get starting balance and index number - getBalance(true); await getNodeInfo(); await getAppList(); await getNumerologyList(); @@ -829,11 +790,9 @@ $(document).ready(function () { //Boost and node info checker setInterval(async function () { if ($('div.outgoing_msg').length === 0) { - getBalance(true); getIndex(); } else { getBoosts(currentInvoiceIndex, 20, true, false, true); - getBalance(); } }, 7000); diff --git a/webroot/script/htmx.js b/webroot/script/htmx.js new file mode 100644 index 0000000..47eb70f --- /dev/null +++ b/webroot/script/htmx.js @@ -0,0 +1 @@ +(function(e,t){if(typeof define==="function"&&define.amd){define([],t)}else if(typeof module==="object"&&module.exports){module.exports=t()}else{e.htmx=e.htmx||t()}})(typeof self!=="undefined"?self:this,function(){return function(){"use strict";var Q={onLoad:F,process:zt,on:de,off:ge,trigger:ce,ajax:Nr,find:C,findAll:f,closest:v,values:function(e,t){var r=dr(e,t||"post");return r.values},remove:_,addClass:z,removeClass:n,toggleClass:$,takeClass:W,defineExtension:Ur,removeExtension:Br,logAll:V,logNone:j,logger:null,config:{historyEnabled:true,historyCacheSize:10,refreshOnHistoryMiss:false,defaultSwapStyle:"innerHTML",defaultSwapDelay:0,defaultSettleDelay:20,includeIndicatorStyles:true,indicatorClass:"htmx-indicator",requestClass:"htmx-request",addedClass:"htmx-added",settlingClass:"htmx-settling",swappingClass:"htmx-swapping",allowEval:true,allowScriptTags:true,inlineScriptNonce:"",attributesToSettle:["class","style","width","height"],withCredentials:false,timeout:0,wsReconnectDelay:"full-jitter",wsBinaryType:"blob",disableSelector:"[hx-disable], [data-hx-disable]",useTemplateFragments:false,scrollBehavior:"smooth",defaultFocusScroll:false,getCacheBusterParam:false,globalViewTransitions:false,methodsThatUseUrlParams:["get"],selfRequestsOnly:false,ignoreTitle:false,scrollIntoViewOnBoost:true,triggerSpecsCache:null},parseInterval:d,_:t,createEventSource:function(e){return new EventSource(e,{withCredentials:true})},createWebSocket:function(e){var t=new WebSocket(e,[]);t.binaryType=Q.config.wsBinaryType;return t},version:"1.9.10"};var r={addTriggerHandler:Lt,bodyContains:se,canAccessLocalStorage:U,findThisElement:xe,filterValues:yr,hasAttribute:o,getAttributeValue:te,getClosestAttributeValue:ne,getClosestMatch:c,getExpressionVars:Hr,getHeaders:xr,getInputValues:dr,getInternalData:ae,getSwapSpecification:wr,getTriggerSpecs:it,getTarget:ye,makeFragment:l,mergeObjects:le,makeSettleInfo:T,oobSwap:Ee,querySelectorExt:ue,selectAndSwap:je,settleImmediately:nr,shouldCancel:ut,triggerEvent:ce,triggerErrorEvent:fe,withExtensions:R};var w=["get","post","put","delete","patch"];var i=w.map(function(e){return"[hx-"+e+"], [data-hx-"+e+"]"}).join(", ");var S=e("head"),q=e("title"),H=e("svg",true);function e(e,t=false){return new RegExp(`<${e}(\\s[^>]*>|>)([\\s\\S]*?)<\\/${e}>`,t?"gim":"im")}function d(e){if(e==undefined){return undefined}let t=NaN;if(e.slice(-2)=="ms"){t=parseFloat(e.slice(0,-2))}else if(e.slice(-1)=="s"){t=parseFloat(e.slice(0,-1))*1e3}else if(e.slice(-1)=="m"){t=parseFloat(e.slice(0,-1))*1e3*60}else{t=parseFloat(e)}return isNaN(t)?undefined:t}function ee(e,t){return e.getAttribute&&e.getAttribute(t)}function o(e,t){return e.hasAttribute&&(e.hasAttribute(t)||e.hasAttribute("data-"+t))}function te(e,t){return ee(e,t)||ee(e,"data-"+t)}function u(e){return e.parentElement}function re(){return document}function c(e,t){while(e&&!t(e)){e=u(e)}return e?e:null}function L(e,t,r){var n=te(t,r);var i=te(t,"hx-disinherit");if(e!==t&&i&&(i==="*"||i.split(" ").indexOf(r)>=0)){return"unset"}else{return n}}function ne(t,r){var n=null;c(t,function(e){return n=L(t,e,r)});if(n!=="unset"){return n}}function h(e,t){var r=e.matches||e.matchesSelector||e.msMatchesSelector||e.mozMatchesSelector||e.webkitMatchesSelector||e.oMatchesSelector;return r&&r.call(e,t)}function A(e){var t=/<([a-z][^\/\0>\x20\t\r\n\f]*)/i;var r=t.exec(e);if(r){return r[1].toLowerCase()}else{return""}}function a(e,t){var r=new DOMParser;var n=r.parseFromString(e,"text/html");var i=n.body;while(t>0){t--;i=i.firstChild}if(i==null){i=re().createDocumentFragment()}return i}function N(e){return/",0);return i.querySelector("template").content}switch(r){case"thead":case"tbody":case"tfoot":case"colgroup":case"caption":return a(""+n+"
",1);case"col":return a(""+n+"
",2);case"tr":return a(""+n+"
",2);case"td":case"th":return a(""+n+"
",3);case"script":case"style":return a("
"+n+"
",1);default:return a(n,0)}}function ie(e){if(e){e()}}function I(e,t){return Object.prototype.toString.call(e)==="[object "+t+"]"}function k(e){return I(e,"Function")}function P(e){return I(e,"Object")}function ae(e){var t="htmx-internal-data";var r=e[t];if(!r){r=e[t]={}}return r}function M(e){var t=[];if(e){for(var r=0;r=0}function se(e){if(e.getRootNode&&e.getRootNode()instanceof window.ShadowRoot){return re().body.contains(e.getRootNode().host)}else{return re().body.contains(e)}}function D(e){return e.trim().split(/\s+/)}function le(e,t){for(var r in t){if(t.hasOwnProperty(r)){e[r]=t[r]}}return e}function E(e){try{return JSON.parse(e)}catch(e){b(e);return null}}function U(){var e="htmx:localStorageTest";try{localStorage.setItem(e,e);localStorage.removeItem(e);return true}catch(e){return false}}function B(t){try{var e=new URL(t);if(e){t=e.pathname+e.search}if(!/^\/$/.test(t)){t=t.replace(/\/+$/,"")}return t}catch(e){return t}}function t(e){return Tr(re().body,function(){return eval(e)})}function F(t){var e=Q.on("htmx:load",function(e){t(e.detail.elt)});return e}function V(){Q.logger=function(e,t,r){if(console){console.log(t,e,r)}}}function j(){Q.logger=null}function C(e,t){if(t){return e.querySelector(t)}else{return C(re(),e)}}function f(e,t){if(t){return e.querySelectorAll(t)}else{return f(re(),e)}}function _(e,t){e=g(e);if(t){setTimeout(function(){_(e);e=null},t)}else{e.parentElement.removeChild(e)}}function z(e,t,r){e=g(e);if(r){setTimeout(function(){z(e,t);e=null},r)}else{e.classList&&e.classList.add(t)}}function n(e,t,r){e=g(e);if(r){setTimeout(function(){n(e,t);e=null},r)}else{if(e.classList){e.classList.remove(t);if(e.classList.length===0){e.removeAttribute("class")}}}}function $(e,t){e=g(e);e.classList.toggle(t)}function W(e,t){e=g(e);oe(e.parentElement.children,function(e){n(e,t)});z(e,t)}function v(e,t){e=g(e);if(e.closest){return e.closest(t)}else{do{if(e==null||h(e,t)){return e}}while(e=e&&u(e));return null}}function s(e,t){return e.substring(0,t.length)===t}function G(e,t){return e.substring(e.length-t.length)===t}function J(e){var t=e.trim();if(s(t,"<")&&G(t,"/>")){return t.substring(1,t.length-2)}else{return t}}function Z(e,t){if(t.indexOf("closest ")===0){return[v(e,J(t.substr(8)))]}else if(t.indexOf("find ")===0){return[C(e,J(t.substr(5)))]}else if(t==="next"){return[e.nextElementSibling]}else if(t.indexOf("next ")===0){return[K(e,J(t.substr(5)))]}else if(t==="previous"){return[e.previousElementSibling]}else if(t.indexOf("previous ")===0){return[Y(e,J(t.substr(9)))]}else if(t==="document"){return[document]}else if(t==="window"){return[window]}else if(t==="body"){return[document.body]}else{return re().querySelectorAll(J(t))}}var K=function(e,t){var r=re().querySelectorAll(t);for(var n=0;n=0;n--){var i=r[n];if(i.compareDocumentPosition(e)===Node.DOCUMENT_POSITION_FOLLOWING){return i}}};function ue(e,t){if(t){return Z(e,t)[0]}else{return Z(re().body,e)[0]}}function g(e){if(I(e,"String")){return C(e)}else{return e}}function ve(e,t,r){if(k(t)){return{target:re().body,event:e,listener:t}}else{return{target:g(e),event:t,listener:r}}}function de(t,r,n){jr(function(){var e=ve(t,r,n);e.target.addEventListener(e.event,e.listener)});var e=k(r);return e?r:n}function ge(t,r,n){jr(function(){var e=ve(t,r,n);e.target.removeEventListener(e.event,e.listener)});return k(r)?r:n}var me=re().createElement("output");function pe(e,t){var r=ne(e,t);if(r){if(r==="this"){return[xe(e,t)]}else{var n=Z(e,r);if(n.length===0){b('The selector "'+r+'" on '+t+" returned no matches!");return[me]}else{return n}}}}function xe(e,t){return c(e,function(e){return te(e,t)!=null})}function ye(e){var t=ne(e,"hx-target");if(t){if(t==="this"){return xe(e,"hx-target")}else{return ue(e,t)}}else{var r=ae(e);if(r.boosted){return re().body}else{return e}}}function be(e){var t=Q.config.attributesToSettle;for(var r=0;r0){o=e.substr(0,e.indexOf(":"));t=e.substr(e.indexOf(":")+1,e.length)}else{o=e}var r=re().querySelectorAll(t);if(r){oe(r,function(e){var t;var r=i.cloneNode(true);t=re().createDocumentFragment();t.appendChild(r);if(!Se(o,e)){t=r}var n={shouldSwap:true,target:e,fragment:t};if(!ce(e,"htmx:oobBeforeSwap",n))return;e=n.target;if(n["shouldSwap"]){Fe(o,e,e,t,a)}oe(a.elts,function(e){ce(e,"htmx:oobAfterSwap",n)})});i.parentNode.removeChild(i)}else{i.parentNode.removeChild(i);fe(re().body,"htmx:oobErrorNoTarget",{content:i})}return e}function Ce(e,t,r){var n=ne(e,"hx-select-oob");if(n){var i=n.split(",");for(var a=0;a0){var r=t.replace("'","\\'");var n=e.tagName.replace(":","\\:");var i=o.querySelector(n+"[id='"+r+"']");if(i&&i!==o){var a=e.cloneNode();we(e,i);s.tasks.push(function(){we(e,a)})}}})}function Oe(e){return function(){n(e,Q.config.addedClass);zt(e);Nt(e);qe(e);ce(e,"htmx:load")}}function qe(e){var t="[autofocus]";var r=h(e,t)?e:e.querySelector(t);if(r!=null){r.focus()}}function m(e,t,r,n){Te(e,r,n);while(r.childNodes.length>0){var i=r.firstChild;z(i,Q.config.addedClass);e.insertBefore(i,t);if(i.nodeType!==Node.TEXT_NODE&&i.nodeType!==Node.COMMENT_NODE){n.tasks.push(Oe(i))}}}function He(e,t){var r=0;while(r-1){var t=e.replace(H,"");var r=t.match(q);if(r){return r[2]}}}function je(e,t,r,n,i,a){i.title=Ve(n);var o=l(n);if(o){Ce(r,o,i);o=Be(r,o,a);Re(o);return Fe(e,r,t,o,i)}}function _e(e,t,r){var n=e.getResponseHeader(t);if(n.indexOf("{")===0){var i=E(n);for(var a in i){if(i.hasOwnProperty(a)){var o=i[a];if(!P(o)){o={value:o}}ce(r,a,o)}}}else{var s=n.split(",");for(var l=0;l0){var o=t[0];if(o==="]"){n--;if(n===0){if(a===null){i=i+"true"}t.shift();i+=")})";try{var s=Tr(e,function(){return Function(i)()},function(){return true});s.source=i;return s}catch(e){fe(re().body,"htmx:syntax:error",{error:e,source:i});return null}}}else if(o==="["){n++}if(Qe(o,a,r)){i+="(("+r+"."+o+") ? ("+r+"."+o+") : (window."+o+"))"}else{i=i+o}a=t.shift()}}}function y(e,t){var r="";while(e.length>0&&!t.test(e[0])){r+=e.shift()}return r}function tt(e){var t;if(e.length>0&&Ze.test(e[0])){e.shift();t=y(e,Ke).trim();e.shift()}else{t=y(e,x)}return t}var rt="input, textarea, select";function nt(e,t,r){var n=[];var i=Ye(t);do{y(i,Je);var a=i.length;var o=y(i,/[,\[\s]/);if(o!==""){if(o==="every"){var s={trigger:"every"};y(i,Je);s.pollInterval=d(y(i,/[,\[\s]/));y(i,Je);var l=et(e,i,"event");if(l){s.eventFilter=l}n.push(s)}else if(o.indexOf("sse:")===0){n.push({trigger:"sse",sseEvent:o.substr(4)})}else{var u={trigger:o};var l=et(e,i,"event");if(l){u.eventFilter=l}while(i.length>0&&i[0]!==","){y(i,Je);var f=i.shift();if(f==="changed"){u.changed=true}else if(f==="once"){u.once=true}else if(f==="consume"){u.consume=true}else if(f==="delay"&&i[0]===":"){i.shift();u.delay=d(y(i,x))}else if(f==="from"&&i[0]===":"){i.shift();if(Ze.test(i[0])){var c=tt(i)}else{var c=y(i,x);if(c==="closest"||c==="find"||c==="next"||c==="previous"){i.shift();var h=tt(i);if(h.length>0){c+=" "+h}}}u.from=c}else if(f==="target"&&i[0]===":"){i.shift();u.target=tt(i)}else if(f==="throttle"&&i[0]===":"){i.shift();u.throttle=d(y(i,x))}else if(f==="queue"&&i[0]===":"){i.shift();u.queue=y(i,x)}else if(f==="root"&&i[0]===":"){i.shift();u[f]=tt(i)}else if(f==="threshold"&&i[0]===":"){i.shift();u[f]=y(i,x)}else{fe(e,"htmx:syntax:error",{token:i.shift()})}}n.push(u)}}if(i.length===a){fe(e,"htmx:syntax:error",{token:i.shift()})}y(i,Je)}while(i[0]===","&&i.shift());if(r){r[t]=n}return n}function it(e){var t=te(e,"hx-trigger");var r=[];if(t){var n=Q.config.triggerSpecsCache;r=n&&n[t]||nt(e,t,n)}if(r.length>0){return r}else if(h(e,"form")){return[{trigger:"submit"}]}else if(h(e,'input[type="button"], input[type="submit"]')){return[{trigger:"click"}]}else if(h(e,rt)){return[{trigger:"change"}]}else{return[{trigger:"click"}]}}function at(e){ae(e).cancelled=true}function ot(e,t,r){var n=ae(e);n.timeout=setTimeout(function(){if(se(e)&&n.cancelled!==true){if(!ct(r,e,Wt("hx:poll:trigger",{triggerSpec:r,target:e}))){t(e)}ot(e,t,r)}},r.pollInterval)}function st(e){return location.hostname===e.hostname&&ee(e,"href")&&ee(e,"href").indexOf("#")!==0}function lt(t,r,e){if(t.tagName==="A"&&st(t)&&(t.target===""||t.target==="_self")||t.tagName==="FORM"){r.boosted=true;var n,i;if(t.tagName==="A"){n="get";i=ee(t,"href")}else{var a=ee(t,"method");n=a?a.toLowerCase():"get";if(n==="get"){}i=ee(t,"action")}e.forEach(function(e){ht(t,function(e,t){if(v(e,Q.config.disableSelector)){p(e);return}he(n,i,e,t)},r,e,true)})}}function ut(e,t){if(e.type==="submit"||e.type==="click"){if(t.tagName==="FORM"){return true}if(h(t,'input[type="submit"], button')&&v(t,"form")!==null){return true}if(t.tagName==="A"&&t.href&&(t.getAttribute("href")==="#"||t.getAttribute("href").indexOf("#")!==0)){return true}}return false}function ft(e,t){return ae(e).boosted&&e.tagName==="A"&&t.type==="click"&&(t.ctrlKey||t.metaKey)}function ct(e,t,r){var n=e.eventFilter;if(n){try{return n.call(t,r)!==true}catch(e){fe(re().body,"htmx:eventFilter:error",{error:e,source:n.source});return true}}return false}function ht(a,o,e,s,l){var u=ae(a);var t;if(s.from){t=Z(a,s.from)}else{t=[a]}if(s.changed){t.forEach(function(e){var t=ae(e);t.lastValue=e.value})}oe(t,function(n){var i=function(e){if(!se(a)){n.removeEventListener(s.trigger,i);return}if(ft(a,e)){return}if(l||ut(e,a)){e.preventDefault()}if(ct(s,a,e)){return}var t=ae(e);t.triggerSpec=s;if(t.handledFor==null){t.handledFor=[]}if(t.handledFor.indexOf(a)<0){t.handledFor.push(a);if(s.consume){e.stopPropagation()}if(s.target&&e.target){if(!h(e.target,s.target)){return}}if(s.once){if(u.triggeredOnce){return}else{u.triggeredOnce=true}}if(s.changed){var r=ae(n);if(r.lastValue===n.value){return}r.lastValue=n.value}if(u.delayed){clearTimeout(u.delayed)}if(u.throttle){return}if(s.throttle>0){if(!u.throttle){o(a,e);u.throttle=setTimeout(function(){u.throttle=null},s.throttle)}}else if(s.delay>0){u.delayed=setTimeout(function(){o(a,e)},s.delay)}else{ce(a,"htmx:trigger");o(a,e)}}};if(e.listenerInfos==null){e.listenerInfos=[]}e.listenerInfos.push({trigger:s.trigger,listener:i,on:n});n.addEventListener(s.trigger,i)})}var vt=false;var dt=null;function gt(){if(!dt){dt=function(){vt=true};window.addEventListener("scroll",dt);setInterval(function(){if(vt){vt=false;oe(re().querySelectorAll("[hx-trigger='revealed'],[data-hx-trigger='revealed']"),function(e){mt(e)})}},200)}}function mt(t){if(!o(t,"data-hx-revealed")&&X(t)){t.setAttribute("data-hx-revealed","true");var e=ae(t);if(e.initHash){ce(t,"revealed")}else{t.addEventListener("htmx:afterProcessNode",function(e){ce(t,"revealed")},{once:true})}}}function pt(e,t,r){var n=D(r);for(var i=0;i=0){var t=wt(n);setTimeout(function(){xt(s,r,n+1)},t)}};t.onopen=function(e){n=0};ae(s).webSocket=t;t.addEventListener("message",function(e){if(yt(s)){return}var t=e.data;R(s,function(e){t=e.transformResponse(t,null,s)});var r=T(s);var n=l(t);var i=M(n.children);for(var a=0;a0){ce(u,"htmx:validation:halted",i);return}t.send(JSON.stringify(l));if(ut(e,u)){e.preventDefault()}})}else{fe(u,"htmx:noWebSocketSourceError")}}function wt(e){var t=Q.config.wsReconnectDelay;if(typeof t==="function"){return t(e)}if(t==="full-jitter"){var r=Math.min(e,6);var n=1e3*Math.pow(2,r);return n*Math.random()}b('htmx.config.wsReconnectDelay must either be a function or the string "full-jitter"')}function St(e,t,r){var n=D(r);for(var i=0;i0){setTimeout(i,n)}else{i()}}function Ht(t,i,e){var a=false;oe(w,function(r){if(o(t,"hx-"+r)){var n=te(t,"hx-"+r);a=true;i.path=n;i.verb=r;e.forEach(function(e){Lt(t,e,i,function(e,t){if(v(e,Q.config.disableSelector)){p(e);return}he(r,n,e,t)})})}});return a}function Lt(n,e,t,r){if(e.sseEvent){Rt(n,r,e.sseEvent)}else if(e.trigger==="revealed"){gt();ht(n,r,t,e);mt(n)}else if(e.trigger==="intersect"){var i={};if(e.root){i.root=ue(n,e.root)}if(e.threshold){i.threshold=parseFloat(e.threshold)}var a=new IntersectionObserver(function(e){for(var t=0;t0){t.polling=true;ot(n,r,e)}else{ht(n,r,t,e)}}function At(e){if(Q.config.allowScriptTags&&(e.type==="text/javascript"||e.type==="module"||e.type==="")){var t=re().createElement("script");oe(e.attributes,function(e){t.setAttribute(e.name,e.value)});t.textContent=e.textContent;t.async=false;if(Q.config.inlineScriptNonce){t.nonce=Q.config.inlineScriptNonce}var r=e.parentElement;try{r.insertBefore(t,e)}catch(e){b(e)}finally{if(e.parentElement){e.parentElement.removeChild(e)}}}}function Nt(e){if(h(e,"script")){At(e)}oe(f(e,"script"),function(e){At(e)})}function It(e){var t=e.attributes;for(var r=0;r0){var o=n.shift();var s=o.match(/^\s*([a-zA-Z:\-\.]+:)(.*)/);if(a===0&&s){o.split(":");i=s[1].slice(0,-1);r[i]=s[2]}else{r[i]+=o}a+=Bt(o)}for(var l in r){Ft(e,l,r[l])}}}function jt(e){Ae(e);for(var t=0;tQ.config.historyCacheSize){i.shift()}while(i.length>0){try{localStorage.setItem("htmx-history-cache",JSON.stringify(i));break}catch(e){fe(re().body,"htmx:historyCacheError",{cause:e,cache:i});i.shift()}}}function Yt(e){if(!U()){return null}e=B(e);var t=E(localStorage.getItem("htmx-history-cache"))||[];for(var r=0;r=200&&this.status<400){ce(re().body,"htmx:historyCacheMissLoad",o);var e=l(this.response);e=e.querySelector("[hx-history-elt],[data-hx-history-elt]")||e;var t=Zt();var r=T(t);var n=Ve(this.response);if(n){var i=C("title");if(i){i.innerHTML=n}else{window.document.title=n}}Ue(t,e,r);nr(r.tasks);Jt=a;ce(re().body,"htmx:historyRestore",{path:a,cacheMiss:true,serverResponse:this.response})}else{fe(re().body,"htmx:historyCacheMissLoadError",o)}};e.send()}function ar(e){er();e=e||location.pathname+location.search;var t=Yt(e);if(t){var r=l(t.content);var n=Zt();var i=T(n);Ue(n,r,i);nr(i.tasks);document.title=t.title;setTimeout(function(){window.scrollTo(0,t.scroll)},0);Jt=e;ce(re().body,"htmx:historyRestore",{path:e,item:t})}else{if(Q.config.refreshOnHistoryMiss){window.location.reload(true)}else{ir(e)}}}function or(e){var t=pe(e,"hx-indicator");if(t==null){t=[e]}oe(t,function(e){var t=ae(e);t.requestCount=(t.requestCount||0)+1;e.classList["add"].call(e.classList,Q.config.requestClass)});return t}function sr(e){var t=pe(e,"hx-disabled-elt");if(t==null){t=[]}oe(t,function(e){var t=ae(e);t.requestCount=(t.requestCount||0)+1;e.setAttribute("disabled","")});return t}function lr(e,t){oe(e,function(e){var t=ae(e);t.requestCount=(t.requestCount||0)-1;if(t.requestCount===0){e.classList["remove"].call(e.classList,Q.config.requestClass)}});oe(t,function(e){var t=ae(e);t.requestCount=(t.requestCount||0)-1;if(t.requestCount===0){e.removeAttribute("disabled")}})}function ur(e,t){for(var r=0;r=0}function wr(e,t){var r=t?t:ne(e,"hx-swap");var n={swapStyle:ae(e).boosted?"innerHTML":Q.config.defaultSwapStyle,swapDelay:Q.config.defaultSwapDelay,settleDelay:Q.config.defaultSettleDelay};if(Q.config.scrollIntoViewOnBoost&&ae(e).boosted&&!br(e)){n["show"]="top"}if(r){var i=D(r);if(i.length>0){for(var a=0;a0?l.join(":"):null;n["scroll"]=u;n["scrollTarget"]=f}else if(o.indexOf("show:")===0){var c=o.substr(5);var l=c.split(":");var h=l.pop();var f=l.length>0?l.join(":"):null;n["show"]=h;n["showTarget"]=f}else if(o.indexOf("focus-scroll:")===0){var v=o.substr("focus-scroll:".length);n["focusScroll"]=v=="true"}else if(a==0){n["swapStyle"]=o}else{b("Unknown modifier in hx-swap: "+o)}}}}return n}function Sr(e){return ne(e,"hx-encoding")==="multipart/form-data"||h(e,"form")&&ee(e,"enctype")==="multipart/form-data"}function Er(t,r,n){var i=null;R(r,function(e){if(i==null){i=e.encodeParameters(t,n,r)}});if(i!=null){return i}else{if(Sr(r)){return pr(n)}else{return mr(n)}}}function T(e){return{tasks:[],elts:[e]}}function Cr(e,t){var r=e[0];var n=e[e.length-1];if(t.scroll){var i=null;if(t.scrollTarget){i=ue(r,t.scrollTarget)}if(t.scroll==="top"&&(r||i)){i=i||r;i.scrollTop=0}if(t.scroll==="bottom"&&(n||i)){i=i||n;i.scrollTop=i.scrollHeight}}if(t.show){var i=null;if(t.showTarget){var a=t.showTarget;if(t.showTarget==="window"){a="body"}i=ue(r,a)}if(t.show==="top"&&(r||i)){i=i||r;i.scrollIntoView({block:"start",behavior:Q.config.scrollBehavior})}if(t.show==="bottom"&&(n||i)){i=i||n;i.scrollIntoView({block:"end",behavior:Q.config.scrollBehavior})}}}function Rr(e,t,r,n){if(n==null){n={}}if(e==null){return n}var i=te(e,t);if(i){var a=i.trim();var o=r;if(a==="unset"){return null}if(a.indexOf("javascript:")===0){a=a.substr(11);o=true}else if(a.indexOf("js:")===0){a=a.substr(3);o=true}if(a.indexOf("{")!==0){a="{"+a+"}"}var s;if(o){s=Tr(e,function(){return Function("return ("+a+")")()},{})}else{s=E(a)}for(var l in s){if(s.hasOwnProperty(l)){if(n[l]==null){n[l]=s[l]}}}}return Rr(u(e),t,r,n)}function Tr(e,t,r){if(Q.config.allowEval){return t()}else{fe(e,"htmx:evalDisallowedError");return r}}function Or(e,t){return Rr(e,"hx-vars",true,t)}function qr(e,t){return Rr(e,"hx-vals",false,t)}function Hr(e){return le(Or(e),qr(e))}function Lr(t,r,n){if(n!==null){try{t.setRequestHeader(r,n)}catch(e){t.setRequestHeader(r,encodeURIComponent(n));t.setRequestHeader(r+"-URI-AutoEncoded","true")}}}function Ar(t){if(t.responseURL&&typeof URL!=="undefined"){try{var e=new URL(t.responseURL);return e.pathname+e.search}catch(e){fe(re().body,"htmx:badResponseUrl",{url:t.responseURL})}}}function O(e,t){return t.test(e.getAllResponseHeaders())}function Nr(e,t,r){e=e.toLowerCase();if(r){if(r instanceof Element||I(r,"String")){return he(e,t,null,null,{targetOverride:g(r),returnPromise:true})}else{return he(e,t,g(r.source),r.event,{handler:r.handler,headers:r.headers,values:r.values,targetOverride:g(r.target),swapOverride:r.swap,select:r.select,returnPromise:true})}}else{return he(e,t,null,null,{returnPromise:true})}}function Ir(e){var t=[];while(e){t.push(e);e=e.parentElement}return t}function kr(e,t,r){var n;var i;if(typeof URL==="function"){i=new URL(t,document.location.href);var a=document.location.origin;n=a===i.origin}else{i=t;n=s(t,document.location.origin)}if(Q.config.selfRequestsOnly){if(!n){return false}}return ce(e,"htmx:validateUrl",le({url:i,sameHost:n},r))}function he(t,r,n,i,a,e){var o=null;var s=null;a=a!=null?a:{};if(a.returnPromise&&typeof Promise!=="undefined"){var l=new Promise(function(e,t){o=e;s=t})}if(n==null){n=re().body}var M=a.handler||Mr;var X=a.select||null;if(!se(n)){ie(o);return l}var u=a.targetOverride||ye(n);if(u==null||u==me){fe(n,"htmx:targetError",{target:te(n,"hx-target")});ie(s);return l}var f=ae(n);var c=f.lastButtonClicked;if(c){var h=ee(c,"formaction");if(h!=null){r=h}var v=ee(c,"formmethod");if(v!=null){if(v.toLowerCase()!=="dialog"){t=v}}}var d=ne(n,"hx-confirm");if(e===undefined){var D=function(e){return he(t,r,n,i,a,!!e)};var U={target:u,elt:n,path:r,verb:t,triggeringEvent:i,etc:a,issueRequest:D,question:d};if(ce(n,"htmx:confirm",U)===false){ie(o);return l}}var g=n;var m=ne(n,"hx-sync");var p=null;var x=false;if(m){var B=m.split(":");var F=B[0].trim();if(F==="this"){g=xe(n,"hx-sync")}else{g=ue(n,F)}m=(B[1]||"drop").trim();f=ae(g);if(m==="drop"&&f.xhr&&f.abortable!==true){ie(o);return l}else if(m==="abort"){if(f.xhr){ie(o);return l}else{x=true}}else if(m==="replace"){ce(g,"htmx:abort")}else if(m.indexOf("queue")===0){var V=m.split(" ");p=(V[1]||"last").trim()}}if(f.xhr){if(f.abortable){ce(g,"htmx:abort")}else{if(p==null){if(i){var y=ae(i);if(y&&y.triggerSpec&&y.triggerSpec.queue){p=y.triggerSpec.queue}}if(p==null){p="last"}}if(f.queuedRequests==null){f.queuedRequests=[]}if(p==="first"&&f.queuedRequests.length===0){f.queuedRequests.push(function(){he(t,r,n,i,a)})}else if(p==="all"){f.queuedRequests.push(function(){he(t,r,n,i,a)})}else if(p==="last"){f.queuedRequests=[];f.queuedRequests.push(function(){he(t,r,n,i,a)})}ie(o);return l}}var b=new XMLHttpRequest;f.xhr=b;f.abortable=x;var w=function(){f.xhr=null;f.abortable=false;if(f.queuedRequests!=null&&f.queuedRequests.length>0){var e=f.queuedRequests.shift();e()}};var j=ne(n,"hx-prompt");if(j){var S=prompt(j);if(S===null||!ce(n,"htmx:prompt",{prompt:S,target:u})){ie(o);w();return l}}if(d&&!e){if(!confirm(d)){ie(o);w();return l}}var E=xr(n,u,S);if(t!=="get"&&!Sr(n)){E["Content-Type"]="application/x-www-form-urlencoded"}if(a.headers){E=le(E,a.headers)}var _=dr(n,t);var C=_.errors;var R=_.values;if(a.values){R=le(R,a.values)}var z=Hr(n);var $=le(R,z);var T=yr($,n);if(Q.config.getCacheBusterParam&&t==="get"){T["org.htmx.cache-buster"]=ee(u,"id")||"true"}if(r==null||r===""){r=re().location.href}var O=Rr(n,"hx-request");var W=ae(n).boosted;var q=Q.config.methodsThatUseUrlParams.indexOf(t)>=0;var H={boosted:W,useUrlParams:q,parameters:T,unfilteredParameters:$,headers:E,target:u,verb:t,errors:C,withCredentials:a.credentials||O.credentials||Q.config.withCredentials,timeout:a.timeout||O.timeout||Q.config.timeout,path:r,triggeringEvent:i};if(!ce(n,"htmx:configRequest",H)){ie(o);w();return l}r=H.path;t=H.verb;E=H.headers;T=H.parameters;C=H.errors;q=H.useUrlParams;if(C&&C.length>0){ce(n,"htmx:validation:halted",H);ie(o);w();return l}var G=r.split("#");var J=G[0];var L=G[1];var A=r;if(q){A=J;var Z=Object.keys(T).length!==0;if(Z){if(A.indexOf("?")<0){A+="?"}else{A+="&"}A+=mr(T);if(L){A+="#"+L}}}if(!kr(n,A,H)){fe(n,"htmx:invalidPath",H);ie(s);return l}b.open(t.toUpperCase(),A,true);b.overrideMimeType("text/html");b.withCredentials=H.withCredentials;b.timeout=H.timeout;if(O.noHeaders){}else{for(var N in E){if(E.hasOwnProperty(N)){var K=E[N];Lr(b,N,K)}}}var I={xhr:b,target:u,requestConfig:H,etc:a,boosted:W,select:X,pathInfo:{requestPath:r,finalRequestPath:A,anchor:L}};b.onload=function(){try{var e=Ir(n);I.pathInfo.responsePath=Ar(b);M(n,I);lr(k,P);ce(n,"htmx:afterRequest",I);ce(n,"htmx:afterOnLoad",I);if(!se(n)){var t=null;while(e.length>0&&t==null){var r=e.shift();if(se(r)){t=r}}if(t){ce(t,"htmx:afterRequest",I);ce(t,"htmx:afterOnLoad",I)}}ie(o);w()}catch(e){fe(n,"htmx:onLoadError",le({error:e},I));throw e}};b.onerror=function(){lr(k,P);fe(n,"htmx:afterRequest",I);fe(n,"htmx:sendError",I);ie(s);w()};b.onabort=function(){lr(k,P);fe(n,"htmx:afterRequest",I);fe(n,"htmx:sendAbort",I);ie(s);w()};b.ontimeout=function(){lr(k,P);fe(n,"htmx:afterRequest",I);fe(n,"htmx:timeout",I);ie(s);w()};if(!ce(n,"htmx:beforeRequest",I)){ie(o);w();return l}var k=or(n);var P=sr(n);oe(["loadstart","loadend","progress","abort"],function(t){oe([b,b.upload],function(e){e.addEventListener(t,function(e){ce(n,"htmx:xhr:"+t,{lengthComputable:e.lengthComputable,loaded:e.loaded,total:e.total})})})});ce(n,"htmx:beforeSend",I);var Y=q?null:Er(b,n,T);b.send(Y);return l}function Pr(e,t){var r=t.xhr;var n=null;var i=null;if(O(r,/HX-Push:/i)){n=r.getResponseHeader("HX-Push");i="push"}else if(O(r,/HX-Push-Url:/i)){n=r.getResponseHeader("HX-Push-Url");i="push"}else if(O(r,/HX-Replace-Url:/i)){n=r.getResponseHeader("HX-Replace-Url");i="replace"}if(n){if(n==="false"){return{}}else{return{type:i,path:n}}}var a=t.pathInfo.finalRequestPath;var o=t.pathInfo.responsePath;var s=ne(e,"hx-push-url");var l=ne(e,"hx-replace-url");var u=ae(e).boosted;var f=null;var c=null;if(s){f="push";c=s}else if(l){f="replace";c=l}else if(u){f="push";c=o||a}if(c){if(c==="false"){return{}}if(c==="true"){c=o||a}if(t.pathInfo.anchor&&c.indexOf("#")===-1){c=c+"#"+t.pathInfo.anchor}return{type:f,path:c}}else{return{}}}function Mr(l,u){var f=u.xhr;var c=u.target;var e=u.etc;var t=u.requestConfig;var h=u.select;if(!ce(l,"htmx:beforeOnLoad",u))return;if(O(f,/HX-Trigger:/i)){_e(f,"HX-Trigger",l)}if(O(f,/HX-Location:/i)){er();var r=f.getResponseHeader("HX-Location");var v;if(r.indexOf("{")===0){v=E(r);r=v["path"];delete v["path"]}Nr("GET",r,v).then(function(){tr(r)});return}var n=O(f,/HX-Refresh:/i)&&"true"===f.getResponseHeader("HX-Refresh");if(O(f,/HX-Redirect:/i)){location.href=f.getResponseHeader("HX-Redirect");n&&location.reload();return}if(n){location.reload();return}if(O(f,/HX-Retarget:/i)){if(f.getResponseHeader("HX-Retarget")==="this"){u.target=l}else{u.target=ue(l,f.getResponseHeader("HX-Retarget"))}}var d=Pr(l,u);var i=f.status>=200&&f.status<400&&f.status!==204;var g=f.response;var a=f.status>=400;var m=Q.config.ignoreTitle;var o=le({shouldSwap:i,serverResponse:g,isError:a,ignoreTitle:m},u);if(!ce(c,"htmx:beforeSwap",o))return;c=o.target;g=o.serverResponse;a=o.isError;m=o.ignoreTitle;u.target=c;u.failed=a;u.successful=!a;if(o.shouldSwap){if(f.status===286){at(l)}R(l,function(e){g=e.transformResponse(g,f,l)});if(d.type){er()}var s=e.swapOverride;if(O(f,/HX-Reswap:/i)){s=f.getResponseHeader("HX-Reswap")}var v=wr(l,s);if(v.hasOwnProperty("ignoreTitle")){m=v.ignoreTitle}c.classList.add(Q.config.swappingClass);var p=null;var x=null;var y=function(){try{var e=document.activeElement;var t={};try{t={elt:e,start:e?e.selectionStart:null,end:e?e.selectionEnd:null}}catch(e){}var r;if(h){r=h}if(O(f,/HX-Reselect:/i)){r=f.getResponseHeader("HX-Reselect")}if(d.type){ce(re().body,"htmx:beforeHistoryUpdate",le({history:d},u));if(d.type==="push"){tr(d.path);ce(re().body,"htmx:pushedIntoHistory",{path:d.path})}else{rr(d.path);ce(re().body,"htmx:replacedInHistory",{path:d.path})}}var n=T(c);je(v.swapStyle,c,l,g,n,r);if(t.elt&&!se(t.elt)&&ee(t.elt,"id")){var i=document.getElementById(ee(t.elt,"id"));var a={preventScroll:v.focusScroll!==undefined?!v.focusScroll:!Q.config.defaultFocusScroll};if(i){if(t.start&&i.setSelectionRange){try{i.setSelectionRange(t.start,t.end)}catch(e){}}i.focus(a)}}c.classList.remove(Q.config.swappingClass);oe(n.elts,function(e){if(e.classList){e.classList.add(Q.config.settlingClass)}ce(e,"htmx:afterSwap",u)});if(O(f,/HX-Trigger-After-Swap:/i)){var o=l;if(!se(l)){o=re().body}_e(f,"HX-Trigger-After-Swap",o)}var s=function(){oe(n.tasks,function(e){e.call()});oe(n.elts,function(e){if(e.classList){e.classList.remove(Q.config.settlingClass)}ce(e,"htmx:afterSettle",u)});if(u.pathInfo.anchor){var e=re().getElementById(u.pathInfo.anchor);if(e){e.scrollIntoView({block:"start",behavior:"auto"})}}if(n.title&&!m){var t=C("title");if(t){t.innerHTML=n.title}else{window.document.title=n.title}}Cr(n.elts,v);if(O(f,/HX-Trigger-After-Settle:/i)){var r=l;if(!se(l)){r=re().body}_e(f,"HX-Trigger-After-Settle",r)}ie(p)};if(v.settleDelay>0){setTimeout(s,v.settleDelay)}else{s()}}catch(e){fe(l,"htmx:swapError",u);ie(x);throw e}};var b=Q.config.globalViewTransitions;if(v.hasOwnProperty("transition")){b=v.transition}if(b&&ce(l,"htmx:beforeTransition",u)&&typeof Promise!=="undefined"&&document.startViewTransition){var w=new Promise(function(e,t){p=e;x=t});var S=y;y=function(){document.startViewTransition(function(){S();return w})}}if(v.swapDelay>0){setTimeout(y,v.swapDelay)}else{y()}}if(a){fe(l,"htmx:responseError",le({error:"Response Status Error Code "+f.status+" from "+u.pathInfo.requestPath},u))}}var Xr={};function Dr(){return{init:function(e){return null},onEvent:function(e,t){return true},transformResponse:function(e,t,r){return e},isInlineSwap:function(e){return false},handleSwap:function(e,t,r,n){return false},encodeParameters:function(e,t,r){return null}}}function Ur(e,t){if(t.init){t.init(r)}Xr[e]=le(Dr(),t)}function Br(e){delete Xr[e]}function Fr(e,r,n){if(e==undefined){return r}if(r==undefined){r=[]}if(n==undefined){n=[]}var t=te(e,"hx-ext");if(t){oe(t.split(","),function(e){e=e.replace(/ /g,"");if(e.slice(0,7)=="ignore:"){n.push(e.slice(7));return}if(n.indexOf(e)<0){var t=Xr[e];if(t&&r.indexOf(t)<0){r.push(t)}}})}return Fr(u(e),r,n)}var Vr=false;re().addEventListener("DOMContentLoaded",function(){Vr=true});function jr(e){if(Vr||re().readyState==="complete"){e()}else{re().addEventListener("DOMContentLoaded",e)}}function _r(){if(Q.config.includeIndicatorStyles!==false){re().head.insertAdjacentHTML("beforeend","")}}function zr(){var e=re().querySelector('meta[name="htmx-config"]');if(e){return E(e.content)}else{return null}}function $r(){var e=zr();if(e){Q.config=le(Q.config,e)}}jr(function(){$r();_r();var e=re().body;zt(e);var t=re().querySelectorAll("[hx-trigger='restored'],[data-hx-trigger='restored']");e.addEventListener("htmx:abort",function(e){var t=e.target;var r=ae(t);if(r&&r.xhr){r.xhr.abort()}});const r=window.onpopstate?window.onpopstate.bind(window):null;window.onpopstate=function(e){if(e.state&&e.state.htmx){ar();oe(t,function(e){ce(e,"htmx:restored",{document:re(),triggerEvent:ce})})}else{if(r){r(e)}}};setTimeout(function(){ce(e,"htmx:load",{});e=null},0)});return Q}()}); \ No newline at end of file diff --git a/webroot/style/default.css b/webroot/style/default.css index adb4e7d..3906cdb 100644 --- a/webroot/style/default.css +++ b/webroot/style/default.css @@ -261,6 +261,7 @@ img { .titleBar { display: flex; align-items: baseline; + justify-content: space-between; margin-top: 10px; margin-bottom: 8px; } @@ -355,16 +356,17 @@ ul.navButtons { list-style: none; column-gap: 1rem; margin: 0; - margin-left: auto; - margin-right: auto; padding: 0; font-size: 1.125rem; } -ul.navButtons li { +ul.navButtons li, +ul.navButtons li a[aria-selected] { border-bottom: 2px solid transparent; + border-top: 2px solid transparent; } ul.navButtons li:hover, -ul.navButtons li.active { +ul.navButtons li.active, +ul.navButtons li a.active { border-bottom: 2px solid red } ul.navButtons li:hover a { @@ -374,10 +376,17 @@ ul.navButtons li:hover a { ul.navButtons li a { color: #ccc; } -ul.navButtons li.active a { +ul.navButtons li.active a, +ul.navButtons li a[aria-selected="true"] { color: white; font-weight: bold; } +.settings a { + color: #ccc; +} +.settings a:hover { + opacity: .6; +} .rightHeader { display: flex; align-items: center; @@ -432,7 +441,7 @@ ul.navButtons li.active a { } /* Small screens */ -@media only screen and (max-width: 550px) { +@media only screen and (max-width: 640px) { h5, ul.navButtons { font-size: 1rem; } diff --git a/webroot/template/webhook-edit.hbs b/webroot/template/webhook-edit.hbs new file mode 100644 index 0000000..2cb37a7 --- /dev/null +++ b/webroot/template/webhook-edit.hbs @@ -0,0 +1,54 @@ +
+ +
\ No newline at end of file diff --git a/webroot/template/webhook-list.hbs b/webroot/template/webhook-list.hbs new file mode 100644 index 0000000..eaff22d --- /dev/null +++ b/webroot/template/webhook-list.hbs @@ -0,0 +1,52 @@ + + + URL + Last Request + Enabled + Action + + + + + {{#each webhooks}} + + {{ url }} + + {{#unless request_datetime }}--{{/unless}} + {{#if request_datetime }} + {{#if request_successful }}✔{{/if}} + {{#unless request_successful }}❌{{/unless}} + {{ request_datetime }} + {{/if}} + + + {{#if enabled }}✔{{/if}} + {{#unless enabled }}❌{{/unless}} + + + + + + + {{/each}} + + + + \ No newline at end of file