1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
|
use crate::{app::State, templates};
use axum::{
body,
extract::Extension,
http::StatusCode,
response::{Html, IntoResponse, Response},
};
use chrono::{Datelike, Timelike, Utc, Weekday};
use lazy_static::lazy_static;
use prometheus::{opts, register_int_counter_vec, IntCounterVec};
use std::{net::AddrParseError, sync::Arc};
use tracing::instrument;
pub mod api;
pub mod blog;
pub mod feeds;
pub mod gallery;
pub mod notes;
pub mod talks;
fn weekday_to_name(w: Weekday) -> &'static str {
use Weekday::*;
match w {
Sun => "Sun",
Mon => "Mon",
Tue => "Tue",
Wed => "Wed",
Thu => "Thu",
Fri => "Fri",
Sat => "Sat",
}
}
fn month_to_name(m: u32) -> &'static str {
match m {
1 => "Jan",
2 => "Feb",
3 => "Mar",
4 => "Apr",
5 => "May",
6 => "Jun",
7 => "Jul",
8 => "Aug",
9 => "Sep",
10 => "Oct",
11 => "Nov",
12 => "Dec",
_ => "Unk",
}
}
lazy_static! {
pub static ref HIT_COUNTER: IntCounterVec =
register_int_counter_vec!(opts!("hits", "Number of hits to various pages"), &["page"])
.unwrap();
pub static ref LAST_MODIFIED: String = {
let now = Utc::now();
format!(
"{dayname}, {day} {month} {year} {hour}:{minute}:{second} GMT",
dayname = weekday_to_name(now.weekday()),
day = now.day(),
month = month_to_name(now.month()),
year = now.year(),
hour = now.hour(),
minute = now.minute(),
second = now.second()
)
};
}
#[instrument]
pub async fn index() -> Result {
HIT_COUNTER.with_label_values(&["index"]).inc();
let mut result: Vec<u8> = vec![];
templates::index_html(&mut result)?;
Ok(Html(result))
}
#[instrument]
pub async fn contact() -> Result {
HIT_COUNTER.with_label_values(&["contact"]).inc();
let mut result: Vec<u8> = vec![];
templates::contact_html(&mut result)?;
Ok(Html(result))
}
#[instrument]
pub async fn feeds() -> Result {
HIT_COUNTER.with_label_values(&["feeds"]).inc();
let mut result: Vec<u8> = vec![];
templates::feeds_html(&mut result)?;
Ok(Html(result))
}
#[axum_macros::debug_handler]
#[instrument(skip(state))]
pub async fn salary_transparency(Extension(state): Extension<Arc<State>>) -> Result {
HIT_COUNTER
.with_label_values(&["salary_transparency"])
.inc();
let state = state.clone();
let mut result: Vec<u8> = vec![];
templates::salary_transparency(&mut result, state.cfg.clone())?;
Ok(Html(result))
}
#[axum_macros::debug_handler]
#[instrument(skip(state))]
pub async fn resume(Extension(state): Extension<Arc<State>>) -> Result {
HIT_COUNTER.with_label_values(&["resume"]).inc();
let state = state.clone();
let mut result: Vec<u8> = vec![];
templates::resume_html(&mut result, templates::Html(state.resume.clone()))?;
Ok(Html(result))
}
#[instrument(skip(state))]
pub async fn patrons(Extension(state): Extension<Arc<State>>) -> Result {
HIT_COUNTER.with_label_values(&["patrons"]).inc();
let state = state.clone();
let mut result: Vec<u8> = vec![];
match &state.patrons {
None => Err(Error::NoPatrons),
Some(patrons) => {
templates::patrons_html(&mut result, patrons.clone())?;
Ok(Html(result))
}
}
}
#[axum_macros::debug_handler]
#[instrument(skip(state))]
pub async fn signalboost(Extension(state): Extension<Arc<State>>) -> Result {
HIT_COUNTER.with_label_values(&["signalboost"]).inc();
let state = state.clone();
let mut result: Vec<u8> = vec![];
templates::signalboost_html(&mut result, state.signalboost.clone())?;
Ok(Html(result))
}
#[instrument]
pub async fn not_found() -> Result {
HIT_COUNTER.with_label_values(&["not_found"]).inc();
let mut result: Vec<u8> = vec![];
templates::notfound_html(&mut result, "some path".into())?;
Ok(Html(result))
}
#[derive(Debug, thiserror::Error)]
pub enum Error {
#[error("series not found: {0}")]
SeriesNotFound(String),
#[error("post not found: {0}")]
PostNotFound(String),
#[error("patreon key not working, poke me to get this fixed")]
NoPatrons,
#[error("io error: {0}")]
IO(#[from] std::io::Error),
#[error("axum http error: {0}")]
AxumHTTP(#[from] axum::http::Error),
#[error("string conversion error: {0}")]
ToStr(#[from] http::header::ToStrError),
#[error("database error: {0}")]
SQLite(#[from] rusqlite::Error),
#[error("database pool error: {0}")]
SQLitePool(#[from] bb8_rusqlite::Error),
#[error("address parse error: {0}")]
AddrParse(#[from] AddrParseError),
#[error("Tailscale localapi error: {0}")]
TSLocalAPI(#[from] ts_localapi::Error),
#[error("{0}")]
Eyre(#[from] color_eyre::eyre::ErrReport),
#[error("other error: {0}")]
Catchall(String),
}
impl<E> From<bb8::RunError<E>> for Error
where
E: std::error::Error + Send + 'static,
{
fn from(err: bb8::RunError<E>) -> Self {
Self::Catchall(format!("{}", err))
}
}
pub type Result<T = Html<Vec<u8>>> = std::result::Result<T, Error>;
impl IntoResponse for Error {
fn into_response(self) -> Response {
let mut result: Vec<u8> = vec![];
templates::error_html(&mut result, format!("{}", self)).unwrap();
let body = body::boxed(body::Full::from(result));
Response::builder()
.status(match self {
Error::SeriesNotFound(_) | Error::PostNotFound(_) => StatusCode::NOT_FOUND,
_ => StatusCode::INTERNAL_SERVER_ERROR,
})
.body(body)
.unwrap()
}
}
|